diff --git a/lib/libc/mingw/complex/cacosh.def.h b/lib/libc/mingw/complex/cacosh.def.h index f4ea2da07b..ab9013e50c 100644 --- a/lib/libc/mingw/complex/cacosh.def.h +++ b/lib/libc/mingw/complex/cacosh.def.h @@ -80,12 +80,33 @@ __FLT_ABI(cacosh) (__FLT_TYPE __complex__ z) return ret; } + /* cacosh(z) = log(z + sqrt(z*z - 1)) */ + + if (__FLT_ABI(fabs) (__real__ z) >= __FLT_CST(1.0)/__FLT_EPSILON + || __FLT_ABI(fabs) (__imag__ z) >= __FLT_CST(1.0)/__FLT_EPSILON) + { + /* For large z, z + sqrt(z*z - 1) is approximately 2*z. + Use that approximation to avoid overflow when squaring. + Additionally, use symmetries to perform the calculation in the positive + half plane. */ + __real__ x = __real__ z; + __imag__ x = __FLT_ABI(fabs) (__imag__ z); + x = __FLT_ABI(clog) (x); + __real__ x += M_LN2; + + /* adjust signs for input */ + __real__ ret = __real__ x; + __imag__ ret = __FLT_ABI(copysign) (__imag__ x, __imag__ z); + + return ret; + } + __real__ x = (__real__ z - __imag__ z) * (__real__ z + __imag__ z) - __FLT_CST(1.0); __imag__ x = __FLT_CST(2.0) * __real__ z * __imag__ z; x = __FLT_ABI(csqrt) (x); - if (__real__ z < __FLT_CST(0.0)) + if (signbit (__real__ z)) x = -x; __real__ x += __real__ z; @@ -93,7 +114,7 @@ __FLT_ABI(cacosh) (__FLT_TYPE __complex__ z) ret = __FLT_ABI(clog) (x); - if (__real__ ret < __FLT_CST(0.0)) + if (signbit (__real__ ret)) ret = -ret; return ret; diff --git a/lib/libc/mingw/complex/casinh.def.h b/lib/libc/mingw/complex/casinh.def.h index 050d885a03..39d20f1506 100644 --- a/lib/libc/mingw/complex/casinh.def.h +++ b/lib/libc/mingw/complex/casinh.def.h @@ -47,6 +47,7 @@ __FLT_ABI(casinh) (__FLT_TYPE __complex__ z) { __complex__ __FLT_TYPE ret; __complex__ __FLT_TYPE x; + __FLT_TYPE arz, aiz; int r_class = fpclassify (__real__ z); int i_class = fpclassify (__imag__ z); @@ -87,13 +88,69 @@ __FLT_ABI(casinh) (__FLT_TYPE __complex__ z) if (r_class == FP_ZERO && i_class == FP_ZERO) return z; - __real__ x = (__real__ z - __imag__ z) * (__real__ z + __imag__ z) + __FLT_CST(1.0); - __imag__ x = __FLT_CST(2.0) * __real__ z * __imag__ z; + /* casinh(z) = log(z + sqrt(z*z + 1)) */ - x = __FLT_ABI(csqrt) (x); + /* Use symmetries to perform the calculation in the first quadrant. */ + arz = __FLT_ABI(fabs) (__real__ z); + aiz = __FLT_ABI(fabs) (__imag__ z); - __real__ x += __real__ z; - __imag__ x += __imag__ z; + if (arz >= __FLT_CST(1.0)/__FLT_EPSILON + || aiz >= __FLT_CST(1.0)/__FLT_EPSILON) + { + /* For large z, z + sqrt(z*z + 1) is approximately 2*z. + Use that approximation to avoid overflow when squaring. */ + __real__ x = arz; + __imag__ x = aiz; + ret = __FLT_ABI(clog) (x); + __real__ ret += M_LN2; + } + else if (aiz < __FLT_CST(1.0) && arz <= __FLT_EPSILON) + { + /* Taylor series expansion around arz=0 for z + sqrt(z*z + 1): + c = arz + sqrt(1-aiz^2) + i*(aiz + arz*aiz / sqrt(1-aiz^2)) + O(arz^2) + Identity: clog(c) = log(|c|) + i*arg(c) + For real part of result: + |c| = 1 + arz / sqrt(1-aiz^2) + O(arz^2) (Taylor series expansion) + For imaginary part of result: + c = (arz + sqrt(1-aiz^2))/sqrt(1-aiz^2) * (sqrt(1-aiz^2) + i*aiz) + O(arz^6) + */ + __FLT_TYPE s1maiz2 = __FLT_ABI(sqrt) ((__FLT_CST(1.0)+aiz)*(__FLT_CST(1.0)-aiz)); + __real__ ret = __FLT_ABI(log1p) (arz / s1maiz2); + __imag__ ret = __FLT_ABI(atan2) (aiz, s1maiz2); + } + else if (aiz < __FLT_CST(1.0) && arz*arz <= __FLT_EPSILON) + { + /* Taylor series expansion around arz=0 for z + sqrt(z*z + 1): + c = arz + sqrt(1-aiz^2) + arz^2 / (2*(1-aiz^2)^(3/2)) + i*(aiz + arz*aiz / sqrt(1-aiz^2)) + O(arz^4) + Identity: clog(c) = log(|c|) + i*arg(c) + For real part of result: + |c| = 1 + arz / sqrt(1-aiz^2) + arz^2/(2*(1-aiz^2)) + O(arz^3) (Taylor series expansion) + For imaginary part of result: + c = 1/sqrt(1-aiz^2) * ((1-aiz^2) + arz*sqrt(1-aiz^2) + arz^2/(2*(1-aiz^2)) + i*aiz*(sqrt(1-aiz^2)+arz)) + O(arz^3) + */ + __FLT_TYPE onemaiz2 = (__FLT_CST(1.0)+aiz)*(__FLT_CST(1.0)-aiz); + __FLT_TYPE s1maiz2 = __FLT_ABI(sqrt) (onemaiz2); + __FLT_TYPE arz2red = arz * arz / __FLT_CST(2.0) / s1maiz2; + __real__ ret = __FLT_ABI(log1p) ((arz + arz2red) / s1maiz2); + __imag__ ret = __FLT_ABI(atan2) (aiz * (s1maiz2 + arz), + onemaiz2 + arz*s1maiz2 + arz2red); + } + else + { + __real__ x = (arz - aiz) * (arz + aiz) + __FLT_CST(1.0); + __imag__ x = __FLT_CST(2.0) * arz * aiz; - return __FLT_ABI(clog) (x); + x = __FLT_ABI(csqrt) (x); + + __real__ x += arz; + __imag__ x += aiz; + + ret = __FLT_ABI(clog) (x); + } + + /* adjust signs for input quadrant */ + __real__ ret = __FLT_ABI(copysign) (__real__ ret, __real__ z); + __imag__ ret = __FLT_ABI(copysign) (__imag__ ret, __imag__ z); + + return ret; } diff --git a/lib/libc/mingw/complex/catanh.def.h b/lib/libc/mingw/complex/catanh.def.h index 68949d1397..1d46d4dcdd 100644 --- a/lib/libc/mingw/complex/catanh.def.h +++ b/lib/libc/mingw/complex/catanh.def.h @@ -75,17 +75,42 @@ __FLT_ABI(catanh) (__FLT_TYPE __complex__ z) if (r_class == FP_ZERO && i_class == FP_ZERO) return z; + /* catanh(z) = 1/2 * clog(1+z) - 1/2 * clog(1-z) = 1/2 * clog((1+z)/(1-z)) */ + + /* Use identity clog(c) = 1/2*log(|c|^2) + i*arg(c) to calculate real and + imaginary parts separately. */ + + /* real part */ + /* |c|^2 = (Im(z)^2 + (1+Re(z))^2)/(Im(z)^2 + (1-Re(z))^2) */ i2 = __imag__ z * __imag__ z; - n = __FLT_CST(1.0) + __real__ z; - n = i2 + n * n; + if (__FLT_ABI(fabs) (__real__ z) <= __FLT_EPSILON) + { + /* |c|^2 = 1 + 4*Re(z)/(1+Im(z)^2) + O(Re(z)^2) (Taylor series) */ + __real__ ret = __FLT_CST(0.25) * + __FLT_ABI(log1p) (__FLT_CST(4.0)*(__real__ z) / (__FLT_CST(1.0) + i2)); + } + else if ((__real__ z)*(__real__ z) <= __FLT_EPSILON) + { + /* |c|^2 = 1 + 4*Re(z)/(1+Im(z)^2) + 8*Re(z)^2/(1+Im(z)^2)^2 + O(Re(z)^3) (Taylor series) */ + d = __real__ z / (__FLT_CST(1.0) + i2); + __real__ ret = __FLT_CST(0.25) * + __FLT_ABI(log1p) (__FLT_CST(4.0) * d * (__FLT_CST(1.0) + __FLT_CST(2.0) * d)); + } + else + { + n = __FLT_CST(1.0) + __real__ z; + n = i2 + n * n; - d = __FLT_CST(1.0) - __real__ z; - d = i2 + d * d; + d = __FLT_CST(1.0) - __real__ z; + d = i2 + d * d; - __real__ ret = __FLT_CST(0.25) * (__FLT_ABI(log) (n) - __FLT_ABI(log) (d)); + __real__ ret = __FLT_CST(0.25) * (__FLT_ABI(log) (n) - __FLT_ABI(log) (d)); + } - d = 1 - __real__ z * __real__ z - i2; + /* imaginary part */ + /* z = (1 - Re(z)^2 - Im(z)^2 + 2i * Im(z) / ((1-Re(z))^2 + Im(z)^2) */ + d = __FLT_CST(1.0) - __real__ z * __real__ z - i2; __imag__ ret = __FLT_CST(0.5) * __FLT_ABI(atan2) (__FLT_CST(2.0) * __imag__ z, d); diff --git a/lib/libc/mingw/crt/crt0_c.c b/lib/libc/mingw/crt/crt0_c.c deleted file mode 100644 index e42dd320f4..0000000000 --- a/lib/libc/mingw/crt/crt0_c.c +++ /dev/null @@ -1,20 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ - -#include - -extern HINSTANCE __mingw_winmain_hInstance; -extern LPSTR __mingw_winmain_lpCmdLine; -extern DWORD __mingw_winmain_nShowCmd; - -/*ARGSUSED*/ -int main (int __UNUSED_PARAM(flags), - char ** __UNUSED_PARAM(cmdline), - char ** __UNUSED_PARAM(inst)) -{ - return (int) WinMain (__mingw_winmain_hInstance, NULL, - __mingw_winmain_lpCmdLine, __mingw_winmain_nShowCmd); -} diff --git a/lib/libc/mingw/crt/crt0_w.c b/lib/libc/mingw/crt/crt0_w.c deleted file mode 100644 index ab099c9632..0000000000 --- a/lib/libc/mingw/crt/crt0_w.c +++ /dev/null @@ -1,25 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#include - -/* Do the UNICODE prototyping of WinMain. Be aware that in winbase.h WinMain is a macro - defined to wWinMain. */ -int WINAPI wWinMain(HINSTANCE hInstance,HINSTANCE hPrevInstance,LPWSTR lpCmdLine,int nShowCmd); - -extern HINSTANCE __mingw_winmain_hInstance; -extern LPWSTR __mingw_winmain_lpCmdLine; -extern DWORD __mingw_winmain_nShowCmd; - -int wmain (int, wchar_t **, wchar_t **); - -/*ARGSUSED*/ -int wmain (int __UNUSED_PARAM(flags), - wchar_t ** __UNUSED_PARAM(cmdline), - wchar_t ** __UNUSED_PARAM(inst)) -{ - return (int) wWinMain (__mingw_winmain_hInstance, NULL, - __mingw_winmain_lpCmdLine, __mingw_winmain_nShowCmd); -} diff --git a/lib/libc/mingw/crt/crt_handler.c b/lib/libc/mingw/crt/crt_handler.c index fe52cf4e2a..c49a2b3b57 100644 --- a/lib/libc/mingw/crt/crt_handler.c +++ b/lib/libc/mingw/crt/crt_handler.c @@ -13,16 +13,6 @@ #include #include -#if defined (_WIN64) && defined (__ia64__) -#error FIXME: Unsupported __ImageBase implementation. -#else -#ifndef _MSC_VER -#define __ImageBase __MINGW_LSYMBOL(_image_base__) -#endif -/* This symbol is defined by the linker. */ -extern IMAGE_DOS_HEADER __ImageBase; -#endif - #pragma pack(push,1) typedef struct _UNWIND_INFO { BYTE VersionAndFlags; diff --git a/lib/libc/mingw/crt/crtdll.c b/lib/libc/mingw/crt/crtdll.c index 08cd5922a8..e264d4e964 100644 --- a/lib/libc/mingw/crt/crtdll.c +++ b/lib/libc/mingw/crt/crtdll.c @@ -142,6 +142,7 @@ WINBOOL WINAPI DllMainCRTStartup (HANDLE, DWORD, LPVOID); int __mingw_init_ehandler (void); #endif +__attribute__((used)) /* required due to bug in gcc / ld */ WINBOOL WINAPI DllMainCRTStartup (HANDLE hDllHandle, DWORD dwReason, LPVOID lpreserved) { diff --git a/lib/libc/mingw/crt/crtexe.c b/lib/libc/mingw/crt/crtexe.c index c6d43168ba..03bda59120 100644 --- a/lib/libc/mingw/crt/crtexe.c +++ b/lib/libc/mingw/crt/crtexe.c @@ -35,16 +35,9 @@ extern char *** __MINGW_IMP_SYMBOL(__initenv); #define __initenv (* __MINGW_IMP_SYMBOL(__initenv)) #endif -/* Hack, for bug in ld. Will be removed soon. */ -#if defined(__GNUC__) -#define __ImageBase __MINGW_LSYMBOL(_image_base__) -#endif -/* This symbol is defined by ld. */ extern IMAGE_DOS_HEADER __ImageBase; extern void _fpreset (void); -#define SPACECHAR _T(' ') -#define DQUOTECHAR _T('\"') int *__cdecl __p__commode(void); @@ -68,19 +61,10 @@ extern const PIMAGE_TLS_CALLBACK __dyn_tls_init_callback; extern int __mingw_app_type; -HINSTANCE __mingw_winmain_hInstance; -_TCHAR *__mingw_winmain_lpCmdLine; -DWORD __mingw_winmain_nShowCmd = SW_SHOWDEFAULT; - static int argc; extern void __main(void); -#ifdef WPRFLAG -static wchar_t **argv; -static wchar_t **envp; -#else -static char **argv; -static char **envp; -#endif +static _TCHAR **argv; +static _TCHAR **envp; static int argret; static int mainret=0; @@ -91,11 +75,7 @@ extern LPTOP_LEVEL_EXCEPTION_FILTER __mingw_oldexcpt_handler; extern void _pei386_runtime_relocator (void); long CALLBACK _gnu_exception_handler (EXCEPTION_POINTERS * exception_data); -#ifdef WPRFLAG -static void duplicate_ppstrings (int ac, wchar_t ***av); -#else -static void duplicate_ppstrings (int ac, char ***av); -#endif +static void duplicate_ppstrings (int ac, _TCHAR ***av); static int __cdecl pre_c_init (void); static void __cdecl pre_cpp_init (void); @@ -134,7 +114,7 @@ pre_c_init (void) * __p__fmode() = _fmode; * __p__commode() = _commode; -#ifdef WPRFLAG +#ifdef _UNICODE _wsetargv(); #else _setargv(); @@ -155,7 +135,7 @@ pre_cpp_init (void) { startinfo.newmode = _newmode; -#ifdef WPRFLAG +#ifdef _UNICODE argret = __wgetmainargs(&argc,&argv,&envp,_dowildcard,&startinfo); #else argret = __getmainargs(&argc,&argv,&envp,_dowildcard,&startinfo); @@ -166,6 +146,7 @@ static int __tmainCRTStartup (void); int WinMainCRTStartup (void); +__attribute__((used)) /* required due to bug in gcc / ld */ int WinMainCRTStartup (void) { int ret = 255; @@ -177,7 +158,11 @@ int WinMainCRTStartup (void) #ifdef SEH_INLINE_ASM asm ("\tnop\n" "\t.l_endw: nop\n" +#ifdef __arm__ + "\t.seh_handler __C_specific_handler, %except\n" +#else "\t.seh_handler __C_specific_handler, @except\n" +#endif "\t.seh_handlerdata\n" "\t.long 1\n" "\t.rva .l_startw, .l_endw, _gnu_exception_handler ,.l_endw\n" @@ -192,6 +177,7 @@ int mainCRTStartup (void); int __mingw_init_ehandler (void); #endif +__attribute__((used)) /* required due to bug in gcc / ld */ int mainCRTStartup (void) { int ret = 255; @@ -203,7 +189,11 @@ int mainCRTStartup (void) #ifdef SEH_INLINE_ASM asm ("\tnop\n" "\t.l_end: nop\n" +#ifdef __arm__ + "\t.seh_handler __C_specific_handler, %except\n" +#else "\t.seh_handler __C_specific_handler, @except\n" +#endif "\t.seh_handlerdata\n" "\t.long 1\n" "\t.rva .l_start, .l_end, _gnu_exception_handler ,.l_end\n" @@ -221,14 +211,6 @@ __attribute__((force_align_arg_pointer)) __declspec(noinline) int __tmainCRTStartup (void) { - _TCHAR *lpszCommandLine = NULL; - STARTUPINFO StartupInfo; - WINBOOL inDoubleQuote = FALSE; - memset (&StartupInfo, 0, sizeof (STARTUPINFO)); - - if (__mingw_app_type) - GetStartupInfo (&StartupInfo); - { void *lock_free = NULL; void *fiberid = ((PNT_TIB)NtCurrentTeb())->StackBase; int nested = FALSE; @@ -275,57 +257,20 @@ __tmainCRTStartup (void) _fpreset (); - __mingw_winmain_hInstance = (HINSTANCE) &__ImageBase; - -#ifdef WPRFLAG - lpszCommandLine = (_TCHAR *) _wcmdln; -#else - lpszCommandLine = (char *) _acmdln; -#endif - - if (lpszCommandLine) - { - while (*lpszCommandLine > SPACECHAR || (*lpszCommandLine && inDoubleQuote)) - { - if (*lpszCommandLine == DQUOTECHAR) - inDoubleQuote = !inDoubleQuote; -#ifdef _MBCS - if (_ismbblead (*lpszCommandLine)) - { - if (lpszCommandLine[1]) - ++lpszCommandLine; - } -#endif - ++lpszCommandLine; - } - while (*lpszCommandLine && (*lpszCommandLine <= SPACECHAR)) - lpszCommandLine++; - - __mingw_winmain_lpCmdLine = lpszCommandLine; - } - - if (__mingw_app_type) - { - __mingw_winmain_nShowCmd = StartupInfo.dwFlags & STARTF_USESHOWWINDOW ? - StartupInfo.wShowWindow : SW_SHOWDEFAULT; - } duplicate_ppstrings (argc, &argv); - __main (); -#ifdef WPRFLAG + __main (); /* C++ initialization. */ +#ifdef _UNICODE __winitenv = envp; - /* C++ initialization. - gcc inserts this call automatically for a function called main, but not for wmain. */ - mainret = wmain (argc, argv, envp); #else __initenv = envp; - mainret = main (argc, argv, envp); #endif + mainret = _tmain (argc, argv, envp); if (!managedapp) exit (mainret); if (has_cctor == 0) _cexit (); - } + return mainret; } @@ -370,49 +315,22 @@ check_managed_app (void) return 0; } -#ifdef WPRFLAG -static size_t wbytelen(const wchar_t *p) +static void duplicate_ppstrings (int ac, _TCHAR ***av) { - size_t ret = 1; - while (*p!=0) { - ret++,++p; - } - return ret*2; -} -static void duplicate_ppstrings (int ac, wchar_t ***av) -{ - wchar_t **avl; + _TCHAR **avl; int i; - wchar_t **n = (wchar_t **) malloc (sizeof (wchar_t *) * (ac + 1)); - - avl=*av; - for (i=0; i < ac; i++) - { - size_t l = wbytelen (avl[i]); - n[i] = (wchar_t *) malloc (l); - memcpy (n[i], avl[i], l); - } - n[i] = NULL; - *av = n; -} -#else -static void duplicate_ppstrings (int ac, char ***av) -{ - char **avl; - int i; - char **n = (char **) malloc (sizeof (char *) * (ac + 1)); + _TCHAR **n = (_TCHAR **) malloc (sizeof (_TCHAR *) * (ac + 1)); avl=*av; for (i=0; i < ac; i++) { - size_t l = strlen (avl[i]) + 1; - n[i] = (char *) malloc (l); + size_t l = sizeof (_TCHAR) * (_tcslen (avl[i]) + 1); + n[i] = (_TCHAR *) malloc (l); memcpy (n[i], avl[i], l); } n[i] = NULL; *av = n; } -#endif int __cdecl atexit (_PVFV func) { diff --git a/lib/libc/mingw/crt/dll_argv.c b/lib/libc/mingw/crt/dll_argv.c index 22397af50c..19eeda7cd6 100644 --- a/lib/libc/mingw/crt/dll_argv.c +++ b/lib/libc/mingw/crt/dll_argv.c @@ -12,11 +12,10 @@ extern int _dowildcard; -#ifdef WPRFLAG int __CRTDECL +#ifdef _UNICODE __wsetargv (void) #else -int __CRTDECL __setargv (void) #endif { diff --git a/lib/libc/mingw/crt/dllargv.c b/lib/libc/mingw/crt/dllargv.c index 7cd98dad82..df0453430d 100644 --- a/lib/libc/mingw/crt/dllargv.c +++ b/lib/libc/mingw/crt/dllargv.c @@ -10,11 +10,10 @@ #include -#ifdef WPRFLAG int __CRTDECL +#ifdef _UNICODE _wsetargv (void) #else -int __CRTDECL _setargv (void) #endif { diff --git a/lib/libc/mingw/crt/pesect.c b/lib/libc/mingw/crt/pesect.c index 28c34f8cad..b7f0b18109 100644 --- a/lib/libc/mingw/crt/pesect.c +++ b/lib/libc/mingw/crt/pesect.c @@ -7,16 +7,7 @@ #include #include -#if defined (_WIN64) && defined (__ia64__) -#error FIXME: Unsupported __ImageBase implementation. -#else -#ifdef __GNUC__ -/* Hack, for bug in ld. Will be removed soon. */ -#define __ImageBase __MINGW_LSYMBOL(_image_base__) -#endif -/* This symbol is defined by the linker. */ extern IMAGE_DOS_HEADER __ImageBase; -#endif WINBOOL _ValidateImageBase (PBYTE); diff --git a/lib/libc/mingw/crt/pseudo-reloc.c b/lib/libc/mingw/crt/pseudo-reloc.c index d4589ca663..d6eb089d46 100644 --- a/lib/libc/mingw/crt/pseudo-reloc.c +++ b/lib/libc/mingw/crt/pseudo-reloc.c @@ -48,7 +48,7 @@ extern char __RUNTIME_PSEUDO_RELOC_LIST__; extern char __RUNTIME_PSEUDO_RELOC_LIST_END__; -extern IMAGE_DOS_HEADER __MINGW_LSYMBOL(_image_base__); +extern IMAGE_DOS_HEADER __ImageBase; void _pei386_runtime_relocator (void); @@ -480,6 +480,7 @@ do_pseudo_reloc (void * start, void * end, void * base) } } +__attribute__((used)) /* required due to bug in gcc / ld */ void _pei386_runtime_relocator (void) { @@ -499,11 +500,7 @@ _pei386_runtime_relocator (void) do_pseudo_reloc (&__RUNTIME_PSEUDO_RELOC_LIST__, &__RUNTIME_PSEUDO_RELOC_LIST_END__, -#ifdef __GNUC__ - &__MINGW_LSYMBOL(_image_base__) -#else &__ImageBase -#endif ); #ifdef __MINGW64_VERSION_MAJOR restore_modified_sections (); diff --git a/lib/libc/mingw/crt/tls_atexit.c b/lib/libc/mingw/crt/tls_atexit.c index f39731ad76..0412fa4bac 100644 --- a/lib/libc/mingw/crt/tls_atexit.c +++ b/lib/libc/mingw/crt/tls_atexit.c @@ -54,42 +54,51 @@ int __mingw_cxa_atexit(dtor_fn dtor, void *obj, void *dso) { } static void run_dtor_list(dtor_obj **ptr) { - dtor_obj *list = *ptr; - while (list) { - list->dtor(list->obj); - dtor_obj *next = list->next; - free(list); - list = next; + if (!ptr) + return; + while (*ptr) { + dtor_obj *cur = *ptr; + *ptr = cur->next; + cur->dtor(cur->obj); + free(cur); } - *ptr = NULL; } int __mingw_cxa_thread_atexit(dtor_fn dtor, void *obj, void *dso) { if (!inited) return 1; assert(!dso || dso == &__dso_handle); + + dtor_obj **head = (dtor_obj **)TlsGetValue(tls_dtors_slot); + if (!head) { + head = (dtor_obj **) calloc(1, sizeof(*head)); + if (!head) + return 1; + TlsSetValue(tls_dtors_slot, head); + } dtor_obj *handler = (dtor_obj *) calloc(1, sizeof(*handler)); if (!handler) return 1; handler->dtor = dtor; handler->obj = obj; - handler->next = (dtor_obj *)TlsGetValue(tls_dtors_slot); - TlsSetValue(tls_dtors_slot, handler); + handler->next = *head; + *head = handler; return 0; } static void WINAPI tls_atexit_callback(HANDLE __UNUSED_PARAM(hDllHandle), DWORD dwReason, LPVOID __UNUSED_PARAM(lpReserved)) { if (dwReason == DLL_PROCESS_DETACH) { - dtor_obj * p = (dtor_obj *)TlsGetValue(tls_dtors_slot); - run_dtor_list(&p); - TlsSetValue(tls_dtors_slot, p); + dtor_obj **p = (dtor_obj **)TlsGetValue(tls_dtors_slot); + run_dtor_list(p); + free(p); + TlsSetValue(tls_dtors_slot, NULL); TlsFree(tls_dtors_slot); run_dtor_list(&global_dtors); } } static void WINAPI tls_callback(HANDLE hDllHandle, DWORD dwReason, LPVOID __UNUSED_PARAM(lpReserved)) { - dtor_obj * p; + dtor_obj **p; switch (dwReason) { case DLL_PROCESS_ATTACH: if (inited == 0) { @@ -134,9 +143,10 @@ static void WINAPI tls_callback(HANDLE hDllHandle, DWORD dwReason, LPVOID __UNUS * linked CRT (which still runs TLS destructors for the main thread). */ if (__mingw_module_is_dll) { - p = (dtor_obj *)TlsGetValue(tls_dtors_slot); - run_dtor_list(&p); - TlsSetValue(tls_dtors_slot, p); + p = (dtor_obj **)TlsGetValue(tls_dtors_slot); + run_dtor_list(p); + free(p); + TlsSetValue(tls_dtors_slot, NULL); /* For DLLs, run dtors when detached. For EXEs, run dtors via the * thread local atexit callback, to make sure they don't run when * exiting the process with _exit or ExitProcess. */ @@ -151,9 +161,10 @@ static void WINAPI tls_callback(HANDLE hDllHandle, DWORD dwReason, LPVOID __UNUS case DLL_THREAD_ATTACH: break; case DLL_THREAD_DETACH: - p = (dtor_obj *)TlsGetValue(tls_dtors_slot); - run_dtor_list(&p); - TlsSetValue(tls_dtors_slot, p); + p = (dtor_obj **)TlsGetValue(tls_dtors_slot); + run_dtor_list(p); + free(p); + TlsSetValue(tls_dtors_slot, NULL); break; } } diff --git a/lib/libc/mingw/crt/tlssup.c b/lib/libc/mingw/crt/tlssup.c index 47beb27fcc..1b9d7b4a0b 100644 --- a/lib/libc/mingw/crt/tlssup.c +++ b/lib/libc/mingw/crt/tlssup.c @@ -44,6 +44,7 @@ _CRTALLOC(".tls$ZZZ") char *_tls_end = NULL; _CRTALLOC(".CRT$XLA") PIMAGE_TLS_CALLBACK __xl_a = 0; _CRTALLOC(".CRT$XLZ") PIMAGE_TLS_CALLBACK __xl_z = 0; +__attribute__((used)) const IMAGE_TLS_DIRECTORY _tls_used = { (ULONG_PTR) &_tls_start, (ULONG_PTR) &_tls_end, (ULONG_PTR) &_tls_index, (ULONG_PTR) (&__xl_a+1), diff --git a/lib/libc/mingw/crt/ucrtbase_compat.c b/lib/libc/mingw/crt/ucrtbase_compat.c new file mode 100644 index 0000000000..31a3ee3f1d --- /dev/null +++ b/lib/libc/mingw/crt/ucrtbase_compat.c @@ -0,0 +1,169 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#ifdef __GNUC__ +#pragma GCC diagnostic push +#pragma GCC diagnostic ignored "-Winline" +#endif + +#undef __MSVCRT_VERSION__ +#define _UCRT + +#define __getmainargs crtimp___getmainargs +#define __wgetmainargs crtimp___wgetmainargs +#define _amsg_exit crtimp__amsg_exit +#define _get_output_format crtimp__get_output_format + +#include +#include +#include +#include +#include + +#undef __getmainargs +#undef __wgetmainargs +#undef _amsg_exit +#undef _get_output_format + + + +// Declarations of non-static functions implemented within this file (that aren't +// declared in any of the included headers, and that isn't mapped away with a define +// to get rid of the _CRTIMP in headers). +int __cdecl __getmainargs(int * _Argc, char *** _Argv, char ***_Env, int _DoWildCard, _startupinfo *_StartInfo); +int __cdecl __wgetmainargs(int * _Argc, wchar_t *** _Argv, wchar_t ***_Env, int _DoWildCard, _startupinfo *_StartInfo); +void __cdecl __MINGW_ATTRIB_NORETURN _amsg_exit(int ret); +unsigned int __cdecl _get_output_format(void); + +int __cdecl __ms_fwprintf(FILE *, const wchar_t *, ...); + +// Declarations of functions from ucrtbase.dll that we use below +_CRTIMP int* __cdecl __p___argc(void); +_CRTIMP char*** __cdecl __p___argv(void); +_CRTIMP wchar_t*** __cdecl __p___wargv(void); +_CRTIMP char*** __cdecl __p__environ(void); +_CRTIMP wchar_t*** __cdecl __p__wenviron(void); + +_CRTIMP int __cdecl _initialize_narrow_environment(void); +_CRTIMP int __cdecl _initialize_wide_environment(void); +_CRTIMP int __cdecl _configure_narrow_argv(int mode); +_CRTIMP int __cdecl _configure_wide_argv(int mode); + +// Declared in new.h, but only visible to C++ +_CRTIMP int __cdecl _set_new_mode(int _NewMode); + +extern char __mingw_module_is_dll; + + +// Wrappers with legacy msvcrt.dll style API, based on the new ucrtbase.dll functions. +int __cdecl __getmainargs(int * _Argc, char *** _Argv, char ***_Env, int _DoWildCard, _startupinfo *_StartInfo) +{ + _initialize_narrow_environment(); + _configure_narrow_argv(_DoWildCard ? 2 : 1); + *_Argc = *__p___argc(); + *_Argv = *__p___argv(); + *_Env = *__p__environ(); + if (_StartInfo) + _set_new_mode(_StartInfo->newmode); + return 0; +} + +int __cdecl __wgetmainargs(int * _Argc, wchar_t *** _Argv, wchar_t ***_Env, int _DoWildCard, _startupinfo *_StartInfo) +{ + _initialize_wide_environment(); + _configure_wide_argv(_DoWildCard ? 2 : 1); + *_Argc = *__p___argc(); + *_Argv = *__p___wargv(); + *_Env = *__p__wenviron(); + if (_StartInfo) + _set_new_mode(_StartInfo->newmode); + return 0; +} + +_onexit_t __cdecl _onexit(_onexit_t func) +{ + return _crt_atexit((_PVFV)func) == 0 ? func : NULL; +} + +_onexit_t __cdecl (*__MINGW_IMP_SYMBOL(_onexit))(_onexit_t func) = _onexit; + +int __cdecl at_quick_exit(void (__cdecl *func)(void)) +{ + // In a DLL, we can't register a function with _crt_at_quick_exit, because + // we can't unregister it when the DLL is unloaded. This matches how + // at_quick_exit/quick_exit work with MSVC with a dynamically linked CRT. + if (__mingw_module_is_dll) + return 0; + return _crt_at_quick_exit(func); +} + +int __cdecl (*__MINGW_IMP_SYMBOL(at_quick_exit))(void (__cdecl *)(void)) = at_quick_exit; + +void __cdecl __MINGW_ATTRIB_NORETURN _amsg_exit(int ret) { + fprintf(stderr, "runtime error %d\n", ret); + _exit(255); +} + +unsigned int __cdecl _get_output_format(void) +{ + return 0; +} + + +// These are required to provide the unrepfixed data symbols "timezone" +// and "tzname"; we can't remap "timezone" via a define due to clashes +// with e.g. "struct timezone". +typedef void __cdecl (*_tzset_func)(void); +extern _tzset_func __MINGW_IMP_SYMBOL(_tzset); + +// Default initial values until _tzset has been called; these are the same +// as the initial values in msvcrt/ucrtbase. +static char initial_tzname0[] = "PST"; +static char initial_tzname1[] = "PDT"; +static char *initial_tznames[] = { initial_tzname0, initial_tzname1 }; +static long initial_timezone = 28800; +static int initial_daylight = 1; +char** __MINGW_IMP_SYMBOL(tzname) = initial_tznames; +long * __MINGW_IMP_SYMBOL(timezone) = &initial_timezone; +int * __MINGW_IMP_SYMBOL(daylight) = &initial_daylight; + +void __cdecl _tzset(void) +{ + __MINGW_IMP_SYMBOL(_tzset)(); + // Redirect the __imp_ pointers to the actual data provided by the UCRT. + // From this point, the exposed values should stay in sync. + __MINGW_IMP_SYMBOL(tzname) = _tzname; + __MINGW_IMP_SYMBOL(timezone) = __timezone(); + __MINGW_IMP_SYMBOL(daylight) = __daylight(); +} + +void __cdecl tzset(void) +{ + _tzset(); +} + +// This is called for wchar cases with __USE_MINGW_ANSI_STDIO enabled (where the +// char case just uses fputc). +int __cdecl __ms_fwprintf(FILE *file, const wchar_t *fmt, ...) +{ + va_list ap; + int ret; + va_start(ap, fmt); + ret = __stdio_common_vfwprintf(_CRT_INTERNAL_PRINTF_LEGACY_WIDE_SPECIFIERS, file, fmt, NULL, ap); + va_end(ap); + return ret; +} + +// Dummy/unused __imp_ wrappers, to make GNU ld not autoexport these symbols. +int __cdecl (*__MINGW_IMP_SYMBOL(__getmainargs))(int *, char ***, char ***, int, _startupinfo *) = __getmainargs; +int __cdecl (*__MINGW_IMP_SYMBOL(__wgetmainargs))(int *, wchar_t ***, wchar_t ***, int, _startupinfo *) = __wgetmainargs; +void __cdecl (*__MINGW_IMP_SYMBOL(_amsg_exit))(int) = _amsg_exit; +unsigned int __cdecl (*__MINGW_IMP_SYMBOL(_get_output_format))(void) = _get_output_format; +void __cdecl (*__MINGW_IMP_SYMBOL(tzset))(void) = tzset; +int __cdecl (*__MINGW_IMP_SYMBOL(__ms_fwprintf))(FILE *, const wchar_t *, ...) = __ms_fwprintf; +#ifdef __GNUC__ +#pragma GCC diagnostic pop +#endif diff --git a/lib/libc/mingw/crt/udll_argv.c b/lib/libc/mingw/crt/udll_argv.c index a60927cffe..b834304d6c 100644 --- a/lib/libc/mingw/crt/udll_argv.c +++ b/lib/libc/mingw/crt/udll_argv.c @@ -10,7 +10,6 @@ #ifndef _UNICODE #define _UNICODE #endif -#define WPRFLAG 1 #include "dll_argv.c" diff --git a/lib/libc/mingw/crt/udllargc.c b/lib/libc/mingw/crt/udllargc.c index f6ab6b1a77..46977a9f65 100644 --- a/lib/libc/mingw/crt/udllargc.c +++ b/lib/libc/mingw/crt/udllargc.c @@ -10,7 +10,6 @@ #ifndef _UNICODE #define _UNICODE #endif -#define WPRFLAG 1 #include "dllargv.c" diff --git a/lib/libc/mingw/def-include/msvcrt-common.def.in b/lib/libc/mingw/def-include/msvcrt-common.def.in index e28b09e596..b68964db0d 100644 --- a/lib/libc/mingw/def-include/msvcrt-common.def.in +++ b/lib/libc/mingw/def-include/msvcrt-common.def.in @@ -12,7 +12,11 @@ wcscmpi == _wcsicmp strcasecmp == _stricmp strncasecmp == _strnicmp +#ifdef UCRTBASE +; access is provided as an alias for __mingw_access +#else ADD_UNDERSCORE(access) +#endif ADD_UNDERSCORE(chdir) ADD_UNDERSCORE(chmod) ADD_UNDERSCORE(chsize) @@ -139,15 +143,10 @@ ADD_UNDERSCORE(hypot) ;logb ADD_UNDERSCORE(nextafter) -longjmp - #ifndef UCRTBASE -_daylight DATA -_timezone DATA -_tzname DATA -ADD_UNDERSCORE(daylight) -ADD_UNDERSCORE(timezone) -ADD_UNDERSCORE(tzname) +daylight DATA == _daylight +timezone DATA == _timezone +tzname DATA == _tzname ADD_UNDERSCORE(vsnprintf_s) #endif diff --git a/lib/libc/mingw/gdtoa/arithchk.c b/lib/libc/mingw/gdtoa/arithchk.c index f008fe16a9..af6dea9776 100644 --- a/lib/libc/mingw/gdtoa/arithchk.c +++ b/lib/libc/mingw/gdtoa/arithchk.c @@ -42,7 +42,7 @@ VAX = { "VAX", 4 }, CRAY = { "CRAY", 5}; static Akind * -Lcheck() +Lcheck(void) { union { double d; @@ -69,7 +69,7 @@ Lcheck() } static Akind * -icheck() +icheck(void) { union { double d; @@ -95,10 +95,8 @@ icheck() return 0; } -char *emptyfmt = ""; /* avoid possible warning message with printf("") */ - static Akind * -ccheck() +ccheck(int ac, char **av) { union { double d; @@ -107,10 +105,11 @@ ccheck() long Cray1; /* Cray1 = 4617762693716115456 -- without overflow on non-Crays */ - Cray1 = printf(emptyfmt) < 0 ? 0 : 4617762; - if (printf(emptyfmt, Cray1) >= 0) + /* The next three tests should always be true. */ + Cray1 = ac >= -2 ? 4617762 : 0; + if (ac >= -1) Cray1 = 1000000*Cray1 + 693716; - if (printf(emptyfmt, Cray1) >= 0) + if (av || ac >= 0) Cray1 = 1000000*Cray1 + 115456; u.d = 1e13; if (u.L == Cray1) @@ -119,7 +118,7 @@ ccheck() } static int -fzcheck() +fzcheck(void) { double a, b; int i; @@ -138,7 +137,7 @@ fzcheck() } int -main() +main(int argc, char **argv) { Akind *a = 0; int Ldef = 0; @@ -161,7 +160,7 @@ main() a = icheck(); } else if (sizeof(double) == sizeof(long)) - a = ccheck(); + a = ccheck(argc, argv); if (a) { fprintf(f, "#define %s\n#define Arith_Kind_ASL %d\n", a->name, a->kind); diff --git a/lib/libc/mingw/gdtoa/dtoa.c b/lib/libc/mingw/gdtoa/dtoa.c index 2906bd99f6..6c8711303d 100644 --- a/lib/libc/mingw/gdtoa/dtoa.c +++ b/lib/libc/mingw/gdtoa/dtoa.c @@ -117,7 +117,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv ULong x; #endif Bigint *b, *b1, *delta, *mlo, *mhi, *S; - union _dbl_union d, d2, eps; + union _dbl_union d, d2, eps, eps1; double ds; char *s, *s0; #ifdef SET_INEXACT @@ -282,7 +282,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv break; case 2: leftright = 0; - /* no break */ + /* fallthrough */ case 4: if (ndigits <= 0) ndigits = 1; @@ -290,7 +290,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv break; case 3: leftright = 0; - /* no break */ + /* fallthrough */ case 5: i = ndigits + k + 1; ilim = i; @@ -363,12 +363,28 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv * generating digits needed. */ dval(&eps) = 0.5/tens[ilim-1] - dval(&eps); + if (k0 < 0 && j2 >= 307) { + eps1.d = 1.01e256; /* 1.01 allows roundoff in the next few lines */ + word0(&eps1) -= Exp_msk1 * (Bias+P-1); + dval(&eps1) *= tens[j2 & 0xf]; + for(i = 0, j = (j2-256) >> 4; j; j >>= 1, i++) + if (j & 1) + dval(&eps1) *= bigtens[i]; + if (eps.d < eps1.d) + eps.d = eps1.d; + if (10. - d.d < 10.*eps.d && eps.d < 1.) { + /* eps.d < 1. excludes trouble with the tiniest denormal */ + *s++ = '1'; + ++k; + goto ret1; + } + } for(i = 0;;) { L = dval(&d); dval(&d) -= L; *s++ = '0' + (int)L; if (dval(&d) < dval(&eps)) - goto ret1; + goto retc; if (1. - dval(&d) < dval(&eps)) goto bump_up; if (++i >= ilim) @@ -389,11 +405,8 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv if (i == ilim) { if (dval(&d) > 0.5 + dval(&eps)) goto bump_up; - else if (dval(&d) < 0.5 - dval(&eps)) { - while(*--s == '0'); - s++; - goto ret1; - } + else if (dval(&d) < 0.5 - dval(&eps)) + goto retc; break; } } @@ -439,7 +452,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv #ifdef Honor_FLT_ROUNDS if (mode > 1) switch(Rounding) { - case 0: goto ret1; + case 0: goto retc; case 2: goto bump_up; } #endif @@ -462,7 +475,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv break; } } - goto ret1; + goto retc; } m2 = b2; @@ -650,7 +663,7 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv } if (j2 > 0) { #ifdef Honor_FLT_ROUNDS - if (!Rounding) + if (!Rounding && mode > 1) goto accept_dig; #endif if (dig == '9') { /* possible if i == 1 */ @@ -729,6 +742,10 @@ char *__dtoa (double d0, int mode, int ndigits, int *decpt, int *sign, char **rv Bfree(mlo); Bfree(mhi); } +retc: + while(s > s0 && s[-1] == '0') + --s; + /* fallthrough */ ret1: #ifdef SET_INEXACT if (inexact) { diff --git a/lib/libc/mingw/gdtoa/g__fmt.c b/lib/libc/mingw/gdtoa/g__fmt.c index 49bd95a845..98ef7be140 100644 --- a/lib/libc/mingw/gdtoa/g__fmt.c +++ b/lib/libc/mingw/gdtoa/g__fmt.c @@ -35,6 +35,30 @@ THIS SOFTWARE. #include "locale.h" #endif +#ifndef ldus_QNAN0 +#define ldus_QNAN0 0x7fff +#endif +#ifndef ldus_QNAN1 +#define ldus_QNAN1 0xc000 +#endif +#ifndef ldus_QNAN2 +#define ldus_QNAN2 0 +#endif +#ifndef ldus_QNAN3 +#define ldus_QNAN3 0 +#endif +#ifndef ldus_QNAN4 +#define ldus_QNAN4 0 +#endif + + const char *InfName[6] = { "Infinity", "infinity", "INFINITY", "Inf", "inf", "INF" }; + const char *NanName[3] = { "NaN", "nan", "NAN" }; + ULong NanDflt_Q_D2A[4] = { 0xffffffff, 0xffffffff, 0xffffffff, 0x7fffffff }; + ULong NanDflt_d_D2A[2] = { d_QNAN1, d_QNAN0 }; + ULong NanDflt_f_D2A[1] = { f_QNAN }; + ULong NanDflt_xL_D2A[3] = { 1, 0x80000000, 0x7fff0000 }; + UShort NanDflt_ldus_D2A[5] = { ldus_QNAN4, ldus_QNAN3, ldus_QNAN2, ldus_QNAN1, ldus_QNAN0 }; + char *__g__fmt (char *b, char *s, char *se, int decpt, ULong sign, size_t blen) { int i, j, k; @@ -140,3 +164,35 @@ char *__g__fmt (char *b, char *s, char *se, int decpt, ULong sign, size_t blen) __freedtoa(s0); return b; } + + char * +__add_nanbits_D2A(char *b, size_t blen, ULong *bits, int nb) +{ + ULong t; + char *rv; + int i, j; + size_t L; + static char Hexdig[16] = "0123456789abcdef"; + + while(!bits[--nb]) + if (!nb) + return b; + L = 8*nb + 3; + t = bits[nb]; + do ++L; while((t >>= 4)); + if (L > blen) + return b; + b += L; + *--b = 0; + rv = b; + *--b = /*(*/ ')'; + for(i = 0; i < nb; ++i) { + t = bits[i]; + for(j = 0; j < 8; ++j, t >>= 4) + *--b = Hexdig[t & 0xf]; + } + t = bits[nb]; + do *--b = Hexdig[t & 0xf]; while(t >>= 4); + *--b = '('; /*)*/ + return rv; + } diff --git a/lib/libc/mingw/gdtoa/g_dfmt.c b/lib/libc/mingw/gdtoa/g_dfmt.c index 50ed708a6c..35ba81bdcb 100644 --- a/lib/libc/mingw/gdtoa/g_dfmt.c +++ b/lib/libc/mingw/gdtoa/g_dfmt.c @@ -45,7 +45,7 @@ char *__g_dfmt (char *buf, double *d, int ndig, size_t bufsize) if (ndig < 0) ndig = 0; - if ((int) bufsize < ndig + 10) + if (bufsize < (size_t)(ndig + 10)) return 0; L = (ULong*)d; diff --git a/lib/libc/mingw/gdtoa/g_ffmt.c b/lib/libc/mingw/gdtoa/g_ffmt.c index f3f7c2419c..bcf308b0f0 100644 --- a/lib/libc/mingw/gdtoa/g_ffmt.c +++ b/lib/libc/mingw/gdtoa/g_ffmt.c @@ -45,7 +45,7 @@ char *__g_ffmt (char *buf, float *f, int ndig, size_t bufsize) if (ndig < 0) ndig = 0; - if ((int) bufsize < ndig + 10) + if (bufsize < (size_t)(ndig + 10)) return 0; L = (ULong*)f; diff --git a/lib/libc/mingw/gdtoa/g_xfmt.c b/lib/libc/mingw/gdtoa/g_xfmt.c index da11a5881b..4d84f62bd0 100644 --- a/lib/libc/mingw/gdtoa/g_xfmt.c +++ b/lib/libc/mingw/gdtoa/g_xfmt.c @@ -69,7 +69,7 @@ char *__g_xfmt (char *buf, void *V, int ndig, size_t bufsize) if (ndig < 0) ndig = 0; - if ((int) bufsize < ndig + 10) + if (bufsize < (size_t)(ndig + 10)) return 0; L = (UShort *)V; @@ -103,14 +103,14 @@ char *__g_xfmt (char *buf, void *V, int ndig, size_t bufsize) if (ex != 0) { if (ex == 0x7fff) { /* Infinity or NaN */ - if (bits[0] | bits[1]) - b = strcp(buf, "NaN"); - else { + if (!bits[0] && bits[1]== 0x80000000) { b = buf; if (sign) *b++ = '-'; b = strcp(b, "Infinity"); } + else + b = strcp(buf, "NaN"); return b; } i = STRTOG_Normal; diff --git a/lib/libc/mingw/gdtoa/gd_qnan.h b/lib/libc/mingw/gdtoa/gd_qnan.h index 0b468c4922..bd324f0f6f 100644 --- a/lib/libc/mingw/gdtoa/gd_qnan.h +++ b/lib/libc/mingw/gdtoa/gd_qnan.h @@ -1,12 +1,3 @@ #define f_QNAN 0x7fc00000 #define d_QNAN0 0x0 #define d_QNAN1 0x7ff80000 -#define ld_QNAN0 0x0 -#define ld_QNAN1 0xc0000000 -#define ld_QNAN2 0x7fff -#define ld_QNAN3 0x0 -#define ldus_QNAN0 0x0 -#define ldus_QNAN1 0x0 -#define ldus_QNAN2 0x0 -#define ldus_QNAN3 0xc000 -#define ldus_QNAN4 0x7fff diff --git a/lib/libc/mingw/gdtoa/gdtoa.c b/lib/libc/mingw/gdtoa/gdtoa.c index cf9c290fb4..1cfe1953e4 100644 --- a/lib/libc/mingw/gdtoa/gdtoa.c +++ b/lib/libc/mingw/gdtoa/gdtoa.c @@ -103,7 +103,7 @@ static Bigint *bitstob (ULong *bits, int nbits, int *bbits) * calculation. */ -char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, +char *__gdtoa (const FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, int *decpt, char **rve) { /* Arguments ndigits and decpt are similar to the second and third @@ -270,7 +270,7 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, break; case 2: leftright = 0; - /* no break */ + /* fallthrough */ case 4: if (ndigits <= 0) ndigits = 1; @@ -278,7 +278,7 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, break; case 3: leftright = 0; - /* no break */ + /* fallthrough */ case 5: i = ndigits + k + 1; ilim = i; @@ -288,7 +288,9 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, } s = s0 = rv_alloc(i); - if ( (rdir = fpi->rounding - 1) !=0) { + if (mode <= 1) + rdir = 0; + else if ( (rdir = fpi->rounding - 1) !=0) { if (rdir < 0) rdir = 2; if (kind & STRTOG_Neg) @@ -393,7 +395,7 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, else if (dval(&d) < ds - dval(&eps)) { if (dval(&d)) inex = STRTOG_Inexlo; - goto clear_trailing0; + goto ret1; } break; } @@ -456,12 +458,8 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, } ++*s++; } - else { + else inex = STRTOG_Inexlo; - clear_trailing0: - while(*--s == '0'){} - ++s; - } break; } } @@ -712,8 +710,6 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, chopzeros: if (b->wds > 1 || b->x[0]) inex = STRTOG_Inexlo; - while(*--s == '0'){} - ++s; } ret: Bfree(S); @@ -723,6 +719,8 @@ char *__gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, Bfree(mhi); } ret1: + while(s > s0 && s[-1] == '0') + --s; Bfree(b); *s = 0; *decpt = k + 1; diff --git a/lib/libc/mingw/gdtoa/gdtoa.h b/lib/libc/mingw/gdtoa/gdtoa.h index c5c6f8d721..b2b4c54151 100644 --- a/lib/libc/mingw/gdtoa/gdtoa.h +++ b/lib/libc/mingw/gdtoa/gdtoa.h @@ -99,7 +99,7 @@ extern "C" { extern char* __dtoa (double d, int mode, int ndigits, int *decpt, int *sign, char **rve); -extern char* __gdtoa (FPI *fpi, int be, ULong *bits, int *kindp, +extern char* __gdtoa (const FPI *fpi, int be, ULong *bits, int *kindp, int mode, int ndigits, int *decpt, char **rve); extern void __freedtoa (char *); diff --git a/lib/libc/mingw/gdtoa/gdtoaimp.h b/lib/libc/mingw/gdtoa/gdtoaimp.h index 49b9ce05b3..cc2007cd5f 100644 --- a/lib/libc/mingw/gdtoa/gdtoaimp.h +++ b/lib/libc/mingw/gdtoa/gdtoaimp.h @@ -200,6 +200,12 @@ extern void *MALLOC (size_t); #define MALLOC malloc #endif +#ifdef REALLOC +extern void *REALLOC (void*, size_t); +#else +#define REALLOC realloc +#endif + #undef IEEE_Arith #undef Avoid_Underflow #ifdef IEEE_MC68k @@ -457,10 +463,13 @@ extern double rnd_prod(double, double), rnd_quot(double, double); #define ALL_ON 0xffff #endif -#ifndef MULTIPLE_THREADS +#ifdef MULTIPLE_THREADS /*{{*/ +extern void ACQUIRE_DTOA_LOCK (unsigned int); +extern void FREE_DTOA_LOCK (unsigned int); +#else /*}{*/ #define ACQUIRE_DTOA_LOCK(n) /*nothing*/ #define FREE_DTOA_LOCK(n) /*nothing*/ -#endif +#endif /*}}*/ #define Kmax 9 @@ -501,12 +510,15 @@ __hi0bits_D2A (ULong y) #define Balloc __Balloc_D2A #define Bfree __Bfree_D2A +#define InfName __InfName_D2A +#define NanName __NanName_D2A #define ULtoQ __ULtoQ_D2A #define ULtof __ULtof_D2A #define ULtod __ULtod_D2A #define ULtodd __ULtodd_D2A #define ULtox __ULtox_D2A #define ULtoxL __ULtoxL_D2A +#define add_nanbits __add_nanbits_D2A #define any_on __any_on_D2A #define b2d __b2d_D2A #define bigtens __bigtens_D2A @@ -548,9 +560,11 @@ __hi0bits_D2A (ULong y) #define hexdig_init_D2A __mingw_hexdig_init_D2A +extern char *add_nanbits (char*, size_t, ULong*, int); extern char *dtoa_result; extern const double bigtens[], tens[], tinytens[]; extern unsigned char hexdig[]; +extern const char *InfName[6], *NanName[3]; extern Bigint *Balloc (int); extern void Bfree (Bigint*); @@ -567,9 +581,9 @@ extern void copybits (ULong*, int, Bigint*); extern Bigint *d2b (double, int*, int*); extern void decrement (Bigint*); extern Bigint *diff (Bigint*, Bigint*); -extern int gethex (const char**, FPI*, Long*, Bigint**, int); +extern int gethex (const char**, const FPI*, Long*, Bigint**, int); extern void hexdig_init_D2A(void); -extern int hexnan (const char**, FPI*, ULong*); +extern int hexnan (const char**, const FPI*, ULong*); extern int hi0bits_D2A (ULong); extern Bigint *i2b (int); extern Bigint *increment (Bigint*); diff --git a/lib/libc/mingw/gdtoa/gethex.c b/lib/libc/mingw/gdtoa/gethex.c index 276175453e..b555dd716e 100644 --- a/lib/libc/mingw/gdtoa/gethex.c +++ b/lib/libc/mingw/gdtoa/gethex.c @@ -35,7 +35,7 @@ THIS SOFTWARE. #include "locale.h" #endif -int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) +int gethex (const char **sp, const FPI *fpi, Long *expo, Bigint **bp, int sign) { Bigint *b; const unsigned char *decpt, *s0, *s, *s1; @@ -62,8 +62,7 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) #endif #endif - if (!hexdig['0']) - hexdig_init_D2A(); + /**** if (!hexdig['0']) hexdig_init_D2A(); ****/ *bp = 0; havedig = 0; s0 = *(const unsigned char **)sp + 2; @@ -125,7 +124,7 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) switch(*++s) { case '-': esign = 1; - /* no break */ + /* fallthrough */ case '+': s++; } @@ -177,7 +176,6 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) case FPI_Round_down: if (sign) goto ovfl1; - goto ret_big; } ret_big: nbits = fpi->nbits; @@ -190,8 +188,8 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) for(j = 0; j < n0; ++j) b->x[j] = ALL_ON; if (n > n0) - b->x[j] = ULbits >> (ULbits - (nbits & kmask)); - *expo = fpi->emin; + b->x[j] = ALL_ON >> (ULbits - (nbits & kmask)); + *expo = fpi->emax; return STRTOG_Normal | STRTOG_Inexlo; } n = s1 - s0 - 1; @@ -253,6 +251,17 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) Bfree(b); ovfl1: SET_ERRNO(ERANGE); + switch (fpi->rounding) { + case FPI_Round_zero: + goto ret_big; + case FPI_Round_down: + if (!sign) + goto ret_big; + break; + case FPI_Round_up: + if (sign) + goto ret_big; + } return STRTOG_Infinite | STRTOG_Overflow | STRTOG_Inexhi; } irv = STRTOG_Normal; @@ -262,7 +271,7 @@ int gethex (const char **sp, FPI *fpi, Long *expo, Bigint **bp, int sign) if (n >= nbits) { switch (fpi->rounding) { case FPI_Round_near: - if (n == nbits && (n < 2 || any_on(b,n-1))) + if (n == nbits && (n < 2 || lostbits || any_on(b,n-1))) goto one_bit; break; case FPI_Round_up: diff --git a/lib/libc/mingw/gdtoa/hd_init.c b/lib/libc/mingw/gdtoa/hd_init.c index 5ee0caa73d..acbb6d84fc 100644 --- a/lib/libc/mingw/gdtoa/hd_init.c +++ b/lib/libc/mingw/gdtoa/hd_init.c @@ -31,6 +31,7 @@ THIS SOFTWARE. #include "gdtoaimp.h" +#if 0 unsigned char hexdig[256]; static void htinit (unsigned char *h, unsigned char *s, int inc) @@ -40,10 +41,31 @@ static void htinit (unsigned char *h, unsigned char *s, int inc) h[j] = i + inc; } -void hexdig_init_D2A (void) ++hexdig_init_D2A(void) /* Use of hexdig_init omitted 20121220 to avoid a */ + /* race condition when multiple threads are used. */ { #define USC (unsigned char *) htinit(hexdig, USC "0123456789", 0x10); htinit(hexdig, USC "abcdef", 0x10 + 10); htinit(hexdig, USC "ABCDEF", 0x10 + 10); } +#else + unsigned char hexdig[256] = { + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 16,17,18,19,20,21,22,23,24,25,0,0,0,0,0,0, + 0,26,27,28,29,30,31,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,26,27,28,29,30,31,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, + 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0 + }; +#endif diff --git a/lib/libc/mingw/gdtoa/hexnan.c b/lib/libc/mingw/gdtoa/hexnan.c index 4fa4c77458..00b073eb3e 100644 --- a/lib/libc/mingw/gdtoa/hexnan.c +++ b/lib/libc/mingw/gdtoa/hexnan.c @@ -44,14 +44,13 @@ static void L_shift (ULong *x, ULong *x1, int i) } while(++x < x1); } -int hexnan (const char **sp, FPI *fpi, ULong *x0) +int hexnan (const char **sp, const FPI *fpi, ULong *x0) { ULong c, h, *x, *x1, *xe; const char *s; int havedig, hd0, i, nbits; - if (!hexdig['0']) - hexdig_init_D2A(); + /**** if (!hexdig['0']) hexdig_init_D2A(); ****/ nbits = fpi->nbits; x = x0 + (nbits >> kshift); if (nbits & kmask) @@ -61,8 +60,11 @@ int hexnan (const char **sp, FPI *fpi, ULong *x0) havedig = hd0 = i = 0; s = *sp; /* allow optional initial 0x or 0X */ - while((c = *(const unsigned char*)(s+1)) && c <= ' ') + while((c = *(const unsigned char*)(s+1)) && c <= ' ') { + if (!c) + goto retnan; ++s; + } if (s[1] == '0' && (s[2] == 'x' || s[2] == 'X') && *(const unsigned char*)(s+3) > ' ') s += 2; @@ -81,8 +83,11 @@ int hexnan (const char **sp, FPI *fpi, ULong *x0) x1 = x; i = 0; } - while(*(const unsigned char*)(s+1) <= ' ') + while((c = *(const unsigned char*)(s+1)) <= ' ') { + if (!c) + goto retnan; ++s; + } if (s[1] == '0' && (s[2] == 'x' || s[2] == 'X') && *(const unsigned char*)(s+3) > ' ') s += 2; @@ -96,10 +101,11 @@ int hexnan (const char **sp, FPI *fpi, ULong *x0) do { if (/*(*/ c == ')') { *sp = s + 1; - break; + goto break2; } } while((c = *++s)); #endif + retnan: return STRTOG_NaN; } havedig++; @@ -111,6 +117,9 @@ int hexnan (const char **sp, FPI *fpi, ULong *x0) } *x = (*x << 4) | (h & 0xf); } +#ifndef GDTOA_NON_PEDANTIC_NANCHECK + break2: +#endif if (!havedig) return STRTOG_NaN; if (x < x1 && i < 8) diff --git a/lib/libc/mingw/gdtoa/misc.c b/lib/libc/mingw/gdtoa/misc.c index 43f31cea55..adc955ec0c 100644 --- a/lib/libc/mingw/gdtoa/misc.c +++ b/lib/libc/mingw/gdtoa/misc.c @@ -69,7 +69,7 @@ static void dtoa_lock_cleanup (void) } } -static void dtoa_lock (int n) +static void dtoa_lock (unsigned int n) { if (2 == dtoa_CS_init) { EnterCriticalSection (&dtoa_CritSec[n]); @@ -96,7 +96,7 @@ static void dtoa_lock (int n) EnterCriticalSection(&dtoa_CritSec[n]); } -static void dtoa_unlock (int n) +static void dtoa_unlock (unsigned int n) { if (2 == dtoa_CS_init) LeaveCriticalSection (&dtoa_CritSec[n]); diff --git a/lib/libc/mingw/gdtoa/qnan.c b/lib/libc/mingw/gdtoa/qnan.c index c6bc3fe49b..e6e0564ca4 100644 --- a/lib/libc/mingw/gdtoa/qnan.c +++ b/lib/libc/mingw/gdtoa/qnan.c @@ -51,15 +51,27 @@ SOFTWARE. typedef unsigned Long Ulong; +#ifdef NO_LONG_LONG +#undef Gen_ld_QNAN +#endif + #undef HAVE_IEEE #ifdef IEEE_8087 #define _0 1 #define _1 0 +#ifdef Gen_ld_QNAN +#define _3 3 +static int perm[4] = { 0, 1, 2, 3 }; +#endif #define HAVE_IEEE #endif #ifdef IEEE_MC68k #define _0 0 #define _1 1 +#ifdef Gen_ld_QNAN +#define _3 0 +static int perm[4] = { 3, 2, 1, 0 }; +#endif #define HAVE_IEEE #endif @@ -75,40 +87,35 @@ main(void) double d; Ulong L[4]; #ifndef NO_LONG_LONG -/* need u[8] instead of u[5] for 64 bit */ - unsigned short u[8]; + unsigned short u[5]; long double D; #endif } U; U a, b, c; +#ifdef Gen_ld_QNAN int i; - a.L[0]=a.L[1]=a.L[2]=a.L[3]=0; - b.L[0]=b.L[1]=b.L[2]=b.L[3]=0; - c.L[0]=c.L[1]=c.L[2]=c.L[3]=0; +#endif a.L[0] = b.L[0] = 0x7f800000; c.f = a.f - b.f; - printf("#define f_QNAN 0x%lx\n", UL c.L[0]); + printf("#define f_QNAN 0x%lx\n", UL (c.L[0] & 0x7fffffff)); a.L[_0] = b.L[_0] = 0x7ff00000; a.L[_1] = b.L[_1] = 0; c.d = a.d - b.d; /* quiet NaN */ + c.L[_0] &= 0x7fffffff; printf("#define d_QNAN0 0x%lx\n", UL c.L[0]); printf("#define d_QNAN1 0x%lx\n", UL c.L[1]); -#ifdef NO_LONG_LONG - for(i = 0; i < 4; i++) - printf("#define ld_QNAN%d 0xffffffff\n", i); - for(i = 0; i < 5; i++) - printf("#define ldus_QNAN%d 0xffff\n", i); -#else - b.D = c.D = a.d; - if (printf("") < 0) - c.D = 37; /* never executed; just defeat optimization */ - a.L[2] = a.L[3] = 0; - a.D = b.D - c.D; - for(i = 0; i < 4; i++) - printf("#define ld_QNAN%d 0x%lx\n", i, UL a.L[i]); - for(i = 0; i < 5; i++) - printf("#define ldus_QNAN%d 0x%x\n", i, a.u[i]); +#ifdef Gen_ld_QNAN + if (sizeof(a.D) >= 16) { + b.D = c.D = a.d; + if (printf("") < 0) + c.D = 37; /* never executed; just defeat optimization */ + a.L[0] = a.L[1] = a.L[2] = a.L[3] = 0; + a.D = b.D - c.D; + a.L[_3] &= 0x7fffffff; + for(i = 0; i < 4; i++) + printf("#define ld_QNAN%d 0x%lx\n", i, UL a.L[perm[i]]); + } #endif #endif /* HAVE_IEEE */ return 0; diff --git a/lib/libc/mingw/gdtoa/strtodg.c b/lib/libc/mingw/gdtoa/strtodg.c index 42ab9df3a2..9259371e31 100644 --- a/lib/libc/mingw/gdtoa/strtodg.c +++ b/lib/libc/mingw/gdtoa/strtodg.c @@ -270,8 +270,8 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) { int abe, abits, asub; int bb0, bb2, bb5, bbe, bd2, bd5, bbbits, bs2, c, decpt, denorm; - int dsign, e, e1, e2, emin, esign, finished, i, inex, irv; - int j, k, nbits, nd, nd0, nf, nz, nz0, rd, rvbits, rve, rve1, sign; + int dsign, e, e1, e2, emin, esign, finished, i, inex, irv, j, k; + int nbits, nd, nd0, nf, nz, nz0, rd, rvbits, rve, rve1, sign; int sudden_underflow; const char *s, *s0, *s1; double adj0, tol; @@ -309,11 +309,11 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) for(s = s00;;s++) switch(*s) { case '-': sign = 1; - /* no break */ + /* fallthrough */ case '+': if (*++s) goto break2; - /* no break */ + /* fallthrough */ case 0: sign = 0; irv = STRTOG_NoNumber; @@ -411,8 +411,10 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) switch(c = *++s) { case '-': esign = 1; + /* fallthrough */ case '+': c = *++s; + /* fallthrough */ } if (c >= '0' && c <= '9') { while(c == '0') @@ -494,7 +496,7 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) if (!nd0) nd0 = nd; - k = nd < DBL_DIG + 1 ? nd : DBL_DIG + 1; + k = nd < DBL_DIG + 2 ? nd : DBL_DIG + 2; dval(&rv) = y; if (k > 9) dval(&rv) = tens[k - 9] * dval(&rv) + z; @@ -921,20 +923,31 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) Bfree(bd0); Bfree(delta); if (rve > fpi->emax) { - switch(fpi->rounding & 3) { - case FPI_Round_near: - goto huge; - case FPI_Round_up: - if (!sign) - goto huge; - break; - case FPI_Round_down: - if (sign) - goto huge; - } - /* Round to largest representable magnitude */ +huge: Bfree(rvb); rvb = 0; + SET_ERRNO(ERANGE); + switch(fpi->rounding & 3) { + case FPI_Round_up: + if (!sign) + goto ret_inf; + break; + case FPI_Round_down: + if (!sign) + break; + /* fallthrough */ + case FPI_Round_near: + ret_inf: + irv = STRTOG_Infinite | STRTOG_Overflow | STRTOG_Inexhi; + k = nbits >> kshift; + if (nbits & kmask) + ++k; + memset(bits, 0, k*sizeof(ULong)); + infnanexp: + *expo = fpi->emax + 1; + goto ret; + } + /* Round to largest representable magnitude */ irv = STRTOG_Normal | STRTOG_Inexlo; *expo = fpi->emax; b = bits; @@ -943,13 +956,6 @@ int __strtodg (const char *s00, char **se, FPI *fpi, Long *expo, ULong *bits) *b++ = -1; if ((j = fpi->nbits & 0x1f)) *--be >>= (32 - j); - goto ret; - huge: - rvb->wds = 0; - irv = STRTOG_Infinite | STRTOG_Overflow | STRTOG_Inexhi; - SET_ERRNO(ERANGE); - infnanexp: - *expo = fpi->emax + 1; } ret: if (denorm) { diff --git a/lib/libc/mingw/gdtoa/strtodnrp.c b/lib/libc/mingw/gdtoa/strtodnrp.c index a7b9972ffd..bc5e861110 100644 --- a/lib/libc/mingw/gdtoa/strtodnrp.c +++ b/lib/libc/mingw/gdtoa/strtodnrp.c @@ -39,7 +39,7 @@ THIS SOFTWARE. double __strtod (const char *s, char **sp) { - static FPI fpi = { 53, 1-1023-53+1, 2046-1023-53+1, 1, SI, Int_max }; + static FPI fpi = { 53, 1-1023-53+1, 2046-1023-53+1, 1, SI, Int_max /*unused*/ }; ULong bits[2]; Long expo; int k; diff --git a/lib/libc/mingw/gdtoa/strtof.c b/lib/libc/mingw/gdtoa/strtof.c index 5f5208af33..e3f6d0c5ff 100644 --- a/lib/libc/mingw/gdtoa/strtof.c +++ b/lib/libc/mingw/gdtoa/strtof.c @@ -33,7 +33,7 @@ THIS SOFTWARE. float __strtof (const char *s, char **sp) { - static FPI fpi0 = { 24, 1-127-24+1, 254-127-24+1, 1, SI, Int_max }; + static FPI fpi0 = { 24, 1-127-24+1, 254-127-24+1, 1, SI, Int_max /*unused*/ }; ULong bits[1]; Long expo; int k; @@ -46,6 +46,7 @@ float __strtof (const char *s, char **sp) k = __strtodg(s, sp, fpi, &expo, bits); switch(k & STRTOG_Retmask) { + default: /* unused */ case STRTOG_NoNumber: case STRTOG_Zero: u.L[0] = 0; diff --git a/lib/libc/mingw/gdtoa/strtopx.c b/lib/libc/mingw/gdtoa/strtopx.c index 51f5ef42de..a5bc3ec60e 100644 --- a/lib/libc/mingw/gdtoa/strtopx.c +++ b/lib/libc/mingw/gdtoa/strtopx.c @@ -31,6 +31,8 @@ THIS SOFTWARE. #include "gdtoaimp.h" + extern UShort NanDflt_ldus_D2A[5]; + #undef _0 #undef _1 @@ -63,7 +65,7 @@ typedef union lD { static int __strtopx (const char *s, char **sp, lD *V) { static FPI fpi0 = { 64, 1-16383-64+1, 32766 - 16383 - 64 + 1, 1, SI, - Int_max }; + Int_max /*unused*/ }; ULong bits[2]; Long expo; int k; @@ -103,11 +105,11 @@ static int __strtopx (const char *s, char **sp, lD *V) break; case STRTOG_NaN: - L[0] = ldus_QNAN0; - L[1] = ldus_QNAN1; - L[2] = ldus_QNAN2; - L[3] = ldus_QNAN3; - L[4] = ldus_QNAN4; + L[_4] = NanDflt_ldus_D2A[0]; + L[_3] = NanDflt_ldus_D2A[1]; + L[_2] = NanDflt_ldus_D2A[2]; + L[_1] = NanDflt_ldus_D2A[3]; + L[_0] = NanDflt_ldus_D2A[4]; } if (k & STRTOG_Neg) L[_0] |= 0x8000; diff --git a/lib/libc/mingw/include/config.h b/lib/libc/mingw/include/config.h deleted file mode 100644 index 2e74ae1d19..0000000000 --- a/lib/libc/mingw/include/config.h +++ /dev/null @@ -1,73 +0,0 @@ -/* config.h. Generated from config.h.in by configure. */ -/* config.h.in. Generated from configure.ac by autoheader. */ - -/* Define to 1 if you have the header file. */ -#define HAVE_INTTYPES_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_STDINT_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_STDIO_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_STDLIB_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_STRINGS_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_STRING_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_SYS_STAT_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_SYS_TYPES_H 1 - -/* Define to 1 if you have the header file. */ -#define HAVE_UNISTD_H 1 - -/* Name of package */ -#define PACKAGE "mingw-w64-runtime" - -/* Define to the address where bug reports for this package should be sent. */ -#define PACKAGE_BUGREPORT "mingw-w64-public@lists.sourceforge.net" - -/* Define to the full name of this package. */ -#define PACKAGE_NAME "mingw-w64-runtime" - -/* Define to the full name and version of this package. */ -#define PACKAGE_STRING "mingw-w64-runtime 4.0b" - -/* Define to the one symbol short name of this package. */ -#define PACKAGE_TARNAME "mingw-w64-runtime" - -/* Define to the home page for this package. */ -#define PACKAGE_URL "" - -/* Define to the version of this package. */ -#define PACKAGE_VERSION "4.0b" - -/* Define to 1 if all of the C90 standard headers exist (not just the ones - required in a freestanding environment). This macro is provided for - backward compatibility; new code need not use it. */ -#define STDC_HEADERS 1 - -/* Version number of package */ -#define VERSION "4.0b" - -/* Build DFP support */ -/* #undef __ENABLE_DFP */ - -/* Define as -1 to enable command line globbing or 0 to disable it. */ -#define __ENABLE_GLOBBING 0 - -/* Build DFP support */ -/* #undef __ENABLE_PRINTF128 */ - -/* Build DFP support */ -/* #undef __ENABLE_REGISTEREDPRINTF */ - -/* Build softmath routines */ -/* #undef __ENABLE_SOFTMATH */ diff --git a/lib/libc/mingw/include/sect_attribs.h b/lib/libc/mingw/include/sect_attribs.h index 31b05da8e4..66087d7827 100644 --- a/lib/libc/mingw/include/sect_attribs.h +++ b/lib/libc/mingw/include/sect_attribs.h @@ -65,7 +65,7 @@ #if defined(_MSC_VER) #define _CRTALLOC(x) __declspec(allocate(x)) #elif defined(__GNUC__) -#define _CRTALLOC(x) __attribute__ ((section (x) )) +#define _CRTALLOC(x) __attribute__ ((section (x), used)) #else #error Your compiler is not supported. #endif diff --git a/lib/libc/mingw/lib-common/acledit.def b/lib/libc/mingw/lib-common/acledit.def new file mode 100644 index 0000000000..da55b74007 --- /dev/null +++ b/lib/libc/mingw/lib-common/acledit.def @@ -0,0 +1,16 @@ +; +; Exports of file ACLEDIT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ACLEDIT.dll +EXPORTS +EditAuditInfo +EditOwnerInfo +EditPermissionInfo +DllMain +FMExtensionProcW +SedDiscretionaryAclEditor +SedSystemAclEditor +SedTakeOwnership diff --git a/lib/libc/mingw/lib-common/advapi32.def.in b/lib/libc/mingw/lib-common/advapi32.def.in index b4e2aa21fa..45bb2bdc3e 100644 --- a/lib/libc/mingw/lib-common/advapi32.def.in +++ b/lib/libc/mingw/lib-common/advapi32.def.in @@ -441,12 +441,15 @@ LsaAddAccountRights LsaAddPrivilegesToAccount LsaClearAuditLog LsaClose +LsaConfigureAutoLogonCredentials LsaCreateAccount LsaCreateSecret LsaCreateTrustedDomain LsaCreateTrustedDomainEx LsaDelete LsaDeleteTrustedDomain +LsaDisableUserArso +LsaEnableUserArso LsaEnumerateAccountRights LsaEnumerateAccounts LsaEnumerateAccountsWithUserRight @@ -456,6 +459,7 @@ LsaEnumerateTrustedDomains LsaEnumerateTrustedDomainsEx LsaFreeMemory LsaGetAppliedCAPIDs +LsaGetDeviceRegistrationInfo LsaGetQuotasForAccount LsaGetRemoteUserName LsaGetSystemAccessAccount @@ -464,6 +468,9 @@ LsaICLookupNames LsaICLookupNamesWithCreds LsaICLookupSids LsaICLookupSidsWithCreds +LsaInvokeTrustScanner +LsaIsUserArsoAllowed +LsaIsUserArsoEnabled LsaLookupNames LsaLookupNames2 LsaLookupPrivilegeDisplayName @@ -479,9 +486,11 @@ LsaOpenPolicySce LsaOpenSecret LsaOpenTrustedDomain LsaOpenTrustedDomainByName +LsaProfileDeleted LsaQueryCAPs LsaQueryDomainInformationPolicy LsaQueryForestTrustInformation +LsaQueryForestTrustInformation2 LsaQueryInfoTrustedDomain LsaQueryInformationPolicy LsaQuerySecret @@ -494,6 +503,7 @@ LsaRetrievePrivateData LsaSetCAPs LsaSetDomainInformationPolicy LsaSetForestTrustInformation +LsaSetForestTrustInformation2 LsaSetInformationPolicy LsaSetInformationTrustedDomain LsaSetQuotasForAccount @@ -503,6 +513,7 @@ LsaSetSystemAccessAccount LsaSetTrustedDomainInfoByName LsaSetTrustedDomainInformation LsaStorePrivateData +LsaValidateProcUniqueLuid MD4Final MD4Init MD4Update diff --git a/lib/libc/mingw/lib-common/advpack.def b/lib/libc/mingw/lib-common/advpack.def index 2c9de94414..901eb87cc7 100644 --- a/lib/libc/mingw/lib-common/advpack.def +++ b/lib/libc/mingw/lib-common/advpack.def @@ -21,10 +21,8 @@ AdvInstallFileW CloseINFEngine DelNode DelNodeA -DelNodeRunDLL32 DelNodeRunDLL32W DelNodeW -DoInfInstall ExecuteCab ExecuteCabA ExecuteCabW @@ -34,7 +32,6 @@ ExtractFilesW FileSaveMarkNotExist FileSaveMarkNotExistA FileSaveMarkNotExistW -FileSaveRestore FileSaveRestoreOnINF FileSaveRestoreOnINFA FileSaveRestoreOnINFW @@ -47,7 +44,6 @@ GetVersionFromFileExW GetVersionFromFileW IsNTAdmin LaunchINFSection -LaunchINFSectionEx LaunchINFSectionExW LaunchINFSectionW NeedReboot @@ -70,7 +66,6 @@ RegSaveRestoreOnINF RegSaveRestoreOnINFA RegSaveRestoreOnINFW RegSaveRestoreW -RegisterOCX RunSetupCommand RunSetupCommandA RunSetupCommandW diff --git a/lib/libc/mingw/lib-common/api-ms-win-appmodel-runtime-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-appmodel-runtime-l1-1-1.def deleted file mode 100644 index 143477f43c..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-appmodel-runtime-l1-1-1.def +++ /dev/null @@ -1,19 +0,0 @@ -LIBRARY api-ms-win-appmodel-runtime-l1-1-1 - -EXPORTS - -FormatApplicationUserModelId -GetCurrentApplicationUserModelId -GetCurrentPackageFamilyName -GetCurrentPackageId -PackageFamilyNameFromFullName -PackageFamilyNameFromId -PackageFullNameFromId -PackageIdFromFullName -PackageNameAndPublisherIdFromFamilyName -ParseApplicationUserModelId -VerifyApplicationUserModelId -VerifyPackageFamilyName -VerifyPackageFullName -VerifyPackageId -VerifyPackageRelativeApplicationId diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-1.def deleted file mode 100644 index 5a3d6900b8..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-1.def +++ /dev/null @@ -1,23 +0,0 @@ -LIBRARY api-ms-win-core-comm-l1-1-1 - -EXPORTS - -ClearCommBreak -ClearCommError -EscapeCommFunction -GetCommConfig -GetCommMask -GetCommModemStatus -GetCommProperties -GetCommState -GetCommTimeouts -OpenCommPort -PurgeComm -SetCommBreak -SetCommConfig -SetCommMask -SetCommState -SetCommTimeouts -SetupComm -TransmitCommChar -WaitCommEvent diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-2.def b/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-2.def deleted file mode 100644 index 8893715bba..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-comm-l1-1-2.def +++ /dev/null @@ -1,24 +0,0 @@ -LIBRARY api-ms-win-core-comm-l1-1-2 - -EXPORTS - -ClearCommBreak -ClearCommError -EscapeCommFunction -GetCommConfig -GetCommMask -GetCommModemStatus -GetCommPorts -GetCommProperties -GetCommState -GetCommTimeouts -OpenCommPort -PurgeComm -SetCommBreak -SetCommConfig -SetCommMask -SetCommState -SetCommTimeouts -SetupComm -TransmitCommChar -WaitCommEvent diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-errorhandling-l1-1-3.def b/lib/libc/mingw/lib-common/api-ms-win-core-errorhandling-l1-1-3.def deleted file mode 100644 index 7f0541e3e2..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-errorhandling-l1-1-3.def +++ /dev/null @@ -1,17 +0,0 @@ -LIBRARY api-ms-win-core-errorhandling-l1-1-3 - -EXPORTS - -AddVectoredExceptionHandler -FatalAppExitA -FatalAppExitW -GetLastError -GetThreadErrorMode -RaiseException -RaiseFailFastException -RemoveVectoredExceptionHandler -SetErrorMode -SetLastError -SetThreadErrorMode -SetUnhandledExceptionFilter -UnhandledExceptionFilter diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-0.def deleted file mode 100644 index 9ad6c2ad38..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-0.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-featurestaging-l1-1-0 - -EXPORTS - -GetFeatureEnabledState -RecordFeatureError -RecordFeatureUsage -SubscribeFeatureStateChangeNotification -UnsubscribeFeatureStateChangeNotification diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-1.def deleted file mode 100644 index 76ebcd8396..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-featurestaging-l1-1-1.def +++ /dev/null @@ -1,10 +0,0 @@ -LIBRARY api-ms-win-core-featurestaging-l1-1-1 - -EXPORTS - -GetFeatureEnabledState -GetFeatureVariant -RecordFeatureError -RecordFeatureUsage -SubscribeFeatureStateChangeNotification -UnsubscribeFeatureStateChangeNotification diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-file-fromapp-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-file-fromapp-l1-1-0.def deleted file mode 100644 index d5b2c33d11..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-file-fromapp-l1-1-0.def +++ /dev/null @@ -1,15 +0,0 @@ -LIBRARY api-ms-win-core-file-fromapp-l1-1-0 - -EXPORTS - -CopyFileFromAppW -CreateDirectoryFromAppW -CreateFile2FromAppW -CreateFileFromAppW -DeleteFileFromAppW -FindFirstFileExFromAppW -GetFileAttributesExFromAppW -MoveFileFromAppW -RemoveDirectoryFromAppW -ReplaceFileFromAppW -SetFileAttributesFromAppW diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-handle-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-handle-l1-1-0.def deleted file mode 100644 index ae6df29659..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-handle-l1-1-0.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-handle-l1-1-0 - -EXPORTS - -CloseHandle -CompareObjectHandles -DuplicateHandle -GetHandleInformation -SetHandleInformation diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-libraryloader-l2-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-libraryloader-l2-1-0.def deleted file mode 100644 index eba35f6ad8..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-libraryloader-l2-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-libraryloader-l2-1-0 - -EXPORTS - -LoadPackagedLibrary -QueryOptionalDelayLoadedAPI diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-3.def b/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-3.def deleted file mode 100644 index b91301618e..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-3.def +++ /dev/null @@ -1,35 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-3 - -EXPORTS - -CreateFileMappingFromApp -CreateFileMappingW -DiscardVirtualMemory -FlushViewOfFile -GetLargePageMinimum -GetProcessWorkingSetSizeEx -GetWriteWatch -MapViewOfFile -MapViewOfFileEx -MapViewOfFileFromApp -OfferVirtualMemory -OpenFileMappingFromApp -OpenFileMappingW -ReadProcessMemory -ReclaimVirtualMemory -ResetWriteWatch -SetProcessValidCallTargets -SetProcessWorkingSetSizeEx -UnmapViewOfFile -UnmapViewOfFileEx -VirtualAlloc -VirtualAllocFromApp -VirtualFree -VirtualFreeEx -VirtualLock -VirtualProtect -VirtualProtectFromApp -VirtualQuery -VirtualQueryEx -VirtualUnlock -WriteProcessMemory diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-5.def b/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-5.def deleted file mode 100644 index 4b20b8b96b..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-5.def +++ /dev/null @@ -1,37 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-5 - -EXPORTS - -CreateFileMappingFromApp -CreateFileMappingW -DiscardVirtualMemory -FlushViewOfFile -GetLargePageMinimum -GetProcessWorkingSetSizeEx -GetWriteWatch -MapViewOfFile -MapViewOfFileEx -MapViewOfFileFromApp -OfferVirtualMemory -OpenFileMappingFromApp -OpenFileMappingW -ReadProcessMemory -ReclaimVirtualMemory -ResetWriteWatch -SetProcessValidCallTargets -SetProcessWorkingSetSizeEx -UnmapViewOfFile -UnmapViewOfFile2 -UnmapViewOfFileEx -VirtualAlloc -VirtualAllocFromApp -VirtualFree -VirtualFreeEx -VirtualLock -VirtualProtect -VirtualProtectFromApp -VirtualQuery -VirtualQueryEx -VirtualUnlock -VirtualUnlockEx -WriteProcessMemory diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-6.def b/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-6.def deleted file mode 100644 index 5b3de9cadb..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-6.def +++ /dev/null @@ -1,39 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-6 - -EXPORTS - -CreateFileMappingFromApp -CreateFileMappingW -DiscardVirtualMemory -FlushViewOfFile -GetLargePageMinimum -GetProcessWorkingSetSizeEx -GetWriteWatch -MapViewOfFile -MapViewOfFile3FromApp -MapViewOfFileEx -MapViewOfFileFromApp -OfferVirtualMemory -OpenFileMappingFromApp -OpenFileMappingW -ReadProcessMemory -ReclaimVirtualMemory -ResetWriteWatch -SetProcessValidCallTargets -SetProcessWorkingSetSizeEx -UnmapViewOfFile -UnmapViewOfFile2 -UnmapViewOfFileEx -VirtualAlloc -VirtualAlloc2FromApp -VirtualAllocFromApp -VirtualFree -VirtualFreeEx -VirtualLock -VirtualProtect -VirtualProtectFromApp -VirtualQuery -VirtualQueryEx -VirtualUnlock -VirtualUnlockEx -WriteProcessMemory diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-7.def b/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-7.def deleted file mode 100644 index 86624f6c75..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-memory-l1-1-7.def +++ /dev/null @@ -1,40 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-7 - -EXPORTS - -CreateFileMappingFromApp -CreateFileMappingW -DiscardVirtualMemory -FlushViewOfFile -GetLargePageMinimum -GetProcessWorkingSetSizeEx -GetWriteWatch -MapViewOfFile -MapViewOfFile3FromApp -MapViewOfFileEx -MapViewOfFileFromApp -OfferVirtualMemory -OpenFileMappingFromApp -OpenFileMappingW -ReadProcessMemory -ReclaimVirtualMemory -ResetWriteWatch -SetProcessValidCallTargets -SetProcessValidCallTargetsForMappedView -SetProcessWorkingSetSizeEx -UnmapViewOfFile -UnmapViewOfFile2 -UnmapViewOfFileEx -VirtualAlloc -VirtualAlloc2FromApp -VirtualAllocFromApp -VirtualFree -VirtualFreeEx -VirtualLock -VirtualProtect -VirtualProtectFromApp -VirtualQuery -VirtualQueryEx -VirtualUnlock -VirtualUnlockEx -WriteProcessMemory diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-path-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-path-l1-1-0.def deleted file mode 100644 index 42ca163355..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-path-l1-1-0.def +++ /dev/null @@ -1,26 +0,0 @@ -LIBRARY api-ms-win-core-path-l1-1-0 - -EXPORTS - -PathAllocCanonicalize -PathAllocCombine -PathCchAddBackslash -PathCchAddBackslashEx -PathCchAddExtension -PathCchAppend -PathCchAppendEx -PathCchCanonicalize -PathCchCanonicalizeEx -PathCchCombine -PathCchCombineEx -PathCchFindExtension -PathCchIsRoot -PathCchRemoveBackslash -PathCchRemoveBackslashEx -PathCchRemoveExtension -PathCchRemoveFileSpec -PathCchRenameExtension -PathCchSkipRoot -PathCchStripPrefix -PathCchStripToRoot -PathIsUNCEx diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-psm-appnotify-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-psm-appnotify-l1-1-0.def deleted file mode 100644 index fbddce139b..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-psm-appnotify-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-psm-appnotify-l1-1-0 - -EXPORTS - -RegisterAppStateChangeNotification -UnregisterAppStateChangeNotification diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-1.def deleted file mode 100644 index c41a39b4d7..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-1.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-realtime-l1-1-1 - -EXPORTS - -QueryInterruptTime -QueryInterruptTimePrecise -QueryThreadCycleTime -QueryUnbiasedInterruptTime -QueryUnbiasedInterruptTimePrecise diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-2.def b/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-2.def deleted file mode 100644 index a5122dc173..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-realtime-l1-1-2.def +++ /dev/null @@ -1,12 +0,0 @@ -LIBRARY api-ms-win-core-realtime-l1-1-2 - -EXPORTS - -ConvertAuxiliaryCounterToPerformanceCounter -ConvertPerformanceCounterToAuxiliaryCounter -QueryAuxiliaryCounterFrequency -QueryInterruptTime -QueryInterruptTimePrecise -QueryThreadCycleTime -QueryUnbiasedInterruptTime -QueryUnbiasedInterruptTimePrecise diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-slapi-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-slapi-l1-1-0.def deleted file mode 100644 index 89413f9f12..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-slapi-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-slapi-l1-1-0 - -EXPORTS - -SLQueryLicenseValueFromApp -SLQueryLicenseValueFromApp2 diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-synch-l1-2-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-synch-l1-2-0.def deleted file mode 100644 index d860c9b0f1..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-synch-l1-2-0.def +++ /dev/null @@ -1,59 +0,0 @@ -LIBRARY api-ms-win-core-synch-l1-2-0 - -EXPORTS - -AcquireSRWLockExclusive -AcquireSRWLockShared -CancelWaitableTimer -CreateEventA -CreateEventExA -CreateEventExW -CreateEventW -CreateMutexA -CreateMutexExA -CreateMutexExW -CreateMutexW -CreateSemaphoreExW -CreateWaitableTimerExW -DeleteCriticalSection -EnterCriticalSection -InitializeConditionVariable -InitializeCriticalSection -InitializeCriticalSectionAndSpinCount -InitializeCriticalSectionEx -InitializeSRWLock -InitOnceBeginInitialize -InitOnceComplete -InitOnceExecuteOnce -InitOnceInitialize -LeaveCriticalSection -OpenEventA -OpenEventW -OpenMutexW -OpenSemaphoreW -OpenWaitableTimerW -ReleaseMutex -ReleaseSemaphore -ReleaseSRWLockExclusive -ReleaseSRWLockShared -ResetEvent -SetCriticalSectionSpinCount -SetEvent -SetWaitableTimer -SetWaitableTimerEx -SignalObjectAndWait -Sleep -SleepConditionVariableCS -SleepConditionVariableSRW -SleepEx -TryAcquireSRWLockExclusive -TryAcquireSRWLockShared -TryEnterCriticalSection -WaitForMultipleObjectsEx -WaitForSingleObject -WaitForSingleObjectEx -WaitOnAddress -WakeAllConditionVariable -WakeByAddressAll -WakeByAddressSingle -WakeConditionVariable diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-0.def deleted file mode 100644 index 62240852f2..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-0.def +++ /dev/null @@ -1,31 +0,0 @@ -LIBRARY api-ms-win-core-sysinfo-l1-2-0 - -EXPORTS - -EnumSystemFirmwareTables -GetComputerNameExA -GetComputerNameExW -GetLocalTime -GetLogicalProcessorInformation -GetLogicalProcessorInformationEx -GetNativeSystemInfo -GetProductInfo -GetSystemDirectoryA -GetSystemDirectoryW -GetSystemFirmwareTable -GetSystemInfo -GetSystemTime -GetSystemTimeAdjustment -GetSystemTimeAsFileTime -GetSystemTimePreciseAsFileTime -GetTickCount -GetTickCount64 -GetVersion -GetVersionExA -GetVersionExW -GetWindowsDirectoryA -GetWindowsDirectoryW -GlobalMemoryStatusEx -SetLocalTime -SetSystemTime -VerSetConditionMask diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-3.def b/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-3.def deleted file mode 100644 index 45a59f6ee0..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-sysinfo-l1-2-3.def +++ /dev/null @@ -1,33 +0,0 @@ -LIBRARY api-ms-win-core-sysinfo-l1-2-3 - -EXPORTS - -EnumSystemFirmwareTables -GetComputerNameExA -GetComputerNameExW -GetIntegratedDisplaySize -GetLocalTime -GetLogicalProcessorInformation -GetLogicalProcessorInformationEx -GetNativeSystemInfo -GetPhysicallyInstalledSystemMemory -GetProductInfo -GetSystemDirectoryA -GetSystemDirectoryW -GetSystemFirmwareTable -GetSystemInfo -GetSystemTime -GetSystemTimeAdjustment -GetSystemTimeAsFileTime -GetSystemTimePreciseAsFileTime -GetTickCount -GetTickCount64 -GetVersion -GetVersionExA -GetVersionExW -GetWindowsDirectoryA -GetWindowsDirectoryW -GlobalMemoryStatusEx -SetLocalTime -SetSystemTime -VerSetConditionMask diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-0.def deleted file mode 100644 index e84af147f4..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-0.def +++ /dev/null @@ -1,15 +0,0 @@ -LIBRARY api-ms-win-core-winrt-error-l1-1-0 - -EXPORTS - -GetRestrictedErrorInfo -RoCaptureErrorContext -RoFailFastWithErrorContext -RoGetErrorReportingFlags -RoOriginateError -RoOriginateErrorW -RoResolveRestrictedErrorInfoReference -RoSetErrorReportingFlags -RoTransformError -RoTransformErrorW -SetRestrictedErrorInfo diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-1.def deleted file mode 100644 index bd5ef539c6..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-error-l1-1-1.def +++ /dev/null @@ -1,22 +0,0 @@ -LIBRARY api-ms-win-core-winrt-error-l1-1-1 - -EXPORTS - -GetRestrictedErrorInfo -IsErrorPropagationEnabled -RoCaptureErrorContext -RoClearError -RoFailFastWithErrorContext -RoGetErrorReportingFlags -RoGetMatchingRestrictedErrorInfo -RoInspectCapturedStackBackTrace -RoInspectThreadErrorInfo -RoOriginateError -RoOriginateErrorW -RoOriginateLanguageException -RoReportFailedDelegate -RoReportUnhandledError -RoSetErrorReportingFlags -RoTransformError -RoTransformErrorW -SetRestrictedErrorInfo diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-l1-1-0.def deleted file mode 100644 index 9e841a5a7f..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-l1-1-0.def +++ /dev/null @@ -1,13 +0,0 @@ -LIBRARY api-ms-win-core-winrt-l1-1-0 - -EXPORTS - -RoActivateInstance -RoGetActivationFactory -RoGetApartmentIdentifier -RoInitialize -RoRegisterActivationFactories -RoRegisterForApartmentShutdown -RoRevokeActivationFactories -RoUninitialize -RoUnregisterForApartmentShutdown diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-registration-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-registration-l1-1-0.def deleted file mode 100644 index a7ad121a9a..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-registration-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-winrt-registration-l1-1-0 - -EXPORTS - -RoGetActivatableClassRegistration -RoGetServerActivatableClasses diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-robuffer-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-robuffer-l1-1-0.def deleted file mode 100644 index 8e6e25f30a..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-robuffer-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-core-winrt-robuffer-l1-1-0 - -EXPORTS - -RoGetBufferMarshaler diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def deleted file mode 100644 index b09d4444d2..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def +++ /dev/null @@ -1,7 +0,0 @@ -LIBRARY api-ms-win-core-winrt-roparameterizediid-l1-1-0 - -EXPORTS - -RoFreeParameterizedTypeExtra -RoGetParameterizedTypeInstanceIID -RoParameterizedTypeExtraGetTypeSignature diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-string-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-core-winrt-string-l1-1-0.def deleted file mode 100644 index c1636e1c64..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-winrt-string-l1-1-0.def +++ /dev/null @@ -1,31 +0,0 @@ -LIBRARY api-ms-win-core-winrt-string-l1-1-0 - -EXPORTS - -HSTRING_UserFree -HSTRING_UserFree64 -HSTRING_UserMarshal -HSTRING_UserMarshal64 -HSTRING_UserSize -HSTRING_UserSize64 -HSTRING_UserUnmarshal -HSTRING_UserUnmarshal64 -WindowsCompareStringOrdinal -WindowsConcatString -WindowsCreateString -WindowsCreateStringReference -WindowsDeleteString -WindowsDeleteStringBuffer -WindowsDuplicateString -WindowsGetStringLen -WindowsGetStringRawBuffer -WindowsInspectString -WindowsIsStringEmpty -WindowsPreallocateStringBuffer -WindowsPromoteStringBuffer -WindowsReplaceString -WindowsStringHasEmbeddedNull -WindowsSubstring -WindowsSubstringWithSpecifiedLength -WindowsTrimStringEnd -WindowsTrimStringStart diff --git a/lib/libc/mingw/lib-common/api-ms-win-core-wow64-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-core-wow64-l1-1-1.def deleted file mode 100644 index bd6fe2dc35..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-core-wow64-l1-1-1.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-wow64-l1-1-1 - -EXPORTS - -IsWow64Process -IsWow64Process2 diff --git a/lib/libc/mingw/lib-common/api-ms-win-devices-config-l1-1-1.def b/lib/libc/mingw/lib-common/api-ms-win-devices-config-l1-1-1.def deleted file mode 100644 index f9d52afdc0..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-devices-config-l1-1-1.def +++ /dev/null @@ -1,17 +0,0 @@ -LIBRARY api-ms-win-devices-config-l1-1-1 - -EXPORTS - -CM_Get_Device_ID_List_SizeW -CM_Get_Device_ID_ListW -CM_Get_Device_IDW -CM_Get_Device_Interface_List_SizeW -CM_Get_Device_Interface_ListW -CM_Get_Device_Interface_PropertyW -CM_Get_DevNode_PropertyW -CM_Get_DevNode_Status -CM_Get_Parent -CM_Locate_DevNodeW -CM_MapCrToWin32Err -CM_Register_Notification -CM_Unregister_Notification diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-deviceinformation-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-gaming-deviceinformation-l1-1-0.def deleted file mode 100644 index 35f1de3263..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-deviceinformation-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-gaming-deviceinformation-l1-1-0 - -EXPORTS - -GetGamingDeviceModelInformation diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-0.def deleted file mode 100644 index aa949963d0..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-0.def +++ /dev/null @@ -1,11 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-0 - -EXPORTS - -ProcessPendingGameUI -ShowChangeFriendRelationshipUI -ShowGameInviteUI -ShowPlayerPickerUI -ShowProfileCardUI -ShowTitleAchievementsUI -TryCancelPendingGameUI diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-2.def b/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-2.def deleted file mode 100644 index c7392196c6..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-2.def +++ /dev/null @@ -1,20 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-2 - -EXPORTS - -CheckGamingPrivilegeSilently -CheckGamingPrivilegeSilentlyForUser -CheckGamingPrivilegeWithUI -CheckGamingPrivilegeWithUIForUser -ProcessPendingGameUI -ShowChangeFriendRelationshipUI -ShowChangeFriendRelationshipUIForUser -ShowGameInviteUI -ShowGameInviteUIForUser -ShowPlayerPickerUI -ShowPlayerPickerUIForUser -ShowProfileCardUI -ShowProfileCardUIForUser -ShowTitleAchievementsUI -ShowTitleAchievementsUIForUser -TryCancelPendingGameUI diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-3.def b/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-3.def deleted file mode 100644 index 0e78187da0..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-3.def +++ /dev/null @@ -1,22 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-3 - -EXPORTS - -CheckGamingPrivilegeSilently -CheckGamingPrivilegeSilentlyForUser -CheckGamingPrivilegeWithUI -CheckGamingPrivilegeWithUIForUser -ProcessPendingGameUI -ShowChangeFriendRelationshipUI -ShowChangeFriendRelationshipUIForUser -ShowGameInviteUI -ShowGameInviteUIForUser -ShowGameInviteUIWithContext -ShowGameInviteUIWithContextForUser -ShowPlayerPickerUI -ShowPlayerPickerUIForUser -ShowProfileCardUI -ShowProfileCardUIForUser -ShowTitleAchievementsUI -ShowTitleAchievementsUIForUser -TryCancelPendingGameUI diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-4.def b/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-4.def deleted file mode 100644 index ac04f5e963..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-tcui-l1-1-4.def +++ /dev/null @@ -1,30 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-4 - -EXPORTS - -CheckGamingPrivilegeSilently -CheckGamingPrivilegeSilentlyForUser -CheckGamingPrivilegeWithUI -CheckGamingPrivilegeWithUIForUser -ProcessPendingGameUI -ShowChangeFriendRelationshipUI -ShowChangeFriendRelationshipUIForUser -ShowCustomizeUserProfileUI -ShowCustomizeUserProfileUIForUser -ShowFindFriendsUI -ShowFindFriendsUIForUser -ShowGameInfoUI -ShowGameInfoUIForUser -ShowGameInviteUI -ShowGameInviteUIForUser -ShowGameInviteUIWithContext -ShowGameInviteUIWithContextForUser -ShowPlayerPickerUI -ShowPlayerPickerUIForUser -ShowProfileCardUI -ShowProfileCardUIForUser -ShowTitleAchievementsUI -ShowTitleAchievementsUIForUser -ShowUserSettingsUI -ShowUserSettingsUIForUser -TryCancelPendingGameUI diff --git a/lib/libc/mingw/lib-common/api-ms-win-security-isolatedcontainer-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-security-isolatedcontainer-l1-1-0.def deleted file mode 100644 index f9ae366998..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-security-isolatedcontainer-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-security-isolatedcontainer-l1-1-0 - -EXPORTS - -IsProcessInIsolatedContainer diff --git a/lib/libc/mingw/lib-common/api-ms-win-shcore-stream-winrt-l1-1-0.def b/lib/libc/mingw/lib-common/api-ms-win-shcore-stream-winrt-l1-1-0.def deleted file mode 100644 index c0ed75874b..0000000000 --- a/lib/libc/mingw/lib-common/api-ms-win-shcore-stream-winrt-l1-1-0.def +++ /dev/null @@ -1,7 +0,0 @@ -LIBRARY api-ms-win-shcore-stream-winrt-l1-1-0 - -EXPORTS - -CreateRandomAccessStreamOnFile -CreateRandomAccessStreamOverStream -CreateStreamOverRandomAccessStream diff --git a/lib/libc/mingw/lib-common/appmgmts.def b/lib/libc/mingw/lib-common/appmgmts.def new file mode 100644 index 0000000000..d2f2749e13 --- /dev/null +++ b/lib/libc/mingw/lib-common/appmgmts.def @@ -0,0 +1,25 @@ +; +; Exports of file APPMGMTS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY APPMGMTS.dll +EXPORTS +CsSetOptions +CsCreateClassStore +CsEnumApps +CsGetAppCategories +CsGetClassAccess +CsGetClassStore +CsGetClassStorePath +CsRegisterAppCategory +CsServerGetClassStore +CsUnregisterAppCategory +GenerateGroupPolicy +IID_IClassAdmin +ProcessGroupPolicyObjectsEx +ReleaseAppCategoryInfoList +ReleasePackageDetail +ReleasePackageInfo +ServiceMain diff --git a/lib/libc/mingw/lib-common/appmgr.def b/lib/libc/mingw/lib-common/appmgr.def new file mode 100644 index 0000000000..f75bfb838c --- /dev/null +++ b/lib/libc/mingw/lib-common/appmgr.def @@ -0,0 +1,13 @@ +; +; Exports of file SNAPIN.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SNAPIN.DLL +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GenerateScript diff --git a/lib/libc/mingw/lib-common/asycfilt.def b/lib/libc/mingw/lib-common/asycfilt.def new file mode 100644 index 0000000000..476e072ffd --- /dev/null +++ b/lib/libc/mingw/lib-common/asycfilt.def @@ -0,0 +1,10 @@ +; +; Exports of file ASYCFILT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ASYCFILT.dll +EXPORTS +DllCanUnloadNow +FilterCreateInstance diff --git a/lib/libc/mingw/lib-common/atl.def b/lib/libc/mingw/lib-common/atl.def new file mode 100644 index 0000000000..1799f09b0a --- /dev/null +++ b/lib/libc/mingw/lib-common/atl.def @@ -0,0 +1,57 @@ +; +; Definition file of ATL.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ATL.DLL" +EXPORTS +AtlAdvise +AtlUnadvise +AtlFreeMarshalStream +AtlMarshalPtrInProc +AtlUnmarshalPtr +AtlModuleGetClassObject +AtlModuleInit +AtlModuleRegisterClassObjects +AtlModuleRegisterServer +AtlModuleRegisterTypeLib +AtlModuleRevokeClassObjects +AtlModuleTerm +AtlModuleUnregisterServer +AtlModuleUpdateRegistryFromResourceD +AtlWaitWithMessageLoop +AtlSetErrorInfo +AtlCreateTargetDC +AtlHiMetricToPixel +AtlPixelToHiMetric +AtlDevModeW2A +AtlComPtrAssign +AtlComQIPtrAssign +AtlInternalQueryInterface +AtlGetVersion +AtlAxDialogBoxW +AtlAxDialogBoxA +AtlAxCreateDialogW +AtlAxCreateDialogA +AtlAxCreateControl +AtlAxCreateControlEx +AtlAxAttachControl +AtlAxWinInit +AtlModuleAddCreateWndData +AtlModuleExtractCreateWndData +AtlModuleRegisterWndClassInfoW +AtlModuleRegisterWndClassInfoA +AtlAxGetControl +AtlAxGetHost +AtlRegisterClassCategoriesHelper +AtlIPersistStreamInit_Load +AtlIPersistStreamInit_Save +AtlIPersistPropertyBag_Load +AtlIPersistPropertyBag_Save +AtlGetObjectSourceInterface +AtlModuleUnRegisterTypeLib +AtlModuleLoadTypeLib +AtlModuleUnregisterServerEx +AtlModuleAddTermFunc +AtlSetErrorInfo2 +AtlIPersistStreamInit_GetSizeMax diff --git a/lib/libc/mingw/lib-common/audiosrv.def b/lib/libc/mingw/lib-common/audiosrv.def new file mode 100644 index 0000000000..5e576da58f --- /dev/null +++ b/lib/libc/mingw/lib-common/audiosrv.def @@ -0,0 +1,10 @@ +; +; Exports of file AUDIOSRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY AUDIOSRV.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib64/avicap32.def b/lib/libc/mingw/lib-common/avicap32.def similarity index 100% rename from lib/libc/mingw/lib64/avicap32.def rename to lib/libc/mingw/lib-common/avicap32.def diff --git a/lib/libc/mingw/lib64/avifil32.def b/lib/libc/mingw/lib-common/avifil32.def similarity index 100% rename from lib/libc/mingw/lib64/avifil32.def rename to lib/libc/mingw/lib-common/avifil32.def diff --git a/lib/libc/mingw/lib-common/avrt.def b/lib/libc/mingw/lib-common/avrt.def new file mode 100644 index 0000000000..3c17abcf36 --- /dev/null +++ b/lib/libc/mingw/lib-common/avrt.def @@ -0,0 +1,21 @@ +; +; Definition file of AVRT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "AVRT.dll" +EXPORTS +AvQuerySystemResponsiveness +AvRevertMmThreadCharacteristics +AvRtCreateThreadOrderingGroup +AvRtCreateThreadOrderingGroupExA +AvRtCreateThreadOrderingGroupExW +AvRtDeleteThreadOrderingGroup +AvRtJoinThreadOrderingGroup +AvRtLeaveThreadOrderingGroup +AvRtWaitOnThreadOrderingGroup +AvSetMmMaxThreadCharacteristicsA +AvSetMmMaxThreadCharacteristicsW +AvSetMmThreadCharacteristicsA +AvSetMmThreadCharacteristicsW +AvSetMmThreadPriority diff --git a/lib/libc/mingw/lib-common/azroles.def b/lib/libc/mingw/lib-common/azroles.def new file mode 100644 index 0000000000..09c210c257 --- /dev/null +++ b/lib/libc/mingw/lib-common/azroles.def @@ -0,0 +1,52 @@ +; +; Exports of file azroles.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY azroles.DLL +EXPORTS +AzAddPropertyItem +AzApplicationClose +AzApplicationCreate +AzApplicationDelete +AzApplicationEnum +AzApplicationOpen +AzAuthorizationStoreDelete +AzCloseHandle +AzContextAccessCheck +AzContextGetAssignedScopesPage +AzContextGetRoles +AzFreeMemory +AzGetProperty +AzGroupCreate +AzGroupDelete +AzGroupEnum +AzGroupOpen +AzInitialize +AzInitializeContextFromName +AzInitializeContextFromToken +AzOperationCreate +AzOperationDelete +AzOperationEnum +AzOperationOpen +AzRemovePropertyItem +AzRoleCreate +AzRoleDelete +AzRoleEnum +AzRoleOpen +AzScopeCreate +AzScopeDelete +AzScopeEnum +AzScopeOpen +AzSetProperty +AzSubmit +AzTaskCreate +AzTaskDelete +AzTaskEnum +AzTaskOpen +AzUpdateCache +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/basesrv.def b/lib/libc/mingw/lib-common/basesrv.def new file mode 100644 index 0000000000..048c93200f --- /dev/null +++ b/lib/libc/mingw/lib-common/basesrv.def @@ -0,0 +1,13 @@ +; +; Definition file of BASESRV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BASESRV.dll" +EXPORTS +BaseGetProcessCrtlRoutine +BaseSetProcessCreateNotify +BaseSrvNlsLogon +BaseSrvNlsUpdateRegistryCache +BaseSrvRegisterSxS +ServerDllInitialization diff --git a/lib/libc/mingw/lib-common/bootvid.def b/lib/libc/mingw/lib-common/bootvid.def new file mode 100644 index 0000000000..5d4b170197 --- /dev/null +++ b/lib/libc/mingw/lib-common/bootvid.def @@ -0,0 +1,19 @@ +; +; Definition file of BOOTVID.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BOOTVID.dll" +EXPORTS +VidBitBlt +VidBitBltEx +VidBufferToScreenBlt +VidCleanUp +VidDisplayString +VidDisplayStringXY +VidInitialize +VidResetDisplay +VidScreenToBufferBlt +VidSetScrollRegion +VidSetTextColor +VidSolidColorFill diff --git a/lib/libc/mingw/lib-common/browcli.def b/lib/libc/mingw/lib-common/browcli.def new file mode 100644 index 0000000000..1cfee49c78 --- /dev/null +++ b/lib/libc/mingw/lib-common/browcli.def @@ -0,0 +1,19 @@ +; +; Definition file of browcli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "browcli.dll" +EXPORTS +I_BrowserDebugCall +I_BrowserDebugTrace +I_BrowserQueryEmulatedDomains +I_BrowserQueryOtherDomains +I_BrowserQueryStatistics +I_BrowserResetNetlogonState +I_BrowserResetStatistics +I_BrowserServerEnum +I_BrowserSetNetlogonState +NetBrowserStatisticsGet +NetServerEnum +NetServerEnumEx diff --git a/lib/libc/mingw/lib-common/browser.def b/lib/libc/mingw/lib-common/browser.def new file mode 100644 index 0000000000..570f0775db --- /dev/null +++ b/lib/libc/mingw/lib-common/browser.def @@ -0,0 +1,11 @@ +; +; Exports of file browser.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY browser.dll +EXPORTS +I_BrowserServerEnumForXactsrv +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/bthci.def b/lib/libc/mingw/lib-common/bthci.def new file mode 100644 index 0000000000..50da63b6c0 --- /dev/null +++ b/lib/libc/mingw/lib-common/bthci.def @@ -0,0 +1,9 @@ +; +; Exports of file MSPORTS.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSPORTS.DLL +EXPORTS +BluetoothClassInstaller diff --git a/lib/libc/mingw/lib-common/cabinet.def b/lib/libc/mingw/lib-common/cabinet.def index 70baa7f7c2..5d90c0c427 100644 --- a/lib/libc/mingw/lib-common/cabinet.def +++ b/lib/libc/mingw/lib-common/cabinet.def @@ -5,28 +5,29 @@ ; LIBRARY "Cabinet.dll" EXPORTS -GetDllVersion -Extract -DeleteExtractedFiles -FCICreate -FCIAddFile -FCIFlushFolder -FCIFlushCabinet -FCIDestroy -FDICreate -FDIIsCabinet -FDICopy -FDIDestroy -FDITruncateCabinet -CreateCompressor -SetCompressorInformation -QueryCompressorInformation -Compress -ResetCompressor CloseCompressor -CreateDecompressor -SetDecompressorInformation -QueryDecompressorInformation -Decompress -ResetDecompressor CloseDecompressor +Compress +CreateCompressor +CreateDecompressor +Decompress +DeleteExtractedFiles +DllGetVersion +Extract +FCIAddFile +FCICreate +FCIDestroy +FCIFlushCabinet +FCIFlushFolder +FDICopy +FDICreate +FDIDestroy +FDIIsCabinet +FDITruncateCabinet +GetDllVersion +QueryCompressorInformation +QueryDecompressorInformation +ResetCompressor +ResetDecompressor +SetCompressorInformation +SetDecompressorInformation diff --git a/lib/libc/mingw/lib-common/cabview.def b/lib/libc/mingw/lib-common/cabview.def new file mode 100644 index 0000000000..0aa52109a5 --- /dev/null +++ b/lib/libc/mingw/lib-common/cabview.def @@ -0,0 +1,13 @@ +; +; Exports of file CABVIEW.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CABVIEW.dll +EXPORTS +Uninstall +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/cfgbkend.def b/lib/libc/mingw/lib-common/cfgbkend.def new file mode 100644 index 0000000000..79111b3441 --- /dev/null +++ b/lib/libc/mingw/lib-common/cfgbkend.def @@ -0,0 +1,11 @@ +; +; Definition file of CfgBkEnd.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "CfgBkEnd.DLL" +EXPORTS +CLSID_CfgComp +IID_ICfgComp +IID_ISettingsComp +IID_ISettingsComp2 diff --git a/lib/libc/mingw/lib-common/chakrart.def b/lib/libc/mingw/lib-common/chakrart.def new file mode 100644 index 0000000000..43ac0e1e4f --- /dev/null +++ b/lib/libc/mingw/lib-common/chakrart.def @@ -0,0 +1,124 @@ +LIBRARY chakra + +EXPORTS + +JsAddRef +JsBoolToBoolean +JsBooleanToBool +JsCallFunction +JsCollectGarbage +JsConstructObject +JsConvertValueToBoolean +JsConvertValueToNumber +JsConvertValueToObject +JsConvertValueToString +JsCreateArray +JsCreateArrayBuffer +JsCreateContext +JsCreateDataView +JsCreateError +JsCreateExternalArrayBuffer +JsCreateExternalObject +JsCreateFunction +JsCreateNamedFunction +JsCreateObject +JsCreateRangeError +JsCreateReferenceError +JsCreateRuntime +JsCreateSymbol +JsCreateSyntaxError +JsCreateThreadService +JsCreateTypeError +JsCreateTypedArray +JsCreateURIError +JsDefineProperty +JsDeleteIndexedProperty +JsDeleteProperty +JsDisableRuntimeExecution +JsDisposeRuntime +JsDoubleToNumber +JsEnableRuntimeExecution +JsEnumerateHeap +JsEquals +JsGetAndClearException +JsGetArrayBufferStorage +JsGetContextData +JsGetContextOfObject +JsGetCurrentContext +JsGetDataViewStorage +JsGetExtensionAllowed +JsGetExternalData +JsGetFalseValue +JsGetGlobalObject +JsGetIndexedPropertiesExternalData +JsGetIndexedProperty +JsGetNullValue +JsGetOwnPropertyDescriptor +JsGetOwnPropertyNames +JsGetOwnPropertySymbols +JsGetProperty +JsGetPropertyIdFromName +JsGetPropertyIdFromSymbol +JsGetPropertyIdType +JsGetPropertyNameFromId +JsGetPrototype +JsGetRuntime +JsGetRuntimeMemoryLimit +JsGetRuntimeMemoryUsage +JsGetStringLength +JsGetSymbolFromPropertyId +JsGetTrueValue +JsGetTypedArrayInfo +JsGetTypedArrayStorage +JsGetUndefinedValue +JsGetValueType +JsHasException +JsHasExternalData +JsHasIndexedPropertiesExternalData +JsHasIndexedProperty +JsHasProperty +JsIdle +JsInspectableToObject +JsInstanceOf +JsIntToNumber +JsIsEnumeratingHeap +JsIsRuntimeExecutionDisabled +JsNumberToDouble +JsNumberToInt +JsObjectToInspectable +JsParseScript +JsParseScriptWithAttributes +JsParseSerializedScript +JsParseSerializedScriptWithCallback +JsPointerToString +JsPreventExtension +JsProjectWinRTNamespace +JsRelease +JsRunScript +JsRunSerializedScript +JsRunSerializedScriptWithCallback +JsSerializeScript +JsSetContextData +JsSetCurrentContext +JsSetException +JsSetExternalData +JsSetIndexedPropertiesToExternalData +JsSetIndexedProperty +JsSetObjectBeforeCollectCallback +JsSetProjectionEnqueueCallback +JsSetPromiseContinuationCallback +JsSetProperty +JsSetPrototype +JsSetRuntimeBeforeCollectCallback +JsSetRuntimeMemoryAllocationCallback +JsSetRuntimeMemoryLimit +JsStartDebugging +JsStartProfiling +JsStopProfiling +JsStrictEquals +JsStringToPointer +JsValueToVariant +JsVarAddRef +JsVarRelease +JsVarToExtension +JsVariantToValue diff --git a/lib/libc/mingw/lib-common/clb.def b/lib/libc/mingw/lib-common/clb.def new file mode 100644 index 0000000000..be973a08c9 --- /dev/null +++ b/lib/libc/mingw/lib-common/clb.def @@ -0,0 +1,13 @@ +; +; Exports of file clb.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY clb.dll +EXPORTS +ClbAddData +ClbSetColumnWidths +ClbStyleW +ClbWndProc +CustomControlInfoW diff --git a/lib/libc/mingw/lib-common/clbcatq.def.in b/lib/libc/mingw/lib-common/clbcatq.def.in new file mode 100644 index 0000000000..78b6981eda --- /dev/null +++ b/lib/libc/mingw/lib-common/clbcatq.def.in @@ -0,0 +1,63 @@ +#include "func.def.in" + +LIBRARY CLBCatQ.DLL +EXPORTS +ActivatorUpdateForIsRouterChanges +; void __cdecl ClearList(class CStructArray * __ptr64) +F_X64(?ClearList@@YAXPEAVCStructArray@@@Z) +CoRegCleanup +; long __cdecl CreateComponentLibraryTS(unsigned short const * __ptr64,long,struct IComponentRecords * __ptr64 * __ptr64) +F_X64(?CreateComponentLibraryTS@@YAJPEBGJPEAPEAUIComponentRecords@@@Z) +; long __cdecl DataConvert(unsigned short,unsigned short,unsigned long,unsigned long * __ptr64,void * __ptr64,void * __ptr64,unsigned long,unsigned long,unsigned long * __ptr64,unsigned char,unsigned char,unsigned long) +F_X64(?DataConvert@@YAJGGKPEAKPEAX1KK0EEK@Z) +DeleteAllActivatorsForClsid +; void __cdecl DestroyStgDatabase(class StgDatabase * __ptr64) +F_X64(?DestroyStgDatabase@@YAXPEAVStgDatabase@@@Z) +DowngradeAPL +; long __cdecl GetDataConversion(struct IDataConvert * __ptr64 * __ptr64) +F_X64(?GetDataConversion@@YAJPEAPEAUIDataConvert@@@Z) +; class CGetDataConversion * __ptr64 __cdecl GetDataConvertObject(void) +F_X64(?GetDataConvertObject@@YAPEAVCGetDataConversion@@XZ) +GetGlobalBabyJITEnabled +; long __cdecl GetPropValue(unsigned short,long * __ptr64,void * __ptr64,int,int * __ptr64,struct tagDBPROP & __ptr64) +F_X64(?GetPropValue@@YAJGPEAJPEAXHPEAHAEAUtagDBPROP@@@Z) +; long __cdecl GetStgDatabase(class StgDatabase * __ptr64 * __ptr64) +F_X64(?GetStgDatabase@@YAJPEAPEAVStgDatabase@@@Z) +; void __cdecl InitErrors(unsigned long * __ptr64) +F_X64(?InitErrors@@YAXPEAK@Z) +; long __cdecl OpenComponentLibrarySharedTS(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long,struct _SECURITY_ATTRIBUTES * __ptr64,long,struct IComponentRecords * __ptr64 * __ptr64) +F_X64(?OpenComponentLibrarySharedTS@@YAJPEBG0KPEAU_SECURITY_ATTRIBUTES@@JPEAPEAUIComponentRecords@@@Z) +; long __cdecl OpenComponentLibraryTS(unsigned short const * __ptr64,long,struct IComponentRecords * __ptr64 * __ptr64) +F_X64(?OpenComponentLibraryTS@@YAJPEBGJPEAPEAUIComponentRecords@@@Z) +; long __cdecl PostError(long,...) +F_X64(?PostError@@YAJJZZ) +; void __cdecl ShutDownDataConversion(void) +F_X64(?ShutDownDataConversion@@YAXXZ) +UpdateFromAppChange +UpdateFromComponentChange +CLSIDFromStringByBitness +CheckMemoryGates +ComPlusEnablePartitions +ComPlusEnableRemoteAccess +ComPlusMigrate +ComPlusPartitionsEnabled +ComPlusRemoteAccessEnabled +CreateComponentLibraryEx +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetCatalogObject +GetCatalogObject2 +GetComputerObject +GetSimpleTableDispenser +InprocServer32FromString +OpenComponentLibraryEx +OpenComponentLibraryOnMemEx +OpenComponentLibraryOnStreamEx +OpenComponentLibrarySharedEx +ServerGetApplicationType +SetSetupOpen +SetSetupSave +SetupOpen +SetupSave diff --git a/lib/libc/mingw/lib-common/cliconfg.def b/lib/libc/mingw/lib-common/cliconfg.def new file mode 100644 index 0000000000..275ecb54b7 --- /dev/null +++ b/lib/libc/mingw/lib-common/cliconfg.def @@ -0,0 +1,11 @@ +; +; Exports of file CLICONFG.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CLICONFG.DLL +EXPORTS +CPlApplet +ClientConfigureAddEdit +OnInitDialogMain diff --git a/lib/libc/mingw/lib-common/cnvfat.def b/lib/libc/mingw/lib-common/cnvfat.def new file mode 100644 index 0000000000..6dc6deeb68 --- /dev/null +++ b/lib/libc/mingw/lib-common/cnvfat.def @@ -0,0 +1,10 @@ +; +; Exports of file CUFAT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CUFAT.dll +EXPORTS +IsConversionAvailable +ConvertFAT diff --git a/lib/libc/mingw/lib-common/colbact.def b/lib/libc/mingw/lib-common/colbact.def new file mode 100644 index 0000000000..3832c74c20 --- /dev/null +++ b/lib/libc/mingw/lib-common/colbact.def @@ -0,0 +1,15 @@ +; +; Exports of file colbact.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY colbact.DLL +EXPORTS +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetClassInfoForCurrentUser +GetDefaultPartitionForCurrentUser +GetDefaultPartitionForSid +PartitionAccessCheck diff --git a/lib/libc/mingw/lib-common/comctl32.def b/lib/libc/mingw/lib-common/comctl32.def index 6683f72f29..e42ad89e74 100644 --- a/lib/libc/mingw/lib-common/comctl32.def +++ b/lib/libc/mingw/lib-common/comctl32.def @@ -24,6 +24,7 @@ CreateToolbarEx DestroyPropertySheetPage DllGetVersion DllInstall +DrawShadowText DrawStatusText DrawStatusTextW FlatSB_EnableScrollBar @@ -38,13 +39,16 @@ FlatSB_SetScrollProp FlatSB_SetScrollRange FlatSB_ShowScrollBar GetMUILanguage +HIMAGELIST_QueryInterface ImageList_Add ImageList_AddIcon ImageList_AddMasked ImageList_BeginDrag +ImageList_CoCreateInstance ImageList_Copy ImageList_Create ImageList_Destroy +ImageList_DestroyShared ImageList_DragEnter ImageList_DragLeave ImageList_DragMove @@ -67,9 +71,11 @@ ImageList_LoadImageA ImageList_LoadImageW ImageList_Merge ImageList_Read +ImageList_ReadEx ImageList_Remove ImageList_Replace ImageList_ReplaceIcon +ImageList_Resize ImageList_SetBkColor ImageList_SetDragCursorImage ImageList_SetFilter @@ -78,6 +84,7 @@ ImageList_SetIconSize ImageList_SetImageCount ImageList_SetOverlayImage ImageList_Write +ImageList_WriteEx InitCommonControlsEx InitMUILanguage InitializeFlatSB @@ -89,6 +96,17 @@ RegisterClassNameW UninitializeFlatSB _TrackMouseEvent FreeMRUList +DrawSizeBox +DrawScrollBar +SizeBoxHwnd +ScrollBar_MouseMove +ScrollBar_Menu +HandleScrollCmd +DetachScrollBars +AttachScrollBars +CCSetScrollInfo +CCGetScrollInfo +CCEnableScrollBar Str_SetPtrW DSA_Create DSA_Destroy @@ -111,14 +129,21 @@ DPA_DeleteAllPtrs DPA_Sort DPA_Search DPA_CreateEx +DSA_Clone +DSA_Sort +DPA_GetSize +DSA_GetSize +LoadIconWithScaleDown DPA_EnumCallback DPA_DestroyCallback DSA_EnumCallback DSA_DestroyCallback +QuerySystemGestureStatus CreateMRUListW AddMRUStringW EnumMRUListW SetWindowSubclass +GetWindowSubclass RemoveWindowSubclass DefSubclassProc TaskDialog diff --git a/lib/libc/mingw/lib-common/computecore.def b/lib/libc/mingw/lib-common/computecore.def new file mode 100644 index 0000000000..3aadc83e9a --- /dev/null +++ b/lib/libc/mingw/lib-common/computecore.def @@ -0,0 +1,67 @@ +; +; Definition file of computecore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "computecore.dll" +EXPORTS +HcsEnumerateVmWorkerProcesses +HcsFindVmWorkerProcesses +HcsGetWorkerProcessJob +HcsStartVmWorkerProcess +HcsAddResourceToOperation +HcsCancelOperation +HcsCloseComputeSystem +HcsCloseOperation +HcsCloseProcess +HcsCrashComputeSystem +HcsCreateComputeSystem +HcsCreateComputeSystemInNamespace +HcsCreateEmptyGuestStateFile +HcsCreateEmptyRuntimeStateFile +HcsCreateOperation +HcsCreateOperationWithNotifications +HcsCreateProcess +HcsEnumerateComputeSystems +HcsEnumerateComputeSystemsInNamespace +HcsGetComputeSystemFromOperation +HcsGetComputeSystemProperties +HcsGetOperationContext +HcsGetOperationId +HcsGetOperationProperties +HcsGetOperationResult +HcsGetOperationResultAndProcessInfo +HcsGetOperationType +HcsGetProcessFromOperation +HcsGetProcessInfo +HcsGetProcessProperties +HcsGetProcessorCompatibilityFromSavedState +HcsGetServiceProperties +HcsGrantVmAccess +HcsGrantVmGroupAccess +HcsModifyComputeSystem +HcsModifyProcess +HcsModifyServiceSettings +HcsOpenComputeSystem +HcsOpenComputeSystemInNamespace +HcsOpenProcess +HcsPauseComputeSystem +HcsResumeComputeSystem +HcsRevokeVmAccess +HcsRevokeVmGroupAccess +HcsSaveComputeSystem +HcsSetComputeSystemCallback +HcsSetOperationCallback +HcsSetOperationContext +HcsSetProcessCallback +HcsShutDownComputeSystem +HcsSignalProcess +HcsStartComputeSystem +HcsSubmitWerReport +HcsSystemControl +HcsTerminateComputeSystem +HcsTerminateProcess +HcsWaitForComputeSystemExit +HcsWaitForOperationResult +HcsWaitForOperationResultAndProcessInfo +HcsWaitForProcessExit diff --git a/lib/libc/mingw/lib-common/computenetwork.def b/lib/libc/mingw/lib-common/computenetwork.def new file mode 100644 index 0000000000..270b79926b --- /dev/null +++ b/lib/libc/mingw/lib-common/computenetwork.def @@ -0,0 +1,62 @@ +; +; Definition file of computenetwork.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "computenetwork.dll" +EXPORTS +HcnCloseGuestNetworkService +HcnCloseSdnRoute +HcnCreateGuestNetworkService +HcnCreateSdnRoute +HcnDeleteGuestNetworkService +HcnDeleteSdnRoute +HcnEnumerateGuestNetworkServices +HcnEnumerateSdnRoutes +HcnModifyGuestNetworkService +HcnModifySdnRoute +HcnOpenGuestNetworkService +HcnOpenSdnRoute +HcnQueryGuestNetworkServiceProperties +HcnQuerySdnRouteProperties +HcnRegisterGuestNetworkServiceCallback +HcnRegisterNetworkCallback +HcnUnregisterGuestNetworkServiceCallback +HcnUnregisterNetworkCallback +HcnCloseEndpoint +HcnCloseLoadBalancer +HcnCloseNamespace +HcnCloseNetwork +HcnCreateEndpoint +HcnCreateLoadBalancer +HcnCreateNamespace +HcnCreateNetwork +HcnDeleteEndpoint +HcnDeleteLoadBalancer +HcnDeleteNamespace +HcnDeleteNetwork +HcnEnumerateEndpoints +HcnEnumerateGuestNetworkPortReservations +HcnEnumerateLoadBalancers +HcnEnumerateNamespaces +HcnEnumerateNetworks +HcnFreeGuestNetworkPortReservations +HcnModifyEndpoint +HcnModifyLoadBalancer +HcnModifyNamespace +HcnModifyNetwork +HcnOpenEndpoint +HcnOpenLoadBalancer +HcnOpenNamespace +HcnOpenNetwork +HcnQueryEndpointAddresses +HcnQueryEndpointProperties +HcnQueryEndpointStats +HcnQueryLoadBalancerProperties +HcnQueryNamespaceProperties +HcnQueryNetworkProperties +HcnRegisterServiceCallback +HcnReleaseGuestNetworkServicePortReservationHandle +HcnReserveGuestNetworkServicePort +HcnReserveGuestNetworkServicePortRange +HcnUnregisterServiceCallback diff --git a/lib/libc/mingw/lib-common/computestorage.def b/lib/libc/mingw/lib-common/computestorage.def new file mode 100644 index 0000000000..e79ec1a92f --- /dev/null +++ b/lib/libc/mingw/lib-common/computestorage.def @@ -0,0 +1,19 @@ +; +; Definition file of computestorage.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "computestorage.dll" +EXPORTS +HcsAttachLayerStorageFilter +HcsDestroyLayer +HcsDetachLayerStorageFilter +HcsExportLayer +HcsExportLegacyWritableLayer +HcsFormatWritableLayerVhd +HcsGetLayerVhdMountPath +HcsImportLayer +HcsInitializeLegacyWritableLayer +HcsInitializeWritableLayer +HcsSetupBaseOSLayer +HcsSetupBaseOSVolume diff --git a/lib/libc/mingw/lib-common/comsnap.def b/lib/libc/mingw/lib-common/comsnap.def new file mode 100644 index 0000000000..86dfec02e0 --- /dev/null +++ b/lib/libc/mingw/lib-common/comsnap.def @@ -0,0 +1,13 @@ +; +; Exports of file ComSnap.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ComSnap.DLL +EXPORTS +InstallDsExtension +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/comuid.def b/lib/libc/mingw/lib-common/comuid.def new file mode 100644 index 0000000000..cfaf8e34af --- /dev/null +++ b/lib/libc/mingw/lib-common/comuid.def @@ -0,0 +1,13 @@ +; +; Exports of file ComUID.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ComUID.DLL +EXPORTS +CreateDCOMSecurityUIPage +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/connect.def b/lib/libc/mingw/lib-common/connect.def new file mode 100644 index 0000000000..f29aa42e71 --- /dev/null +++ b/lib/libc/mingw/lib-common/connect.def @@ -0,0 +1,20 @@ +; +; Definition file of connect.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "connect.dll" +EXPORTS +AddConnectionOptionListEntries +CreateVPNConnection +GetInternetConnected +GetNetworkConnected +GetVPNConnected +HrIsInternetConnected +HrIsInternetConnectedGUID +IsInternetConnected +IsInternetConnectedGUID +IsUniqueConnectionName +RegisterPageWithPage +UnregisterPage +UnregisterPagesLink diff --git a/lib/libc/mingw/lib-common/console.def b/lib/libc/mingw/lib-common/console.def new file mode 100644 index 0000000000..f60a1f64d5 --- /dev/null +++ b/lib/libc/mingw/lib-common/console.def @@ -0,0 +1,9 @@ +; +; Exports of file Console.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY Console.dll +EXPORTS +CPlApplet diff --git a/lib/libc/mingw/lib-common/coremessaging.def b/lib/libc/mingw/lib-common/coremessaging.def new file mode 100644 index 0000000000..732952070c --- /dev/null +++ b/lib/libc/mingw/lib-common/coremessaging.def @@ -0,0 +1,33 @@ +LIBRARY coremessaging + +EXPORTS + +CoreUICallComputeMaximumMessageSize +CoreUICallCreateConversationHost +CoreUICallCreateEndpointHost +CoreUICallCreateEndpointHostWithSendPriority +CoreUICallGetAddressOfParameterInBuffer +CoreUICallReceive +CoreUICallSend +CoreUICallSendVaList +CoreUIConfigureTestHost +CoreUIConfigureUserIntegration +CoreUICreate +CoreUICreateAnonymousStream +CoreUICreateClientWindowIDManager +CoreUICreateEx +CoreUICreateSystemWindowIDManager +CoreUIInitializeTestService +CoreUIOpenExisting +CoreUIRouteToTestRegistrar +CoreUIUninitializeTestService +CreateDispatcherQueueController +CreateDispatcherQueueForCurrentThread +GetDispatcherQueueForCurrentThread +MsgBlobCreateShared +MsgBlobCreateStack +MsgBufferShare +MsgRelease +MsgStringCreateShared +MsgStringCreateStack +ServiceMain diff --git a/lib/libc/mingw/lib-common/cryptbase.def b/lib/libc/mingw/lib-common/cryptbase.def new file mode 100644 index 0000000000..a520fb3bb8 --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptbase.def @@ -0,0 +1,18 @@ +; +; Definition file of CRYPTBASE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTBASE.dll" +EXPORTS +SystemFunction001 +SystemFunction002 +SystemFunction003 +SystemFunction004 +SystemFunction005 +SystemFunction028 +SystemFunction029 +SystemFunction034 +SystemFunction036 +SystemFunction040 +SystemFunction041 diff --git a/lib/libc/mingw/lib-common/cryptdlg.def b/lib/libc/mingw/lib-common/cryptdlg.def new file mode 100644 index 0000000000..f78a362391 --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptdlg.def @@ -0,0 +1,29 @@ +; +; Exports of file CRYPTDLG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CRYPTDLG.dll +EXPORTS +CertConfigureTrustA +CertConfigureTrustW +CertTrustCertPolicy +CertTrustCleanup +CertTrustFinalPolicy +CertTrustInit +DecodeAttrSequence +DecodeRecipientID +EncodeAttrSequence +EncodeRecipientID +FormatPKIXEmailProtection +FormatVerisignExtension +CertModifyCertificatesToTrust +CertSelectCertificateA +CertSelectCertificateW +CertViewPropertiesA +CertViewPropertiesW +DllRegisterServer +DllUnregisterServer +GetFriendlyNameOfCertA +GetFriendlyNameOfCertW diff --git a/lib/libc/mingw/lib-common/cryptdll.def b/lib/libc/mingw/lib-common/cryptdll.def new file mode 100644 index 0000000000..7e400f9be1 --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptdll.def @@ -0,0 +1,27 @@ +; +; Definition file of cryptdll.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "cryptdll.dll" +EXPORTS +CDBuildIntegrityVect +CDBuildVect +CDFindCommonCSystem +CDFindCommonCSystemWithKey +CDGenerateRandomBits +CDGetIntegrityVect +CDLocateCSystem +CDLocateCheckSum +CDLocateRng +CDRegisterCSystem +CDRegisterCheckSum +CDRegisterRng +HMACwithSHA +KRBFXCF2 +MD5Final +MD5Init +MD5Update +PBKDF2 +aesCTSDecryptMsg +aesCTSEncryptMsg diff --git a/lib/libc/mingw/lib-common/cryptext.def b/lib/libc/mingw/lib-common/cryptext.def new file mode 100644 index 0000000000..cf02775779 --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptext.def @@ -0,0 +1,33 @@ +LIBRARY "CRYPTEXT.dll" +EXPORTS +I_InvokeCommand +CryptExtAddCER +CryptExtAddCERMachineOnlyAndHwndW +CryptExtAddCERW +CryptExtAddCRL +CryptExtAddCRLW +CryptExtAddCTL +CryptExtAddCTLW +CryptExtAddP7R +CryptExtAddP7RW +CryptExtAddPFX +CryptExtAddPFXMachineOnlyAndHwndW +CryptExtAddPFXW +CryptExtAddSPC +CryptExtAddSPCW +CryptExtOpenCAT +CryptExtOpenCATW +CryptExtOpenCER +CryptExtOpenCERW +CryptExtOpenCRL +CryptExtOpenCRLW +CryptExtOpenCTL +CryptExtOpenCTLW +CryptExtOpenP10 +CryptExtOpenP10W +CryptExtOpenP7R +CryptExtOpenP7RW +CryptExtOpenPKCS7 +CryptExtOpenPKCS7W +CryptExtOpenSTR +CryptExtOpenSTRW diff --git a/lib/libc/mingw/lib-common/cryptsp.def b/lib/libc/mingw/lib-common/cryptsp.def new file mode 100644 index 0000000000..54fe9f715b --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptsp.def @@ -0,0 +1,72 @@ +; +; Definition file of CRYPTSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTSP.dll" +EXPORTS +CheckSignatureInFile +CryptAcquireContextA +CryptAcquireContextW +CryptContextAddRef +CryptCreateHash +CryptDecrypt +CryptDeriveKey +CryptDestroyHash +CryptDestroyKey +CryptDuplicateHash +CryptDuplicateKey +CryptEncrypt +CryptEnumProviderTypesA +CryptEnumProviderTypesW +CryptEnumProvidersA +CryptEnumProvidersW +CryptExportKey +CryptGenKey +CryptGenRandom +CryptGetDefaultProviderA +CryptGetDefaultProviderW +CryptGetHashParam +CryptGetKeyParam +CryptGetProvParam +CryptGetUserKey +CryptHashData +CryptHashSessionKey +CryptImportKey +CryptReleaseContext +CryptSetHashParam +CryptSetKeyParam +CryptSetProvParam +CryptSetProviderA +CryptSetProviderExA +CryptSetProviderExW +CryptSetProviderW +CryptSignHashA +CryptSignHashW +CryptVerifySignatureA +CryptVerifySignatureW +SystemFunction006 +SystemFunction007 +SystemFunction008 +SystemFunction009 +SystemFunction010 +SystemFunction011 +SystemFunction012 +SystemFunction013 +SystemFunction014 +SystemFunction015 +SystemFunction016 +SystemFunction018 +SystemFunction020 +SystemFunction021 +SystemFunction022 +SystemFunction023 +SystemFunction024 +SystemFunction025 +SystemFunction026 +SystemFunction027 +SystemFunction030 +SystemFunction031 +SystemFunction032 +SystemFunction033 +SystemFunction035 diff --git a/lib/libc/mingw/lib-common/cryptsvc.def b/lib/libc/mingw/lib-common/cryptsvc.def new file mode 100644 index 0000000000..b00db0d488 --- /dev/null +++ b/lib/libc/mingw/lib-common/cryptsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of CRYPTSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTSVC.dll" +EXPORTS +CryptServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/d2d1.def b/lib/libc/mingw/lib-common/d2d1.def index 8d5b753c66..f3f06e326a 100644 --- a/lib/libc/mingw/lib-common/d2d1.def +++ b/lib/libc/mingw/lib-common/d2d1.def @@ -5,15 +5,16 @@ ; LIBRARY "d2d1.dll" EXPORTS -D2D1CreateFactory -D2D1MakeRotateMatrix -D2D1MakeSkewMatrix -D2D1IsMatrixInvertible -D2D1InvertMatrix +D2D1ComputeMaximumScaleFactor D2D1ConvertColorSpace D2D1CreateDevice D2D1CreateDeviceContext +D2D1CreateFactory +D2D1GetGradientMeshInteriorPointsFromCoonsPatch +D2D1InvertMatrix +D2D1IsMatrixInvertible +D2D1MakeRotateMatrix +D2D1MakeSkewMatrix D2D1SinCos D2D1Tan D2D1Vec3Length -D2D1ComputeMaximumScaleFactor diff --git a/lib/libc/mingw/lib-common/davhlpr.def b/lib/libc/mingw/lib-common/davhlpr.def new file mode 100644 index 0000000000..5b55b0f1ce --- /dev/null +++ b/lib/libc/mingw/lib-common/davhlpr.def @@ -0,0 +1,19 @@ +; +; Definition file of DAVHLPR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DAVHLPR.dll" +EXPORTS +DavAddConnection +DavCheckAndConvertHttpUrlToUncName +DavDeleteConnection +DavFlushFile +DavGetExtendedError +DavGetHTTPFromUNCPath +DavGetServerPortAndPhysicalName +DavGetUNCFromHTTPPath +DavRemoveDummyShareFromFileName +DavRemoveDummyShareFromFileNameEx +UtfUrlStrToWideStr +WideStrToUtfUrlStr diff --git a/lib/libc/mingw/lib-common/dbgeng.def b/lib/libc/mingw/lib-common/dbgeng.def new file mode 100644 index 0000000000..7db7ab2303 --- /dev/null +++ b/lib/libc/mingw/lib-common/dbgeng.def @@ -0,0 +1,11 @@ +; +; Definition file of dbgeng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dbgeng.dll" +EXPORTS +DebugConnect +DebugConnectWide +DebugCreate +DebugCreateEx diff --git a/lib/libc/mingw/lib-common/dbnetlib.def b/lib/libc/mingw/lib-common/dbnetlib.def new file mode 100644 index 0000000000..8de570a27a --- /dev/null +++ b/lib/libc/mingw/lib-common/dbnetlib.def @@ -0,0 +1,38 @@ +; +; Definition file of DBnetlib.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DBnetlib.dll" +EXPORTS +ConnectionObjectSize +ConnectionRead +ConnectionWrite +ConnectionTransact +ConnectionWriteOOB +ConnectionMode +ConnectionStatus +ConnectionOpen +ConnectionClose +ConnectionCheckForData +ConnectionError +ConnectionVer +ConnectionSqlVer +ConnectionServerEnum +ConnectionServerEnumW +ConnectionOpenW +ConnectionErrorW +ConnectionOption +ConnectionGetSvrUser +InitEnumServers +GetNextEnumeration +CloseEnumServers +InitSSPIPackage +TermSSPIPackage +InitSession +TermSession +GenClientContext +ConnectionFlushCache +InitSessionEx +TermSessionEx +GenClientContextEx diff --git a/lib/libc/mingw/lib-common/dbnmpntw.def b/lib/libc/mingw/lib-common/dbnmpntw.def new file mode 100644 index 0000000000..87bd4c944b --- /dev/null +++ b/lib/libc/mingw/lib-common/dbnmpntw.def @@ -0,0 +1,24 @@ +; +; Exports of file DBnmpntw.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DBnmpntw.dll +EXPORTS +ConnectionObjectSize +ConnectionRead +ConnectionWrite +ConnectionClose +ConnectionError +ConnectionVer +ConnectionTransact +ConnectionWriteOOB +ConnectionMode +ConnectionStatus +ConnectionOpen +ConnectionServerEnum +ConnectionCheckForData +ConnectionOpenW +ConnectionErrorW +ConnectionServerEnumW diff --git a/lib/libc/mingw/lib-common/devmgr.def b/lib/libc/mingw/lib-common/devmgr.def new file mode 100644 index 0000000000..9fdf9c3993 --- /dev/null +++ b/lib/libc/mingw/lib-common/devmgr.def @@ -0,0 +1,26 @@ +; +; Definition file of DEVMGR.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DEVMGR.DLL" +EXPORTS +DeviceProperties_RunDLLA +DeviceProperties_RunDLLW +DevicePropertiesA +DevicePropertiesW +DeviceManager_ExecuteA +DeviceManager_ExecuteW +DeviceProblemTextA +DeviceProblemTextW +DeviceProblemWizardA +DeviceProblemWizardW +DeviceAdvancedPropertiesA +DeviceAdvancedPropertiesW +DeviceCreateHardwarePage +DeviceCreateHardwarePageEx +DevicePropertiesExA +DevicePropertiesExW +DeviceProblenWizard_RunDLLA +DeviceProblenWizard_RunDLLW +DeviceCreateHardwarePageCustom diff --git a/lib/libc/mingw/lib-common/devobj.def b/lib/libc/mingw/lib-common/devobj.def new file mode 100644 index 0000000000..8bb12a8bf8 --- /dev/null +++ b/lib/libc/mingw/lib-common/devobj.def @@ -0,0 +1,58 @@ +; +; Definition file of DEVOBJ.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DEVOBJ.dll" +EXPORTS +DevObjBuildClassInfoList +DevObjChangeState +DevObjClassGuidsFromName +DevObjClassNameFromGuid +DevObjCreateDevRegKey +DevObjCreateDeviceInfo +DevObjCreateDeviceInfoList +DevObjCreateDeviceInterface +DevObjCreateDeviceInterfaceRegKey +DevObjDeleteAllInterfacesForDevice +DevObjDeleteDevRegKey +DevObjDeleteDevice +DevObjDeleteDeviceInfo +DevObjDeleteDeviceInterfaceData +DevObjDeleteDeviceInterfaceRegKey +DevObjDestroyDeviceInfoList +DevObjEnumDeviceInfo +DevObjEnumDeviceInterfaces +DevObjGetClassDescription +DevObjGetClassDevs +DevObjGetClassProperty +DevObjGetClassPropertyKeys +DevObjGetClassRegistryProperty +DevObjGetDeviceInfoDetail +DevObjGetDeviceInfoListClass +DevObjGetDeviceInfoListDetail +DevObjGetDeviceInstanceId +DevObjGetDeviceInterfaceAlias +DevObjGetDeviceInterfaceDetail +DevObjGetDeviceInterfaceProperty +DevObjGetDeviceInterfacePropertyKeys +DevObjGetDeviceProperty +DevObjGetDevicePropertyKeys +DevObjGetDeviceRegistryProperty +DevObjLocateDevice +DevObjOpenClassRegKey +DevObjOpenDevRegKey +DevObjOpenDeviceInfo +DevObjOpenDeviceInterface +DevObjOpenDeviceInterfaceRegKey +DevObjRegisterDeviceInfo +DevObjRemoveDeviceInterface +DevObjRestartDevices +DevObjSetClassProperty +DevObjSetClassRegistryProperty +DevObjSetDeviceInfoDetail +DevObjSetDeviceInterfaceDefault +DevObjSetDeviceInterfaceProperty +DevObjSetDeviceProperty +DevObjSetDeviceRegistryProperty +DevObjUninstallDevice diff --git a/lib/libc/mingw/lib-common/devrtl.def b/lib/libc/mingw/lib-common/devrtl.def new file mode 100644 index 0000000000..b441fae4c6 --- /dev/null +++ b/lib/libc/mingw/lib-common/devrtl.def @@ -0,0 +1,36 @@ +; +; Definition file of DEVRTL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DEVRTL.dll" +EXPORTS +DevRtlCloseTextLogSection +DevRtlCreateTextLogSectionA +DevRtlCreateTextLogSectionW +DevRtlGetThreadLogToken +DevRtlSetThreadLogToken +DevRtlWriteTextLog +DevRtlWriteTextLogError +NdxTableAddObject +NdxTableAddObjectToList +NdxTableClose +NdxTableFirstObject +NdxTableFirstObjectInList +NdxTableGetObjectName +NdxTableGetObjectType +NdxTableGetObjectTypeCount +NdxTableGetObjectTypeName +NdxTableGetPropertyTypeClass +NdxTableGetPropertyTypeCount +NdxTableGetPropertyTypeName +NdxTableGetPropertyValue +NdxTableNextObject +NdxTableObjectFromName +NdxTableObjectFromPointer +NdxTableOpen +NdxTableRemoveObject +NdxTableRemoveObjectFromList +NdxTableSetObjectPointer +NdxTableSetPropertyValue +NdxTableSetTypeDefinition diff --git a/lib/libc/mingw/lib-common/dhcpcsvc.def b/lib/libc/mingw/lib-common/dhcpcsvc.def index a0a3c8f375..2acfa25882 100644 --- a/lib/libc/mingw/lib-common/dhcpcsvc.def +++ b/lib/libc/mingw/lib-common/dhcpcsvc.def @@ -15,6 +15,7 @@ DhcpDeRegisterOptions DhcpDeRegisterParamChange DhcpDelPersistentRequestParams DhcpEnableDhcp +DhcpEnableDhcpAdvanced DhcpEnableTracing DhcpEnumClasses DhcpEnumInterfaces @@ -35,6 +36,7 @@ DhcpGlobalServiceSyncEvent DATA DhcpGlobalTerminateEvent DATA DhcpHandlePnPEvent DhcpIsEnabled +DhcpIsMeteredDetected DhcpLeaseIpAddress DhcpLeaseIpAddressEx DhcpNotifyConfigChange diff --git a/lib/libc/mingw/libarm32/dhcpcsvc6.def b/lib/libc/mingw/lib-common/dhcpcsvc6.def similarity index 93% rename from lib/libc/mingw/libarm32/dhcpcsvc6.def rename to lib/libc/mingw/lib-common/dhcpcsvc6.def index 3f80fbf6a9..f16ceb2e82 100644 --- a/lib/libc/mingw/libarm32/dhcpcsvc6.def +++ b/lib/libc/mingw/lib-common/dhcpcsvc6.def @@ -1,7 +1,7 @@ ; ; Definition file of dhcpcsvc6.DLL ; Automatic generated by gendef -; written by Kai Tietz 2008-2014 +; written by Kai Tietz 2008 ; LIBRARY "dhcpcsvc6.DLL" EXPORTS @@ -16,6 +16,7 @@ Dhcpv6FreeLeaseInfoArray Dhcpv6GetTraceArray Dhcpv6GetUserClasses Dhcpv6IsEnabled +Dhcpv6Main Dhcpv6QueryLeaseInfo Dhcpv6QueryLeaseInfoArray Dhcpv6ReleaseParameters diff --git a/lib/libc/mingw/lib-common/diagnosticdataquery.def b/lib/libc/mingw/lib-common/diagnosticdataquery.def new file mode 100644 index 0000000000..6d396fa3e8 --- /dev/null +++ b/lib/libc/mingw/lib-common/diagnosticdataquery.def @@ -0,0 +1,39 @@ +LIBRARY "DiagnosticDataQuery.dll" +EXPORTS +DdqCancelDiagnosticRecordOperation +DdqCloseSession +DdqCreateSession +DdqExtractDiagnosticReport +DdqFreeDiagnosticRecordLocaleTags +DdqFreeDiagnosticRecordPage +DdqFreeDiagnosticRecordProducerCategories +DdqFreeDiagnosticRecordProducers +DdqFreeDiagnosticReport +DdqGetDiagnosticDataAccessLevelAllowed +DdqGetDiagnosticRecordAtIndex +DdqGetDiagnosticRecordBinaryDistribution +DdqGetDiagnosticRecordCategoryAtIndex +DdqGetDiagnosticRecordCategoryCount +DdqGetDiagnosticRecordCount +DdqGetDiagnosticRecordLocaleTagAtIndex +DdqGetDiagnosticRecordLocaleTagCount +DdqGetDiagnosticRecordLocaleTags +DdqGetDiagnosticRecordPage +DdqGetDiagnosticRecordPayload +DdqGetDiagnosticRecordProducerAtIndex +DdqGetDiagnosticRecordProducerCategories +DdqGetDiagnosticRecordProducerCount +DdqGetDiagnosticRecordProducers +DdqGetDiagnosticRecordStats +DdqGetDiagnosticRecordSummary +DdqGetDiagnosticRecordTagDistribution +DdqGetDiagnosticReport +DdqGetDiagnosticReportAtIndex +DdqGetDiagnosticReportCount +DdqGetDiagnosticReportStoreReportCount +DdqGetSessionAccessLevel +DdqGetTranscriptConfiguration +DdqIsDiagnosticRecordSampledIn +DdqSetTranscriptConfiguration +UtcSendTraceLogging +UtcSendTraceLogging2 diff --git a/lib/libc/mingw/lib-common/dimsroam.def b/lib/libc/mingw/lib-common/dimsroam.def new file mode 100644 index 0000000000..774650f8bc --- /dev/null +++ b/lib/libc/mingw/lib-common/dimsroam.def @@ -0,0 +1,9 @@ +; +; Exports of file dimsroam.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dimsroam.dll +EXPORTS +DimsRoamEntry diff --git a/lib/libc/mingw/lib-common/dinput.def b/lib/libc/mingw/lib-common/dinput.def new file mode 100644 index 0000000000..99a0332b3e --- /dev/null +++ b/lib/libc/mingw/lib-common/dinput.def @@ -0,0 +1,15 @@ +; +; Exports of file DINPUT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DINPUT.dll +EXPORTS +DirectInputCreateA +DirectInputCreateEx +DirectInputCreateW +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/dinput8.def b/lib/libc/mingw/lib-common/dinput8.def index 7ba9b3399b..a960a357d4 100644 --- a/lib/libc/mingw/lib-common/dinput8.def +++ b/lib/libc/mingw/lib-common/dinput8.def @@ -11,3 +11,4 @@ DllCanUnloadNow DllGetClassObject DllRegisterServer DllUnregisterServer +GetdfDIJoystick diff --git a/lib/libc/mingw/lib-common/directml.def b/lib/libc/mingw/lib-common/directml.def new file mode 100644 index 0000000000..7b0d09616e --- /dev/null +++ b/lib/libc/mingw/lib-common/directml.def @@ -0,0 +1,6 @@ +LIBRARY directml + +EXPORTS + +DMLCreateDevice +DMLCreateDevice1 diff --git a/lib/libc/mingw/lib-common/diskcopy.def b/lib/libc/mingw/lib-common/diskcopy.def new file mode 100644 index 0000000000..54236287d1 --- /dev/null +++ b/lib/libc/mingw/lib-common/diskcopy.def @@ -0,0 +1,12 @@ +; +; Exports of file DISKCOPY.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DISKCOPY.dll +EXPORTS +DiskCopyRunDll +DiskCopyRunDllW +DllCanUnloadNow +DllGetClassObject diff --git a/lib/libc/mingw/lib-common/dismapi.def b/lib/libc/mingw/lib-common/dismapi.def new file mode 100644 index 0000000000..f4aba2f134 --- /dev/null +++ b/lib/libc/mingw/lib-common/dismapi.def @@ -0,0 +1,102 @@ +; +; Definition file of DismApi.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DismApi.DLL" +EXPORTS +DismAddCapability +DismAddDriver +DismAddPackage +DismApplyUnattend +DismCheckImageHealth +DismCleanupMountpoints +DismCloseSession +DismCommitImage +DismDelete +DismDisableFeature +DismEnableFeature +DismGetCapabilities +DismGetCapabilityInfo +DismGetDriverInfo +DismGetDrivers +DismGetFeatureInfo +DismGetFeatureParent +DismGetFeatures +DismGetImageInfo +DismGetLastErrorMessage +DismGetMountedImageInfo +DismGetPackageInfo +DismGetPackageInfoEx +DismGetPackages +DismGetReservedStorageState +DismInitialize +DismMountImage +DismOpenSession +DismRemountImage +DismRemoveCapability +DismRemoveDriver +DismRemovePackage +DismRestoreImageHealth +DismSetReservedStorageState +DismShutdown +DismUnmountImage +_DismAddCapabilityEx +_DismAddDriverEx +_DismAddPackageEx +_DismAddPackageFamilyToUninstallBlocklist +_DismAddProvisionedAppxPackage +_DismApplyCustomDataImage +_DismApplyFfuImage +_DismApplyProvisioningPackage +_DismCleanImage +_DismEnableDisableFeature +_DismExportDriver +_DismExportSource +_DismExportSourceEx +_DismGetCapabilitiesEx +_DismGetCapabilityInfoEx +_DismGetCurrentEdition +_DismGetDriversEx +_DismGetEffectiveSystemUILanguage +_DismGetFeaturesEx +_DismGetInstallLanguage +_DismGetKCacheBinaryValue +_DismGetKCacheDwordValue +_DismGetKCacheStringValue +_DismGetLastCBSSessionID +_DismGetNonRemovableAppsPolicy +_DismGetOSUninstallWindow +_DismGetOsInfo +_DismGetProductKeyInfo +_DismGetProvisionedAppxPackages +_DismGetProvisioningPackageInfo +_DismGetRegistryMountPoint +_DismGetStateFromCBSSessionID +_DismGetTargetCompositionEditions +_DismGetTargetEditions +_DismGetTargetVirtualEditions +_DismGetUsedSpace +_DismInitiateOSUninstall +_DismOptimizeImage +_DismOptimizeProvisionedAppxPackages +_DismRemoveOSUninstall +_DismRemovePackageFamilyFromUninstallBlocklist +_DismRemoveProvisionedAppxPackage +_DismRemoveProvisionedAppxPackageAllUsers +_DismRevertPendingActions +_DismSetAllIntlSettings +_DismSetAppXProvisionedDataFile +_DismSetEdition +_DismSetEdition2 +_DismSetFirstBootCommandLine +_DismSetMachineName +_DismSetOSUninstallWindow +_DismSetProductKey +_DismSetSkuIntlDefaults +_DismSplitFfuImage +_DismStage +_DismSysprepCleanup +_DismSysprepGeneralize +_DismSysprepSpecialize +_DismValidateProductKey diff --git a/lib/libc/mingw/lib-common/dmutil.def b/lib/libc/mingw/lib-common/dmutil.def new file mode 100644 index 0000000000..c014f74ce9 --- /dev/null +++ b/lib/libc/mingw/lib-common/dmutil.def @@ -0,0 +1,31 @@ +LIBRARY "dmutil.dll" +EXPORTS +CoDisableDynamicVolumes +GetSystemVolume +AddEntryBootFileGpt +AddEntryBootFileMbr +DisplayError +DisplayErrorRgszw +DmCommonNtOpenFile +DynamicSupport +FTrace +FTraceValist +FreeRgszw +GetErrorData +GetInstallDirectoryPath +IsPersonalSKU +LowAcquirePrivilege +LowGetPartitionInfo +LowNtAddBootEntry +LowNtReadFile +LowNtReadOnlyAttributeOff +LowNtWriteFile +RgszwDupRgszw +RgszwFromArgs +RgszwFromValist +SafeLoadVdsService +ShowMessage +ShowMessageValist +SzwDupSzw +SzwFromSza +TranslateError diff --git a/lib/libc/mingw/lib-common/dnsapi.def b/lib/libc/mingw/lib-common/dnsapi.def index 929deecd68..fae00a0a55 100644 --- a/lib/libc/mingw/lib-common/dnsapi.def +++ b/lib/libc/mingw/lib-common/dnsapi.def @@ -28,6 +28,7 @@ DnsAsyncRegisterTerm DnsCancelQuery DnsCheckNrptRuleIntegrity DnsCheckNrptRules +DnsCleanupTcpConnections DnsConnectionDeletePolicyEntries DnsConnectionDeletePolicyEntriesPrivate DnsConnectionDeleteProxyInfo diff --git a/lib/libc/mingw/lib-common/dnsperf.def b/lib/libc/mingw/lib-common/dnsperf.def new file mode 100644 index 0000000000..af0e25e409 --- /dev/null +++ b/lib/libc/mingw/lib-common/dnsperf.def @@ -0,0 +1,7 @@ +LIBRARY dnsperf + +EXPORTS + +CloseDnsPerformanceData +CollectDnsPerformanceData +OpenDnsPerformanceData diff --git a/lib/libc/mingw/lib-common/dnsrslvr.def b/lib/libc/mingw/lib-common/dnsrslvr.def new file mode 100644 index 0000000000..10c261c6ca --- /dev/null +++ b/lib/libc/mingw/lib-common/dnsrslvr.def @@ -0,0 +1,11 @@ +; +; Definition file of dnsrslvr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dnsrslvr.dll" +EXPORTS +LoadGPExtension +Reg_DoRegisterAdapter +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/drprov.def b/lib/libc/mingw/lib-common/drprov.def new file mode 100644 index 0000000000..425c82645d --- /dev/null +++ b/lib/libc/mingw/lib-common/drprov.def @@ -0,0 +1,19 @@ +; +; Definition file of drprov.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "drprov.dll" +EXPORTS +NPAddConnection +NPAddConnection3 +NPCancelConnection +NPCloseEnum +NPEnumResource +NPGetCaps +NPGetConnection +NPGetResourceInformation +NPGetResourceParent +NPGetUniversalName +NPOpenEnum +NPGetConnectionPerformance diff --git a/lib/libc/mingw/lib-common/dsauth.def b/lib/libc/mingw/lib-common/dsauth.def new file mode 100644 index 0000000000..5b26a28c6e --- /dev/null +++ b/lib/libc/mingw/lib-common/dsauth.def @@ -0,0 +1,32 @@ +; +; Exports of file DSAUTH.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DSAUTH.dll +EXPORTS +DhcpAddServerDS +DhcpDeleteServerDS +DhcpDsAddServer +DhcpDsCleanupDS +DhcpDsDelServer +DhcpDsEnumServers +DhcpDsGetAttribs +DhcpDsGetLists +DhcpDsGetRoot +DhcpDsInitDS +DhcpDsSetLists +DhcpDsValidateService +DhcpEnumServersDS +StoreBeginSearch +StoreCleanupHandle +StoreCollectAttributes +StoreCreateObjectVA +StoreDeleteObject +StoreEndSearch +StoreGetHandle +StoreInitHandle +StoreSearchGetNext +StoreSetSearchOneLevel +StoreSetSearchSubTree diff --git a/lib/libc/mingw/lib-common/dskquota.def b/lib/libc/mingw/lib-common/dskquota.def new file mode 100644 index 0000000000..7e1652ee22 --- /dev/null +++ b/lib/libc/mingw/lib-common/dskquota.def @@ -0,0 +1,13 @@ +; +; Exports of file DSKQUOTA.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DSKQUOTA.dll +EXPORTS +ProcessGroupPolicy +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/dsparse.def b/lib/libc/mingw/lib-common/dsparse.def new file mode 100644 index 0000000000..c973101a1e --- /dev/null +++ b/lib/libc/mingw/lib-common/dsparse.def @@ -0,0 +1,22 @@ +LIBRARY "dsparse.dll" +EXPORTS +DsCrackSpn2A +DsCrackSpn2W +DsCrackSpn3W +DsCrackSpn4W +DsCrackSpnA +DsCrackSpnW +DsCrackUnquotedMangledRdnA +DsCrackUnquotedMangledRdnW +DsGetRdnW +DsIsMangledDnA +DsIsMangledDnW +DsIsMangledRdnValueA +DsIsMangledRdnValueW +DsMakeSpn2W +DsMakeSpnA +DsMakeSpnW +DsQuoteRdnValueA +DsQuoteRdnValueW +DsUnquoteRdnValueA +DsUnquoteRdnValueW diff --git a/lib/libc/mingw/lib-common/dsquery.def b/lib/libc/mingw/lib-common/dsquery.def new file mode 100644 index 0000000000..9ecf0c0f6e --- /dev/null +++ b/lib/libc/mingw/lib-common/dsquery.def @@ -0,0 +1,16 @@ +; +; Exports of file dsquery.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dsquery.dll +EXPORTS +OpenSavedDsQuery +OpenSavedDsQueryW +OpenQueryWindow +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/dssenh.def b/lib/libc/mingw/lib-common/dssenh.def new file mode 100644 index 0000000000..b9f03fd325 --- /dev/null +++ b/lib/libc/mingw/lib-common/dssenh.def @@ -0,0 +1,35 @@ +; +; Exports of file DSSENH.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DSSENH.dll +EXPORTS +CPAcquireContext +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPDuplicateHash +CPDuplicateKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPSignHash +CPVerifySignature +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/duser.def b/lib/libc/mingw/lib-common/duser.def new file mode 100644 index 0000000000..1e97765496 --- /dev/null +++ b/lib/libc/mingw/lib-common/duser.def @@ -0,0 +1,157 @@ +LIBRARY "DUser.dll" +EXPORTS +DUserCastHandle +DUserDeleteGadget +GetStdColorBrushF +GetStdColorF +GetStdColorPenF +UtilDrawOutlineRect +AddGadgetMessageHandler +AddLayeredRef +AdjustClipInsideRef +AttachWndProcA +AttachWndProcW +AutoTrace +BeginTransition +BeginHideInputPaneAnimation +BeginShowInputPaneAnimation +BuildAnimation +BuildDropTarget +BuildInterpolation +CacheDWriteRenderTarget +ChangeCurrentAnimationScenario +ClearPushedOpacitiesFromGadgetTree +ClearTopmostVisual +CreateAction +CreateGadget +CreateTransition +CustomGadgetHitTestQuery +DUserBuildGadget +DUserCastClass +DUserCastDirect +DUserFindClass +DUserFlushDeferredMessages +DUserFlushMessages +DUserGetAlphaPRID +DUserGetGutsData +DUserGetRectPRID +DUserGetRotatePRID +DUserGetScalePRID +DUserInstanceOf +DUserPostEvent +DUserPostMethod +DUserRegisterGuts +DUserRegisterStub +DUserRegisterSuper +DUserSendEvent +DUserSendMethod +DUserStopAnimation +DUserStopPVLAnimation +DeleteHandle +DestroyPendingDCVisuals +DetachGadgetVisuals +DetachWndProc +DisableContainerHwnd +DrawGadgetTree +EndInputPaneAnimation +EndTransition +EnsureAnimationsEnabled +EnsureGadgetTransInitialized +EnumGadgets +FindGadgetFromPoint +FindGadgetMessages +FindGadgetTargetingInfo +FindStdColor +FireGadgetMessages +ForwardGadgetMessage +GadgetTransCompositionChanged +GadgetTransSettingChanged +GetActionTimeslice +GetCachedDWriteRenderTarget +GetDUserModule +GetDebug +GetFinalAnimatingPosition +GetGadget +GetGadgetAnimation +GetGadgetBitmap +GetGadgetBufferInfo +GetGadgetCenterPoint +GetGadgetFlags +GetGadgetFocus +GetGadgetLayerInfo +GetGadgetMessageFilter +GetGadgetProperty +GetGadgetRect +GetGadgetRgn +GetGadgetRootInfo +GetGadgetRotation +GetGadgetScale +GetGadgetSize +GetGadgetStyle +GetGadgetTicket +GetGadgetVisual +GetMessageExA +GetMessageExW +GetStdColorBrushI +GetStdColorI +GetStdColorName +GetStdColorPenI +GetStdPalette +GetTransitionInterface +InitGadgetComponent +InitGadgets +InvalidateGadget +InvalidateLayeredDescendants +IsGadgetParentChainStyle +IsInsideContext +IsStartDelete +LookupGadgetTicket +MapGadgetPoints +PeekMessageExA +PeekMessageExW +PlayTransition +PrintTransition +RegisterGadgetMessage +RegisterGadgetMessageString +RegisterGadgetProperty +ReleaseDetachedObjects +ReleaseLayeredRef +ReleaseMouseCapture +RemoveClippingImmunityFromVisual +RemoveGadgetMessageHandler +RemoveGadgetProperty +ResetDUserDevice +ScheduleGadgetTransitions +SetActionTimeslice +SetAtlasingHints +SetGadgetBufferInfo +SetGadgetCenterPoint +SetGadgetFillF +SetGadgetFillI +SetGadgetFlags +SetGadgetFocus +SetGadgetFocusEx +SetGadgetLayerInfo +SetGadgetMessageFilter +SetGadgetOrder +SetGadgetParent +SetGadgetProperty +SetGadgetRect +SetGadgetRootInfo +SetGadgetRotation +SetGadgetScale +SetGadgetStyle +SetHardwareDeviceUsage +SetMinimumDCompVersion +SetRestoreCachedLayeredRefFlag +SetTransitionVisualProperties +SetWindowResizeFlag +UninitGadgetComponent +UnregisterGadgetMessage +UnregisterGadgetMessageString +UnregisterGadgetProperty +UtilBuildFont +UtilDrawBlendRect +UtilGetColor +UtilSetBackground +WaitMessageEx diff --git a/lib/libc/mingw/lib-common/dxcore.def b/lib/libc/mingw/lib-common/dxcore.def new file mode 100644 index 0000000000..a358e3e680 --- /dev/null +++ b/lib/libc/mingw/lib-common/dxcore.def @@ -0,0 +1,5 @@ +LIBRARY dxcore + +EXPORTS + +DXCoreCreateAdapterFactory diff --git a/lib/libc/mingw/lib-common/dxgi.def b/lib/libc/mingw/lib-common/dxgi.def index 1a46289f5e..08c22bc5e1 100644 --- a/lib/libc/mingw/lib-common/dxgi.def +++ b/lib/libc/mingw/lib-common/dxgi.def @@ -48,7 +48,6 @@ D3DKMTSetContextSchedulingPriority D3DKMTSetDisplayMode D3DKMTSetGammaRamp D3DKMTSetVidPnSourceOwner -D3DKMTWaitForSynchronizationObject D3DKMTWaitForVerticalBlankEvent DXGID3D10CreateDevice DXGID3D10CreateLayeredDevice diff --git a/lib/libc/mingw/lib-common/eappgnui.def b/lib/libc/mingw/lib-common/eappgnui.def new file mode 100644 index 0000000000..8f747408cf --- /dev/null +++ b/lib/libc/mingw/lib-common/eappgnui.def @@ -0,0 +1,14 @@ +; +; Definition file of GenericUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "GenericUI.dll" +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerInvokeIdentityUI diff --git a/lib/libc/mingw/lib-common/eapphost.def b/lib/libc/mingw/lib-common/eapphost.def new file mode 100644 index 0000000000..9d947b0d55 --- /dev/null +++ b/lib/libc/mingw/lib-common/eapphost.def @@ -0,0 +1,11 @@ +; +; Definition file of eapphost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "eapphost.dll" +EXPORTS +OnSessionChange +InitializeEapHost +StopServiceOnLowPower +UninitializeEapHost diff --git a/lib/libc/mingw/lib-common/efsadu.def b/lib/libc/mingw/lib-common/efsadu.def new file mode 100644 index 0000000000..97cb9117f3 --- /dev/null +++ b/lib/libc/mingw/lib-common/efsadu.def @@ -0,0 +1,21 @@ +; +; Definition file of EFSADU.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EFSADU.dll" +EXPORTS +AddUserToObjectW +BackCurrentEfsCert +EfsDetail +EfsUIUtilCheckScardStatus +EfsUIUtilCreateSelfSignedCertificate +EfsUIUtilEncryptMyDocuments +EfsUIUtilEnrollEfsCertificate +EfsUIUtilEnrollEfsCertificateEx +EfsUIUtilInstallDra +EfsUIUtilKeyBackup +EfsUIUtilPromptForPin +EfsUIUtilPromptForPinDialog +EfsUIUtilSelectCard +EfsUIUtilShowBalloonAndWait diff --git a/lib/libc/mingw/libarm32/esent.def b/lib/libc/mingw/lib-common/esent.def similarity index 94% rename from lib/libc/mingw/libarm32/esent.def rename to lib/libc/mingw/lib-common/esent.def index 140c22f8a3..0540faa789 100644 --- a/lib/libc/mingw/libarm32/esent.def +++ b/lib/libc/mingw/lib-common/esent.def @@ -15,6 +15,9 @@ JetAttachDatabase JetAttachDatabase2 JetAttachDatabase2A JetAttachDatabase2W +JetAttachDatabase3 +JetAttachDatabase3A +JetAttachDatabase3W JetAttachDatabaseA JetAttachDatabaseW JetAttachDatabaseWithStreaming @@ -57,11 +60,15 @@ JetCreateDatabase JetCreateDatabase2 JetCreateDatabase2A JetCreateDatabase2W +JetCreateDatabase3 +JetCreateDatabase3A +JetCreateDatabase3W JetCreateDatabaseA JetCreateDatabaseW JetCreateDatabaseWithStreaming JetCreateDatabaseWithStreamingA JetCreateDatabaseWithStreamingW +JetCreateEncryptionKey JetCreateIndex JetCreateIndex2 JetCreateIndex2A @@ -88,6 +95,8 @@ JetCreateTableColumnIndex3A JetCreateTableColumnIndex3W JetCreateTableColumnIndex4A JetCreateTableColumnIndex4W +JetCreateTableColumnIndex5A +JetCreateTableColumnIndex5W JetCreateTableColumnIndexA JetCreateTableColumnIndexW JetCreateTableW @@ -225,6 +234,7 @@ JetGotoSecondaryIndexBookmark JetGrowDatabase JetIdle JetIndexRecordCount +JetIndexRecordCount2 JetInit JetInit2 JetInit3 @@ -275,6 +285,8 @@ JetPatchDatabasePagesA JetPatchDatabasePagesW JetPrepareToCommitTransaction JetPrepareUpdate +JetPrereadColumnsByReference +JetPrereadIndexRange JetPrereadIndexRanges JetPrereadKeys JetPrereadTablesW @@ -303,6 +315,8 @@ JetRestoreInstanceA JetRestoreInstanceW JetRestoreW JetRetrieveColumn +JetRetrieveColumnByReference +JetRetrieveColumnFromRecordStream JetRetrieveColumns JetRetrieveKey JetRetrieveTaggedColumnList @@ -338,6 +352,9 @@ JetSetSessionParameter JetSetSystemParameter JetSetSystemParameterA JetSetSystemParameterW +JetSetTableInfo +JetSetTableInfoA +JetSetTableInfoW JetSetTableSequential JetSnapshotStart JetSnapshotStartA @@ -348,6 +365,7 @@ JetStopBackupInstance JetStopService JetStopServiceInstance JetStopServiceInstance2 +JetStreamRecords JetTerm JetTerm2 JetTestHook diff --git a/lib/libc/mingw/lib-common/esentprf.def b/lib/libc/mingw/lib-common/esentprf.def new file mode 100644 index 0000000000..28a81647c4 --- /dev/null +++ b/lib/libc/mingw/lib-common/esentprf.def @@ -0,0 +1,11 @@ +; +; Exports of file ESENTPRF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ESENTPRF.dll +EXPORTS +ClosePerformanceData +CollectPerformanceData +OpenPerformanceData diff --git a/lib/libc/mingw/lib-common/fdeploy.def b/lib/libc/mingw/lib-common/fdeploy.def new file mode 100644 index 0000000000..efc7bbe547 --- /dev/null +++ b/lib/libc/mingw/lib-common/fdeploy.def @@ -0,0 +1,10 @@ +; +; Definition file of fdeploy.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fdeploy.dll" +EXPORTS +ProcessWmiPolicy +GenerateGroupPolicy +ProcessGroupPolicyEx diff --git a/lib/libc/mingw/lib-common/feclient.def b/lib/libc/mingw/lib-common/feclient.def new file mode 100644 index 0000000000..fcee5ad71f --- /dev/null +++ b/lib/libc/mingw/lib-common/feclient.def @@ -0,0 +1,43 @@ +; +; Definition file of FeClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FeClient.dll" +EXPORTS +EfsUtilGetCurrentKey +EdpContainerizeFile +EdpCredentialCreate +EdpCredentialDelete +EdpCredentialExists +EdpCredentialQuery +EdpDecontainerizeFile +EdpDplPolicyEnabledForUser +EdpDplUpgradePinInfo +EdpDplUpgradeVerifyUser +EdpDplUserCredentialsSet +EdpDplUserUnlockComplete +EdpDplUserUnlockStart +EdpFree +EdpGetContainerIdentity +EdpGetCredServiceState +EdpQueryCredServiceInfo +EdpQueryDplEnforcedPolicyOwnerIds +EdpQueryRevokedPolicyOwnerIds +EdpRmsClearKeys +EdpSetCredServiceInfo +EfsClientCloseFileRaw +EfsClientDecryptFile +EfsClientDuplicateEncryptionInfo +EfsClientEncryptFileEx +EfsClientFileEncryptionStatus +EfsClientFreeProtectorList +EfsClientGetEncryptedFileVersion +EfsClientOpenFileRaw +EfsClientQueryProtectors +EfsClientReadFileRaw +EfsClientWriteFileRaw +EfsClientWriteFileWithHeaderRaw +FeClientInitialize +GetLockSessionUnwrappedKey +GetLockSessionWrappedKey diff --git a/lib/libc/mingw/lib-common/filemgmt.def b/lib/libc/mingw/lib-common/filemgmt.def new file mode 100644 index 0000000000..a249829fbd --- /dev/null +++ b/lib/libc/mingw/lib-common/filemgmt.def @@ -0,0 +1,9 @@ +; +; Definition file of FILEMGMT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FILEMGMT.DLL" +EXPORTS +CacheSettingsDlg +CacheSettingsDlg2 diff --git a/lib/libc/mingw/lib-common/fmifs.def b/lib/libc/mingw/lib-common/fmifs.def new file mode 100644 index 0000000000..ee5890d403 --- /dev/null +++ b/lib/libc/mingw/lib-common/fmifs.def @@ -0,0 +1,32 @@ +; +; Definition file of FMIFS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FMIFS.dll" +EXPORTS +GetFirstCorruptionInfo +Chkdsk +ChkdskEx +ComputeFmMediaType +DiskCopy +EnableVolumeCompression +EnableVolumeIntegrity +Extend +Format +FormatEx +FormatEx2 +FreeCorruptionInfo +GetCorruptionInfoClose +GetDefaultFileSystem +GetNextCorruptionInfo +QueryAvailableFileSystemFormat +QueryCorruptionState +QueryCorruptionStateByHandle +QueryDeviceInformation +QueryDeviceInformationByHandle +QueryFileSystemName +QueryIsDiskCheckScheduledForNextBoot +QueryLatestFileSystemVersion +QuerySupportedMedia +SetLabel diff --git a/lib/libc/mingw/lib-common/api-ms-win-gaming-expandedresources-l1-1-0.def b/lib/libc/mingw/lib-common/gamemode.def similarity index 64% rename from lib/libc/mingw/lib-common/api-ms-win-gaming-expandedresources-l1-1-0.def rename to lib/libc/mingw/lib-common/gamemode.def index f5914c1908..9fb96813a6 100644 --- a/lib/libc/mingw/lib-common/api-ms-win-gaming-expandedresources-l1-1-0.def +++ b/lib/libc/mingw/lib-common/gamemode.def @@ -1,4 +1,4 @@ -LIBRARY api-ms-win-gaming-expandedresources-l1-1-0 +LIBRARY gamemode.dll EXPORTS diff --git a/lib/libc/mingw/lib-common/getuname.def b/lib/libc/mingw/lib-common/getuname.def new file mode 100644 index 0000000000..070617e20a --- /dev/null +++ b/lib/libc/mingw/lib-common/getuname.def @@ -0,0 +1,9 @@ +; +; Exports of file GetUName.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY GetUName.dll +EXPORTS +GetUName diff --git a/lib/libc/mingw/lib-common/hbaapi.def b/lib/libc/mingw/lib-common/hbaapi.def new file mode 100644 index 0000000000..69c2243ddd --- /dev/null +++ b/lib/libc/mingw/lib-common/hbaapi.def @@ -0,0 +1,100 @@ +; +; Definition file of HBAAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "HBAAPI.dll" +EXPORTS +HBA_CloseAdapter +HBA_FreeLibrary +HBA_GetAdapterAttributes +HBA_GetAdapterName +HBA_GetAdapterPortAttributes +HBA_GetBindingCapability +HBA_GetBindingSupport +HBA_GetDiscoveredPortAttributes +HBA_GetEventBuffer +HBA_GetFC4Statistics +HBA_GetFCPStatistics +HBA_GetFcpPersistentBinding +HBA_GetFcpTargetMapping +HBA_GetFcpTargetMappingV2 +HBA_GetNumberOfAdapters +HBA_GetPersistentBindingV2 +HBA_GetPortAttributesByWWN +HBA_GetPortStatistics +HBA_GetRNIDMgmtInfo +HBA_GetVendorLibraryAttributes +HBA_GetVersion +HBA_GetWrapperLibraryAttributes +HBA_LoadLibrary +HBA_OpenAdapter +HBA_OpenAdapterByWWN +HBA_RefreshAdapterConfiguration +HBA_RefreshInformation +HBA_RegisterForAdapterAddEvents +HBA_RegisterForAdapterEvents +HBA_RegisterForAdapterPortEvents +HBA_RegisterForAdapterPortStatEvents +HBA_RegisterForLinkEvents +HBA_RegisterForTargetEvents +HBA_RegisterLibrary +HBA_RegisterLibraryV2 +HBA_RemoveAllPersistentBindings +HBA_RemoveCallback +HBA_RemovePersistentBinding +HBA_ResetStatistics +HBA_ScsiInquiryV2 +HBA_ScsiReadCapacityV2 +HBA_ScsiReportLUNsV2 +HBA_SendCTPassThru +HBA_SendCTPassThruV2 +HBA_SendLIRR +HBA_SendRLS +HBA_SendRNID +HBA_SendRNIDV2 +HBA_SendRPL +HBA_SendRPS +HBA_SendReadCapacity +HBA_SendReportLUNs +HBA_SendSRL +HBA_SendScsiInquiry +HBA_SetBindingSupport +HBA_SetPersistentBindingV2 +HBA_SetRNIDMgmtInfo +HbaGetAdapterNameByDeviceInstanceId +SMHBA_GetAdapterAttributes +SMHBA_GetAdapterPortAttributes +SMHBA_GetBindingCapability +SMHBA_GetBindingSupport +SMHBA_GetDiscoveredPortAttributes +SMHBA_GetFCPhyAttributes +SMHBA_GetLUNStatistics +SMHBA_GetNumberOfPorts +SMHBA_GetPersistentBinding +SMHBA_GetPhyStatistics +SMHBA_GetPortAttributesByWWN +SMHBA_GetPortType +SMHBA_GetProtocolStatistics +SMHBA_GetSASPhyAttributes +SMHBA_GetTargetMapping +SMHBA_GetVendorLibraryAttributes +SMHBA_GetVersion +SMHBA_GetWrapperLibraryAttributes +SMHBA_RegisterForAdapterAddEvents +SMHBA_RegisterForAdapterEvents +SMHBA_RegisterForAdapterPhyStatEvents +SMHBA_RegisterForAdapterPortEvents +SMHBA_RegisterForAdapterPortStatEvents +SMHBA_RegisterForTargetEvents +SMHBA_RegisterLibrary +SMHBA_RemoveAllPersistentBindings +SMHBA_RemovePersistentBinding +SMHBA_ScsiInquiry +SMHBA_ScsiReadCapacity +SMHBA_ScsiReportLuns +SMHBA_SendECHO +SMHBA_SendSMPPassThru +SMHBA_SendTEST +SMHBA_SetBindingSupport +SMHBA_SetPersistentBinding diff --git a/lib/libc/mingw/lib-common/hotplug.def b/lib/libc/mingw/lib-common/hotplug.def new file mode 100644 index 0000000000..ff2223623d --- /dev/null +++ b/lib/libc/mingw/lib-common/hotplug.def @@ -0,0 +1,19 @@ +; +; Definition file of hotplug.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "hotplug.DLL" +EXPORTS +CPlApplet +HotPlugChildWithInvalidIdW +HotPlugDriverBlockedW +HotPlugEjectDevice +HotPlugEjectDeviceEx +HotPlugEjectVetoedW +HotPlugHibernateVetoedW +HotPlugRemovalVetoedW +HotPlugSafeRemovalDriveNotificationW +HotPlugSafeRemovalNotificationW +HotPlugStandbyVetoedW +HotPlugWarmEjectVetoedW diff --git a/lib/libc/mingw/lib-common/hrtfapo.def b/lib/libc/mingw/lib-common/hrtfapo.def new file mode 100644 index 0000000000..a60803104b --- /dev/null +++ b/lib/libc/mingw/lib-common/hrtfapo.def @@ -0,0 +1,9 @@ +LIBRARY hrtfapo + +EXPORTS + +CreateHrtfApo +CreateHrtfApoWithDatasetType +CreateHrtfEngineFactory +GetHrtfEngineMinFrameCount +IsHrtfApoAvailable diff --git a/lib/libc/mingw/lib-common/htmlhelp.def b/lib/libc/mingw/lib-common/htmlhelp.def new file mode 100644 index 0000000000..bbd0ddacd8 --- /dev/null +++ b/lib/libc/mingw/lib-common/htmlhelp.def @@ -0,0 +1,15 @@ +; library name is libhtmlhelp.a but +; functions exported from hhcrtl.ocx + +LIBRARY "hhctrl.ocx" +EXPORTS +LoadHHA +DllCanUnloadNow +AuthorMsg +DllGetClassObject +DllRegisterServer +DllUnregisterServer +doWinMain +HtmlHelpA +HtmlHelpW +HhWindowThread diff --git a/lib/libc/mingw/lib-common/htui.def b/lib/libc/mingw/lib-common/htui.def new file mode 100644 index 0000000000..a778a275bd --- /dev/null +++ b/lib/libc/mingw/lib-common/htui.def @@ -0,0 +1,15 @@ +; +; Exports of file htUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY htUI.dll +EXPORTS +DllMain +HTUI_ColorAdjustment +HTUI_ColorAdjustmentA +HTUI_ColorAdjustmentW +HTUI_DeviceColorAdjustment +HTUI_DeviceColorAdjustmentA +HTUI_DeviceColorAdjustmentW diff --git a/lib/libc/mingw/lib-common/iashlpr.def b/lib/libc/mingw/lib-common/iashlpr.def new file mode 100644 index 0000000000..22ccb44492 --- /dev/null +++ b/lib/libc/mingw/lib-common/iashlpr.def @@ -0,0 +1,19 @@ +; +; Definition file of iashlpr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iashlpr.dll" +EXPORTS +AllocateAttributes +ConfigureIas +DoRequest +DoRequestAsync +FreeAttributes +GetOptionIas +InitializeIas +MemAllocIas +MemFreeIas +MemReallocIas +SetOptionIas +ShutdownIas diff --git a/lib/libc/mingw/lib-common/iassam.def b/lib/libc/mingw/lib-common/iassam.def new file mode 100644 index 0000000000..373a51d0f4 --- /dev/null +++ b/lib/libc/mingw/lib-common/iassam.def @@ -0,0 +1,17 @@ +; +; Exports of file iassam.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iassam.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +IASParmsFreeUserParms +IASParmsQueryRasUser0 +IASParmsQueryUserProperty +IASParmsSetRasUser0 +IASParmsSetUserProperty diff --git a/lib/libc/mingw/lib-common/iassvcs.def b/lib/libc/mingw/lib-common/iassvcs.def new file mode 100644 index 0000000000..3c14c3feae --- /dev/null +++ b/lib/libc/mingw/lib-common/iassvcs.def @@ -0,0 +1,27 @@ +; +; Definition file of iassvcs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iassvcs.dll" +EXPORTS +IASAdler32 +IASAllocateUniqueID +IASGetDictionary +IASGetHostByName +IASGetLocalDictionary +IASGetProductLimits +IASGlobalLock +IASGlobalUnlock +IASInitialize +IASRadiusCrypt +IASRegisterComponent +IASReportEvent +IASReportLicenseViolation +IASReportSecurityEvent +IASRequestThread +IASSetMaxNumberOfThreads +IASSetMaxThreadIdle +IASShutdown +IASUninitialize +IASVariantChangeType diff --git a/lib/libc/mingw/lib-common/icmp.def b/lib/libc/mingw/lib-common/icmp.def new file mode 100644 index 0000000000..5e981ed399 --- /dev/null +++ b/lib/libc/mingw/lib-common/icmp.def @@ -0,0 +1,16 @@ +; +; Exports of file icmp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY icmp.dll +EXPORTS +IcmpCloseHandle +IcmpCreateFile +IcmpParseReplies +IcmpSendEcho +IcmpSendEcho2 +do_echo_rep +do_echo_req +register_icmp diff --git a/lib/libc/mingw/lib-common/icu.def b/lib/libc/mingw/lib-common/icu.def new file mode 100644 index 0000000000..dd1e25240c --- /dev/null +++ b/lib/libc/mingw/lib-common/icu.def @@ -0,0 +1,973 @@ +LIBRARY icu + +EXPORTS + +UCNV_FROM_U_CALLBACK_ESCAPE +UCNV_FROM_U_CALLBACK_SKIP +UCNV_FROM_U_CALLBACK_STOP +UCNV_FROM_U_CALLBACK_SUBSTITUTE +UCNV_TO_U_CALLBACK_ESCAPE +UCNV_TO_U_CALLBACK_SKIP +UCNV_TO_U_CALLBACK_STOP +UCNV_TO_U_CALLBACK_SUBSTITUTE +u_UCharsToChars +u_austrcpy +u_austrncpy +u_catclose +u_catgets +u_catopen +u_charAge +u_charDigitValue +u_charDirection +u_charFromName +u_charMirror +u_charName +u_charType +u_charsToUChars +u_cleanup +u_countChar32 +u_digit +u_enumCharNames +u_enumCharTypes +u_errorName +u_foldCase +u_forDigit +u_formatMessage +u_formatMessageWithError +u_getBidiPairedBracket +u_getCombiningClass +u_getDataVersion +u_getFC_NFKC_Closure +u_getIntPropertyMaxValue +u_getIntPropertyMinValue +u_getIntPropertyValue +u_getNumericValue +u_getPropertyEnum +u_getPropertyName +u_getPropertyValueEnum +u_getPropertyValueName +u_getUnicodeVersion +u_getVersion +u_hasBinaryProperty +u_init +u_isIDIgnorable +u_isIDPart +u_isIDStart +u_isISOControl +u_isJavaIDPart +u_isJavaIDStart +u_isJavaSpaceChar +u_isMirrored +u_isUAlphabetic +u_isULowercase +u_isUUppercase +u_isUWhiteSpace +u_isWhitespace +u_isalnum +u_isalpha +u_isbase +u_isblank +u_iscntrl +u_isdefined +u_isdigit +u_isgraph +u_islower +u_isprint +u_ispunct +u_isspace +u_istitle +u_isupper +u_isxdigit +u_memcasecmp +u_memchr +u_memchr32 +u_memcmp +u_memcmpCodePointOrder +u_memcpy +u_memmove +u_memrchr +u_memrchr32 +u_memset +u_parseMessage +u_parseMessageWithError +u_setMemoryFunctions +u_shapeArabic +u_strCaseCompare +u_strCompare +u_strCompareIter +u_strFindFirst +u_strFindLast +u_strFoldCase +u_strFromJavaModifiedUTF8WithSub +u_strFromUTF32 +u_strFromUTF32WithSub +u_strFromUTF8 +u_strFromUTF8Lenient +u_strFromUTF8WithSub +u_strFromWCS +u_strHasMoreChar32Than +u_strToJavaModifiedUTF8 +u_strToLower +u_strToTitle +u_strToUTF32 +u_strToUTF32WithSub +u_strToUTF8 +u_strToUTF8WithSub +u_strToUpper +u_strToWCS +u_strcasecmp +u_strcat +u_strchr +u_strchr32 +u_strcmp +u_strcmpCodePointOrder +u_strcpy +u_strcspn +u_strlen +u_strncasecmp +u_strncat +u_strncmp +u_strncmpCodePointOrder +u_strncpy +u_strpbrk +u_strrchr +u_strrchr32 +u_strrstr +u_strspn +u_strstr +u_strtok_r +u_tolower +u_totitle +u_toupper +u_uastrcpy +u_uastrncpy +u_unescape +u_unescapeAt +u_versionFromString +u_versionFromUString +u_versionToString +u_vformatMessage +u_vformatMessageWithError +u_vparseMessage +u_vparseMessageWithError +ubidi_close +ubidi_countParagraphs +ubidi_countRuns +ubidi_getBaseDirection +ubidi_getClassCallback +ubidi_getCustomizedClass +ubidi_getDirection +ubidi_getLength +ubidi_getLevelAt +ubidi_getLevels +ubidi_getLogicalIndex +ubidi_getLogicalMap +ubidi_getLogicalRun +ubidi_getParaLevel +ubidi_getParagraph +ubidi_getParagraphByIndex +ubidi_getProcessedLength +ubidi_getReorderingMode +ubidi_getReorderingOptions +ubidi_getResultLength +ubidi_getText +ubidi_getVisualIndex +ubidi_getVisualMap +ubidi_getVisualRun +ubidi_invertMap +ubidi_isInverse +ubidi_isOrderParagraphsLTR +ubidi_open +ubidi_openSized +ubidi_orderParagraphsLTR +ubidi_reorderLogical +ubidi_reorderVisual +ubidi_setClassCallback +ubidi_setContext +ubidi_setInverse +ubidi_setLine +ubidi_setPara +ubidi_setReorderingMode +ubidi_setReorderingOptions +ubidi_writeReordered +ubidi_writeReverse +ubiditransform_close +ubiditransform_open +ubiditransform_transform +ublock_getCode +ubrk_close +ubrk_countAvailable +ubrk_current +ubrk_first +ubrk_following +ubrk_getAvailable +ubrk_getBinaryRules +ubrk_getLocaleByType +ubrk_getRuleStatus +ubrk_getRuleStatusVec +ubrk_isBoundary +ubrk_last +ubrk_next +ubrk_open +ubrk_openBinaryRules +ubrk_openRules +ubrk_preceding +ubrk_previous +ubrk_refreshUText +ubrk_safeClone +ubrk_setText +ubrk_setUText +ucal_add +ucal_clear +ucal_clearField +ucal_clone +ucal_close +ucal_countAvailable +ucal_equivalentTo +ucal_get +ucal_getAttribute +ucal_getAvailable +ucal_getCanonicalTimeZoneID +ucal_getDSTSavings +ucal_getDayOfWeekType +ucal_getDefaultTimeZone +ucal_getFieldDifference +ucal_getGregorianChange +ucal_getKeywordValuesForLocale +ucal_getLimit +ucal_getLocaleByType +ucal_getMillis +ucal_getNow +ucal_getTZDataVersion +ucal_getTimeZoneDisplayName +ucal_getTimeZoneID +ucal_getTimeZoneIDForWindowsID +ucal_getTimeZoneTransitionDate +ucal_getType +ucal_getWeekendTransition +ucal_getWindowsTimeZoneID +ucal_inDaylightTime +ucal_isSet +ucal_isWeekend +ucal_open +ucal_openCountryTimeZones +ucal_openTimeZoneIDEnumeration +ucal_openTimeZones +ucal_roll +ucal_set +ucal_setAttribute +ucal_setDate +ucal_setDateTime +ucal_setDefaultTimeZone +ucal_setGregorianChange +ucal_setMillis +ucal_setTimeZone +ucasemap_close +ucasemap_getBreakIterator +ucasemap_getLocale +ucasemap_getOptions +ucasemap_open +ucasemap_setBreakIterator +ucasemap_setLocale +ucasemap_setOptions +ucasemap_toTitle +ucasemap_utf8FoldCase +ucasemap_utf8ToLower +ucasemap_utf8ToTitle +ucasemap_utf8ToUpper +ucnv_cbFromUWriteBytes +ucnv_cbFromUWriteSub +ucnv_cbFromUWriteUChars +ucnv_cbToUWriteSub +ucnv_cbToUWriteUChars +ucnv_close +ucnv_compareNames +ucnv_convert +ucnv_convertEx +ucnv_countAliases +ucnv_countAvailable +ucnv_countStandards +ucnv_detectUnicodeSignature +ucnv_fixFileSeparator +ucnv_flushCache +ucnv_fromAlgorithmic +ucnv_fromUChars +ucnv_fromUCountPending +ucnv_fromUnicode +ucnv_getAlias +ucnv_getAliases +ucnv_getAvailableName +ucnv_getCCSID +ucnv_getCanonicalName +ucnv_getDefaultName +ucnv_getDisplayName +ucnv_getFromUCallBack +ucnv_getInvalidChars +ucnv_getInvalidUChars +ucnv_getMaxCharSize +ucnv_getMinCharSize +ucnv_getName +ucnv_getNextUChar +ucnv_getPlatform +ucnv_getStandard +ucnv_getStandardName +ucnv_getStarters +ucnv_getSubstChars +ucnv_getToUCallBack +ucnv_getType +ucnv_getUnicodeSet +ucnv_isAmbiguous +ucnv_isFixedWidth +ucnv_open +ucnv_openAllNames +ucnv_openCCSID +ucnv_openPackage +ucnv_openStandardNames +ucnv_openU +ucnv_reset +ucnv_resetFromUnicode +ucnv_resetToUnicode +ucnv_safeClone +ucnv_setDefaultName +ucnv_setFallback +ucnv_setFromUCallBack +ucnv_setSubstChars +ucnv_setSubstString +ucnv_setToUCallBack +ucnv_toAlgorithmic +ucnv_toUChars +ucnv_toUCountPending +ucnv_toUnicode +ucnv_usesFallback +ucnvsel_close +ucnvsel_open +ucnvsel_openFromSerialized +ucnvsel_selectForString +ucnvsel_selectForUTF8 +ucnvsel_serialize +ucol_cloneBinary +ucol_close +ucol_closeElements +ucol_countAvailable +ucol_equal +ucol_getAttribute +ucol_getAvailable +ucol_getBound +ucol_getContractionsAndExpansions +ucol_getDisplayName +ucol_getEquivalentReorderCodes +ucol_getFunctionalEquivalent +ucol_getKeywordValues +ucol_getKeywordValuesForLocale +ucol_getKeywords +ucol_getLocaleByType +ucol_getMaxExpansion +ucol_getMaxVariable +ucol_getOffset +ucol_getReorderCodes +ucol_getRules +ucol_getRulesEx +ucol_getSortKey +ucol_getStrength +ucol_getTailoredSet +ucol_getUCAVersion +ucol_getVariableTop +ucol_getVersion +ucol_greater +ucol_greaterOrEqual +ucol_keyHashCode +ucol_mergeSortkeys +ucol_next +ucol_nextSortKeyPart +ucol_open +ucol_openAvailableLocales +ucol_openBinary +ucol_openElements +ucol_openRules +ucol_previous +ucol_primaryOrder +ucol_reset +ucol_safeClone +ucol_secondaryOrder +ucol_setAttribute +ucol_setMaxVariable +ucol_setOffset +ucol_setReorderCodes +ucol_setStrength +ucol_setText +ucol_strcoll +ucol_strcollIter +ucol_strcollUTF8 +ucol_tertiaryOrder +ucsdet_close +ucsdet_detect +ucsdet_detectAll +ucsdet_enableInputFilter +ucsdet_getAllDetectableCharsets +ucsdet_getConfidence +ucsdet_getLanguage +ucsdet_getName +ucsdet_getUChars +ucsdet_isInputFilterEnabled +ucsdet_open +ucsdet_setDeclaredEncoding +ucsdet_setText +ucurr_countCurrencies +ucurr_forLocale +ucurr_forLocaleAndDate +ucurr_getDefaultFractionDigits +ucurr_getDefaultFractionDigitsForUsage +ucurr_getKeywordValuesForLocale +ucurr_getName +ucurr_getNumericCode +ucurr_getPluralName +ucurr_getRoundingIncrement +ucurr_getRoundingIncrementForUsage +ucurr_isAvailable +ucurr_openISOCurrencies +ucurr_register +ucurr_unregister +udat_adoptNumberFormat +udat_adoptNumberFormatForFields +udat_applyPattern +udat_clone +udat_close +udat_countAvailable +udat_countSymbols +udat_format +udat_formatCalendar +udat_formatCalendarForFields +udat_formatForFields +udat_get2DigitYearStart +udat_getAvailable +udat_getBooleanAttribute +udat_getCalendar +udat_getContext +udat_getLocaleByType +udat_getNumberFormat +udat_getNumberFormatForField +udat_getSymbols +udat_isLenient +udat_open +udat_parse +udat_parseCalendar +udat_set2DigitYearStart +udat_setBooleanAttribute +udat_setCalendar +udat_setContext +udat_setLenient +udat_setNumberFormat +udat_setSymbols +udat_toCalendarDateField +udat_toPattern +udatpg_addPattern +udatpg_clone +udatpg_close +udatpg_getAppendItemFormat +udatpg_getAppendItemName +udatpg_getBaseSkeleton +udatpg_getBestPattern +udatpg_getBestPatternWithOptions +udatpg_getDateTimeFormat +udatpg_getDecimal +udatpg_getFieldDisplayName +udatpg_getPatternForSkeleton +udatpg_getSkeleton +udatpg_open +udatpg_openBaseSkeletons +udatpg_openEmpty +udatpg_openSkeletons +udatpg_replaceFieldTypes +udatpg_replaceFieldTypesWithOptions +udatpg_setAppendItemFormat +udatpg_setAppendItemName +udatpg_setDateTimeFormat +udatpg_setDecimal +udtitvfmt_close +udtitvfmt_format +udtitvfmt_open +uenum_close +uenum_count +uenum_next +uenum_openCharStringsEnumeration +uenum_openUCharStringsEnumeration +uenum_reset +uenum_unext +ufieldpositer_close +ufieldpositer_next +ufieldpositer_open +ufmt_close +ufmt_getArrayItemByIndex +ufmt_getArrayLength +ufmt_getDate +ufmt_getDecNumChars +ufmt_getDouble +ufmt_getInt64 +ufmt_getLong +ufmt_getObject +ufmt_getType +ufmt_getUChars +ufmt_isNumeric +ufmt_open +ugender_getInstance +ugender_getListGender +uidna_close +uidna_labelToASCII +uidna_labelToASCII_UTF8 +uidna_labelToUnicode +uidna_labelToUnicodeUTF8 +uidna_nameToASCII +uidna_nameToASCII_UTF8 +uidna_nameToUnicode +uidna_nameToUnicodeUTF8 +uidna_openUTS46 +uiter_current32 +uiter_getState +uiter_next32 +uiter_previous32 +uiter_setState +uiter_setString +uiter_setUTF16BE +uiter_setUTF8 +uldn_close +uldn_getContext +uldn_getDialectHandling +uldn_getLocale +uldn_keyDisplayName +uldn_keyValueDisplayName +uldn_languageDisplayName +uldn_localeDisplayName +uldn_open +uldn_openForContext +uldn_regionDisplayName +uldn_scriptCodeDisplayName +uldn_scriptDisplayName +uldn_variantDisplayName +ulistfmt_close +ulistfmt_format +ulistfmt_open +uloc_acceptLanguage +uloc_acceptLanguageFromHTTP +uloc_addLikelySubtags +uloc_canonicalize +uloc_countAvailable +uloc_forLanguageTag +uloc_getAvailable +uloc_getBaseName +uloc_getCharacterOrientation +uloc_getCountry +uloc_getDefault +uloc_getDisplayCountry +uloc_getDisplayKeyword +uloc_getDisplayKeywordValue +uloc_getDisplayLanguage +uloc_getDisplayName +uloc_getDisplayScript +uloc_getDisplayVariant +uloc_getISO3Country +uloc_getISO3Language +uloc_getISOCountries +uloc_getISOLanguages +uloc_getKeywordValue +uloc_getLCID +uloc_getLanguage +uloc_getLineOrientation +uloc_getLocaleForLCID +uloc_getName +uloc_getParent +uloc_getScript +uloc_getVariant +uloc_isRightToLeft +uloc_minimizeSubtags +uloc_openKeywords +uloc_setDefault +uloc_setKeywordValue +uloc_toLanguageTag +uloc_toLegacyKey +uloc_toLegacyType +uloc_toUnicodeLocaleKey +uloc_toUnicodeLocaleType +ulocdata_close +ulocdata_getCLDRVersion +ulocdata_getDelimiter +ulocdata_getExemplarSet +ulocdata_getLocaleDisplayPattern +ulocdata_getLocaleSeparator +ulocdata_getMeasurementSystem +ulocdata_getNoSubstitute +ulocdata_getPaperSize +ulocdata_open +ulocdata_setNoSubstitute +umsg_applyPattern +umsg_autoQuoteApostrophe +umsg_clone +umsg_close +umsg_format +umsg_getLocale +umsg_open +umsg_parse +umsg_setLocale +umsg_toPattern +umsg_vformat +umsg_vparse +unorm2_append +unorm2_close +unorm2_composePair +unorm2_getCombiningClass +unorm2_getDecomposition +unorm2_getInstance +unorm2_getNFCInstance +unorm2_getNFDInstance +unorm2_getNFKCCasefoldInstance +unorm2_getNFKCInstance +unorm2_getNFKDInstance +unorm2_getRawDecomposition +unorm2_hasBoundaryAfter +unorm2_hasBoundaryBefore +unorm2_isInert +unorm2_isNormalized +unorm2_normalize +unorm2_normalizeSecondAndAppend +unorm2_openFiltered +unorm2_quickCheck +unorm2_spanQuickCheckYes +unorm_compare +unum_applyPattern +unum_clone +unum_close +unum_countAvailable +unum_format +unum_formatDecimal +unum_formatDouble +unum_formatDoubleCurrency +unum_formatDoubleForFields +unum_formatInt64 +unum_formatUFormattable +unum_getAttribute +unum_getAvailable +unum_getContext +unum_getDoubleAttribute +unum_getLocaleByType +unum_getSymbol +unum_getTextAttribute +unum_open +unum_parse +unum_parseDecimal +unum_parseDouble +unum_parseDoubleCurrency +unum_parseInt64 +unum_parseToUFormattable +unum_setAttribute +unum_setContext +unum_setDoubleAttribute +unum_setSymbol +unum_setTextAttribute +unum_toPattern +unumf_close +unumf_closeResult +unumf_formatDecimal +unumf_formatDouble +unumf_formatInt +unumf_openForSkeletonAndLocale +unumf_openResult +unumf_resultGetAllFieldPositions +unumf_resultNextFieldPosition +unumf_resultToString +unumsys_close +unumsys_getDescription +unumsys_getName +unumsys_getRadix +unumsys_isAlgorithmic +unumsys_open +unumsys_openAvailableNames +unumsys_openByName +uplrules_close +uplrules_getKeywords +uplrules_open +uplrules_openForType +uplrules_select +uregex_appendReplacement +uregex_appendReplacementUText +uregex_appendTail +uregex_appendTailUText +uregex_clone +uregex_close +uregex_end +uregex_end64 +uregex_find +uregex_find64 +uregex_findNext +uregex_flags +uregex_getFindProgressCallback +uregex_getMatchCallback +uregex_getStackLimit +uregex_getText +uregex_getTimeLimit +uregex_getUText +uregex_group +uregex_groupCount +uregex_groupNumberFromCName +uregex_groupNumberFromName +uregex_groupUText +uregex_hasAnchoringBounds +uregex_hasTransparentBounds +uregex_hitEnd +uregex_lookingAt +uregex_lookingAt64 +uregex_matches +uregex_matches64 +uregex_open +uregex_openC +uregex_openUText +uregex_pattern +uregex_patternUText +uregex_refreshUText +uregex_regionEnd +uregex_regionEnd64 +uregex_regionStart +uregex_regionStart64 +uregex_replaceAll +uregex_replaceAllUText +uregex_replaceFirst +uregex_replaceFirstUText +uregex_requireEnd +uregex_reset +uregex_reset64 +uregex_setFindProgressCallback +uregex_setMatchCallback +uregex_setRegion +uregex_setRegion64 +uregex_setRegionAndStart +uregex_setStackLimit +uregex_setText +uregex_setTimeLimit +uregex_setUText +uregex_split +uregex_splitUText +uregex_start +uregex_start64 +uregex_useAnchoringBounds +uregex_useTransparentBounds +uregion_areEqual +uregion_contains +uregion_getAvailable +uregion_getContainedRegions +uregion_getContainedRegionsOfType +uregion_getContainingRegion +uregion_getContainingRegionOfType +uregion_getNumericCode +uregion_getPreferredValues +uregion_getRegionCode +uregion_getRegionFromCode +uregion_getRegionFromNumericCode +uregion_getType +ureldatefmt_close +ureldatefmt_combineDateAndTime +ureldatefmt_format +ureldatefmt_formatNumeric +ureldatefmt_open +ures_close +ures_getBinary +ures_getByIndex +ures_getByKey +ures_getInt +ures_getIntVector +ures_getKey +ures_getLocaleByType +ures_getNextResource +ures_getNextString +ures_getSize +ures_getString +ures_getStringByIndex +ures_getStringByKey +ures_getType +ures_getUInt +ures_getUTF8String +ures_getUTF8StringByIndex +ures_getUTF8StringByKey +ures_getVersion +ures_hasNext +ures_open +ures_openAvailableLocales +ures_openDirect +ures_openU +ures_resetIterator +uscript_breaksBetweenLetters +uscript_getCode +uscript_getName +uscript_getSampleString +uscript_getScript +uscript_getScriptExtensions +uscript_getShortName +uscript_getUsage +uscript_hasScript +uscript_isCased +uscript_isRightToLeft +usearch_close +usearch_first +usearch_following +usearch_getAttribute +usearch_getBreakIterator +usearch_getCollator +usearch_getMatchedLength +usearch_getMatchedStart +usearch_getMatchedText +usearch_getOffset +usearch_getPattern +usearch_getText +usearch_last +usearch_next +usearch_open +usearch_openFromCollator +usearch_preceding +usearch_previous +usearch_reset +usearch_setAttribute +usearch_setBreakIterator +usearch_setCollator +usearch_setOffset +usearch_setPattern +usearch_setText +uset_add +uset_addAll +uset_addAllCodePoints +uset_addRange +uset_addString +uset_applyIntPropertyValue +uset_applyPattern +uset_applyPropertyAlias +uset_charAt +uset_clear +uset_clone +uset_cloneAsThawed +uset_close +uset_closeOver +uset_compact +uset_complement +uset_complementAll +uset_contains +uset_containsAll +uset_containsAllCodePoints +uset_containsNone +uset_containsRange +uset_containsSome +uset_containsString +uset_equals +uset_freeze +uset_getItem +uset_getItemCount +uset_getSerializedRange +uset_getSerializedRangeCount +uset_getSerializedSet +uset_indexOf +uset_isEmpty +uset_isFrozen +uset_open +uset_openEmpty +uset_openPattern +uset_openPatternOptions +uset_remove +uset_removeAll +uset_removeAllStrings +uset_removeRange +uset_removeString +uset_resemblesPattern +uset_retain +uset_retainAll +uset_serialize +uset_serializedContains +uset_set +uset_setSerializedToOne +uset_size +uset_span +uset_spanBack +uset_spanBackUTF8 +uset_spanUTF8 +uset_toPattern +uspoof_areConfusable +uspoof_areConfusableUTF8 +uspoof_check +uspoof_check2 +uspoof_check2UTF8 +uspoof_checkUTF8 +uspoof_clone +uspoof_close +uspoof_closeCheckResult +uspoof_getAllowedChars +uspoof_getAllowedLocales +uspoof_getCheckResultChecks +uspoof_getCheckResultNumerics +uspoof_getCheckResultRestrictionLevel +uspoof_getChecks +uspoof_getInclusionSet +uspoof_getRecommendedSet +uspoof_getRestrictionLevel +uspoof_getSkeleton +uspoof_getSkeletonUTF8 +uspoof_open +uspoof_openCheckResult +uspoof_openFromSerialized +uspoof_openFromSource +uspoof_serialize +uspoof_setAllowedChars +uspoof_setAllowedLocales +uspoof_setChecks +uspoof_setRestrictionLevel +usprep_close +usprep_open +usprep_openByType +usprep_prepare +utext_char32At +utext_clone +utext_close +utext_copy +utext_current32 +utext_equals +utext_extract +utext_freeze +utext_getNativeIndex +utext_getPreviousNativeIndex +utext_hasMetaData +utext_isLengthExpensive +utext_isWritable +utext_moveIndex32 +utext_nativeLength +utext_next32 +utext_next32From +utext_openUChars +utext_openUTF8 +utext_previous32 +utext_previous32From +utext_replace +utext_setNativeIndex +utext_setup +utf8_appendCharSafeBody +utf8_back1SafeBody +utf8_nextCharSafeBody +utf8_prevCharSafeBody +utmscale_fromInt64 +utmscale_getTimeScaleValue +utmscale_toInt64 +utrace_format +utrace_functionName +utrace_getFunctions +utrace_getLevel +utrace_setFunctions +utrace_setLevel +utrace_vformat +utrans_clone +utrans_close +utrans_countAvailableIDs +utrans_getSourceSet +utrans_getUnicodeID +utrans_openIDs +utrans_openInverse +utrans_openU +utrans_register +utrans_setFilter +utrans_toRules +utrans_trans +utrans_transIncremental +utrans_transIncrementalUChars +utrans_transUChars +utrans_unregisterID diff --git a/lib/libc/mingw/lib-common/iernonce.def b/lib/libc/mingw/lib-common/iernonce.def new file mode 100644 index 0000000000..bccda6fb29 --- /dev/null +++ b/lib/libc/mingw/lib-common/iernonce.def @@ -0,0 +1,10 @@ +; +; Exports of file IERNONCE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IERNONCE.dll +EXPORTS +InitCallback +RunOnceExProcess diff --git a/lib/libc/mingw/lib-common/imagehlp.def b/lib/libc/mingw/lib-common/imagehlp.def new file mode 100644 index 0000000000..cb8ecc8b5b --- /dev/null +++ b/lib/libc/mingw/lib-common/imagehlp.def @@ -0,0 +1,155 @@ +; +; Definition file of imagehlp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "imagehlp.dll" +EXPORTS +RemoveRelocations +BindImage +BindImageEx +CheckSumMappedFile +EnumerateLoadedModules +EnumerateLoadedModules64 +EnumerateLoadedModulesEx +EnumerateLoadedModulesExW +EnumerateLoadedModulesW64 +FindDebugInfoFile +FindDebugInfoFileEx +FindExecutableImage +FindExecutableImageEx +FindFileInPath +FindFileInSearchPath +GetImageConfigInformation +GetImageUnusedHeaderBytes +GetSymLoadError +GetTimestampForLoadedLibrary +ImageAddCertificate +ImageDirectoryEntryToData +ImageDirectoryEntryToDataEx +ImageEnumerateCertificates +ImageGetCertificateData +ImageGetCertificateHeader +ImageGetDigestStream +ImageLoad +ImageNtHeader +ImageRemoveCertificate +ImageRvaToSection +ImageRvaToVa +ImageUnload +ImagehlpApiVersion +ImagehlpApiVersionEx +MakeSureDirectoryPathExists +MapAndLoad +MapDebugInformation +MapFileAndCheckSumA +MapFileAndCheckSumW +ReBaseImage +ReBaseImage64 +RemoveInvalidModuleList +RemovePrivateCvSymbolic +RemovePrivateCvSymbolicEx +ReportSymbolLoadSummary +SearchTreeForFile +SetCheckUserInterruptShared +SetImageConfigInformation +SetSymLoadError +SplitSymbols +StackWalk +StackWalk64 +StackWalkEx +SymAddrIncludeInlineTrace +SymCleanup +SymCompareInlineTrace +SymEnumSym +SymEnumSymbols +SymEnumSymbolsEx +SymEnumSymbolsExW +SymEnumSymbolsForAddr +SymEnumTypes +SymEnumTypesByName +SymEnumTypesByNameW +SymEnumTypesW +SymEnumerateModules +SymEnumerateModules64 +SymEnumerateSymbols +SymEnumerateSymbols64 +SymEnumerateSymbolsW +SymEnumerateSymbolsW64 +SymFindFileInPath +SymFindFileInPathW +SymFromAddr +SymFromInlineContext +SymFromInlineContextW +SymFromName +SymFunctionTableAccess +SymFunctionTableAccess64 +SymFunctionTableAccess64AccessRoutines +SymGetLineFromAddr +SymGetLineFromAddr64 +SymGetLineFromInlineContext +SymGetLineFromInlineContextW +SymGetLineFromName +SymGetLineFromName64 +SymGetLineNext +SymGetLineNext64 +SymGetLinePrev +SymGetLinePrev64 +SymGetModuleBase +SymGetModuleBase64 +SymGetModuleInfo +SymGetModuleInfo64 +SymGetModuleInfoW +SymGetModuleInfoW64 +SymGetOptions +SymGetSearchPath +SymGetSourceFileFromTokenW +SymGetSourceFileTokenW +SymGetSourceVarFromTokenW +SymGetSymFromAddr +SymGetSymFromAddr64 +SymGetSymFromName +SymGetSymFromName64 +SymGetSymNext +SymGetSymNext64 +SymGetSymPrev +SymGetSymPrev64 +SymGetSymbolFile +SymGetSymbolFileW +SymGetTypeFromName +SymGetTypeFromNameW +SymGetTypeInfo +SymGetTypeInfoEx +SymInitialize +SymLoadModule +SymLoadModule64 +SymMatchFileName +SymMatchFileNameW +SymMatchString +SymMatchStringA +SymMatchStringW +SymQueryInlineTrace +SymRegisterCallback +SymRegisterCallback64 +SymRegisterFunctionEntryCallback +SymRegisterFunctionEntryCallback64 +SymSetContext +SymSetOptions +SymSetScopeFromAddr +SymSetScopeFromIndex +SymSetScopeFromInlineContext +SymSetSearchPath +SymSrvGetFileIndexString +SymSrvGetFileIndexStringW +SymSrvGetFileIndexes +SymSrvGetFileIndexesW +SymUnDName +SymUnDName64 +SymUnloadModule +SymUnloadModule64 +TouchFileTimes +UnDecorateSymbolName +UnMapAndLoad +UnmapDebugInformation +UpdateDebugInfoFile +UpdateDebugInfoFileEx diff --git a/lib/libc/mingw/lib-common/imgutil.def b/lib/libc/mingw/lib-common/imgutil.def new file mode 100644 index 0000000000..044deb3a89 --- /dev/null +++ b/lib/libc/mingw/lib-common/imgutil.def @@ -0,0 +1,16 @@ +; +; Definition file of ImgUtil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ImgUtil.dll" +EXPORTS +ComputeInvCMAP +CreateDDrawSurfaceOnDIB +CreateMIMEMap +DecodeImage +DecodeImageEx +DitherTo8 +GetMaxMIMEIDBytes +IdentifyMIMEType +SniffStream diff --git a/lib/libc/mingw/lib-common/inetcomm.def b/lib/libc/mingw/lib-common/inetcomm.def new file mode 100644 index 0000000000..b26a404a9c --- /dev/null +++ b/lib/libc/mingw/lib-common/inetcomm.def @@ -0,0 +1,121 @@ +; +; Definition file of INETCOMM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "INETCOMM.dll" +EXPORTS +ord_1 @1 +RichMimeEdit_CreateInstance +CreateCommunityTransport +CreateIMAPTransport +CreateIMAPTransport2 +CreateNNTPTransport +CreatePOP3Transport +CreateRASTransport +CreateRangeList +CreateSMTPTransport +EssContentHintDecodeEx +EssContentHintEncodeEx +EssKeyExchPreferenceDecodeEx +EssKeyExchPreferenceEncodeEx +EssMLHistoryDecodeEx +EssMLHistoryEncodeEx +EssReceiptDecodeEx +EssReceiptEncodeEx +EssReceiptRequestDecodeEx +EssReceiptRequestEncodeEx +EssSecurityLabelDecodeEx +EssSecurityLabelEncodeEx +EssSignCertificateDecodeEx +EssSignCertificateEncodeEx +GetDllMajorVersion +HrAthGetFileName +HrAthGetFileNameW +HrAttachDataFromBodyPart +HrAttachDataFromFile +HrCreateDisplayNameWithSizeForFile +HrDoAttachmentVerb +HrFreeAttachData +HrGetAttachIcon +HrGetAttachIconByFile +HrGetDisplayNameWithSizeForFile +HrGetLastOpenFileDirectory +HrGetLastOpenFileDirectoryW +HrSaveAttachToFile +HrSaveAttachmentAs +MimeEditCreateMimeDocument +MimeEditDocumentFromStream +MimeEditGetBackgroundImageUrl +MimeEditIsSafeToRun +MimeEditViewSource +MimeGetAddressFormatW +MimeOleAlgNameFromSMimeCap +MimeOleAlgStrengthFromSMimeCap +MimeOleClearDirtyTree +MimeOleConvertEnrichedToHTML +MimeOleCreateBody +MimeOleCreateByteStream +MimeOleCreateHashTable +MimeOleCreateHeaderTable +MimeOleCreateMessage +MimeOleCreateMessageParts +MimeOleCreatePropertySet +MimeOleCreateSecurity +MimeOleCreateVirtualStream +MimeOleDecodeHeader +MimeOleEncodeHeader +MimeOleFileTimeToInetDate +MimeOleFindCharset +MimeOleGenerateCID +MimeOleGenerateFileName +MimeOleGenerateMID +MimeOleGetAllocator +MimeOleGetBodyPropA +MimeOleGetBodyPropW +MimeOleGetCertsFromThumbprints +MimeOleGetCharsetInfo +MimeOleGetCodePageCharset +MimeOleGetCodePageInfo +MimeOleGetContentTypeExt +MimeOleGetDefaultCharset +MimeOleGetExtContentType +MimeOleGetFileExtension +MimeOleGetFileInfo +MimeOleGetFileInfoW +MimeOleGetInternat +MimeOleGetPropA +MimeOleGetPropW +MimeOleGetPropertySchema +MimeOleGetRelatedSection +MimeOleInetDateToFileTime +MimeOleObjectFromMoniker +MimeOleOpenFileStream +MimeOleParseMhtmlUrl +MimeOleParseRfc822Address +MimeOleParseRfc822AddressW +MimeOleSMimeCapAddCert +MimeOleSMimeCapAddSMimeCap +MimeOleSMimeCapGetEncAlg +MimeOleSMimeCapGetHashAlg +MimeOleSMimeCapInit +MimeOleSMimeCapRelease +MimeOleSMimeCapsFromDlg +MimeOleSMimeCapsFull +MimeOleSMimeCapsToDlg +MimeOleSetBodyPropA +MimeOleSetBodyPropW +MimeOleSetCompatMode +MimeOleSetDefaultCharset +MimeOleSetPropA +MimeOleSetPropW +MimeOleStripHeaders +MimeOleUnEscapeStringInPlace +MimeOleUnEscapeStringInPlaceW +ord_702 @702 +ord_703 @703 +ord_704 @704 +ord_705 @705 +ord_706 @706 +ord_707 @707 +ord_708 @708 diff --git a/lib/libc/mingw/lib-common/inetmib1.def b/lib/libc/mingw/lib-common/inetmib1.def new file mode 100644 index 0000000000..adf05ab17d --- /dev/null +++ b/lib/libc/mingw/lib-common/inetmib1.def @@ -0,0 +1,12 @@ +; +; Exports of file inetmib1.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY inetmib1.dll +EXPORTS +SnmpExtensionInit +SnmpExtensionInitEx +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib-common/inkobjcore.def b/lib/libc/mingw/lib-common/inkobjcore.def new file mode 100644 index 0000000000..dfa730e666 --- /dev/null +++ b/lib/libc/mingw/lib-common/inkobjcore.def @@ -0,0 +1,34 @@ +LIBRARY inkobjcore + +EXPORTS + +AddStroke +AddStrokeWithId +AddWordsToWordList +AdviseInkChange +CreateContext +CreateRecognizer +DestroyContext +DestroyRecognizer +DestroyWordList +EndInkInput +GetAllRecognizers +GetBestResultString +GetLatticePtr +GetLeftSeparator +GetRecoAttributes +GetResultPropertyList +GetRightSeparator +GetUnicodeRanges +IsStringSupported +LoadCachedAttributes +MakeWordList +Process +SetConstraint +SetEnabledUnicodeRanges +SetFactoid +SetFlags +SetGuide +SetStrokeGroupId +SetTextContext +SetWordList diff --git a/lib/libc/mingw/lib-common/input.def b/lib/libc/mingw/lib-common/input.def new file mode 100644 index 0000000000..2e5ee9c7a6 --- /dev/null +++ b/lib/libc/mingw/lib-common/input.def @@ -0,0 +1,30 @@ +; +; Definition file of Input.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Input.dll" +EXPORTS +CPlApplet +ord_102 @102 +ord_103 @103 +InstallLayoutOrTip +SaveDefaultUserInputSettings +SaveSystemAcctInputSettings +SetDefaultLayoutOrTip +EnumLayoutOrTipForSetup +InstallLayoutOrTipUserReg +EnumEnabledLayoutOrTip +QueryLayoutOrTipString +QueryLayoutOrTipStringUserReg +GetDefaultLayout +GetLayoutDescription +ord_115 @115 +ord_116 @116 +InstallLayoutOrTipPrivate +EnumEnabledLayoutOrTipPrivate +ActivateInputProfile +InputDll_DownlevelInitialize +InputDll_DownlevelSetUILanguage +InputDll_DownlevelUninitialize +InputDll_DownlevelEnumLayoutOrTipForSetup diff --git a/lib/libc/mingw/lib-common/inseng.def b/lib/libc/mingw/lib-common/inseng.def new file mode 100644 index 0000000000..89b2fe03f3 --- /dev/null +++ b/lib/libc/mingw/lib-common/inseng.def @@ -0,0 +1,20 @@ +; +; Exports of file inseng.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY inseng.dll +EXPORTS +CheckForVersionConflict +CheckTrust +CheckTrustEx +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer +DownloadFile +GetICifFileFromFile +GetICifRWFileFromFile +PurgeDownloadDirectory diff --git a/lib/libc/mingw/lib-common/iphlpapi.def b/lib/libc/mingw/lib-common/iphlpapi.def index 36d348f89f..466900ccf5 100644 --- a/lib/libc/mingw/lib-common/iphlpapi.def +++ b/lib/libc/mingw/lib-common/iphlpapi.def @@ -210,6 +210,7 @@ InternalCreateIpForwardEntry InternalCreateIpForwardEntry2 InternalCreateIpNetEntry InternalCreateIpNetEntry2 +InternalCreateOrRefIpForwardEntry2 InternalCreateUnicastIpAddressEntry InternalDeleteAnycastIpAddressEntry InternalDeleteIpForwardEntry diff --git a/lib/libc/mingw/lib-common/ipnathlp.def b/lib/libc/mingw/lib-common/ipnathlp.def new file mode 100644 index 0000000000..9df3b85fc4 --- /dev/null +++ b/lib/libc/mingw/lib-common/ipnathlp.def @@ -0,0 +1,39 @@ +; +; Definition file of IPNATHLP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IPNATHLP.dll" +EXPORTS +NhAcceptStreamSocket +NhAcquireFixedLengthBuffer +NhAcquireVariableLengthBuffer +NhCreateDatagramSocket +NhCreateStreamSocket +NhDeleteSocket +NhInitializeBufferManagement +NhReadDatagramSocket +NhReadStreamSocket +NhReleaseBuffer +NhWriteDatagramSocket +NhWriteStreamSocket +RegisterProtocol +SvchostPushServiceGlobals +NatAcquirePortReservation +NatCancelDynamicRedirect +NatCancelRedirect +NatCreateDynamicFullRedirect +NatCreateDynamicRedirect +NatCreateDynamicRedirectEx +NatCreateRedirect +NatCreateRedirectEx +NatInitializePortReservation +NatInitializeTranslator +NatLookupAndQueryInformationSessionMapping +NatQueryInformationRedirect +NatQueryInformationRedirectHandle +NatReleasePortReservation +NatShutdownPortReservation +NatShutdownTranslator +NhInitializeTraceManagement +ServiceMain diff --git a/lib/libc/mingw/lib-common/jsproxy.def b/lib/libc/mingw/lib-common/jsproxy.def new file mode 100644 index 0000000000..d494ecbae5 --- /dev/null +++ b/lib/libc/mingw/lib-common/jsproxy.def @@ -0,0 +1,13 @@ +; +; Definition file of JSProxy.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "JSProxy.dll" +EXPORTS +InternetInitializeAutoProxyDll +InternetDeInitializeAutoProxyDll +InternetGetProxyInfo +InternetInitializeAutoProxyDllEx +InternetDeInitializeAutoProxyDllEx +InternetGetProxyInfoEx diff --git a/lib/libc/mingw/lib-common/kdcom.def b/lib/libc/mingw/lib-common/kdcom.def new file mode 100644 index 0000000000..c8d7079419 --- /dev/null +++ b/lib/libc/mingw/lib-common/kdcom.def @@ -0,0 +1,16 @@ +; +; Definition file of kdcom.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "kdcom.dll" +EXPORTS +KdD0Transition +KdD3Transition +KdDebuggerInitialize0 +KdDebuggerInitialize1 +KdReceivePacket +KdRestore +KdSave +KdSendPacket +KdSetHiberRange diff --git a/lib/libc/mingw/lib-common/kernel32.def.in b/lib/libc/mingw/lib-common/kernel32.def.in index ca130805ac..36bed3901a 100644 --- a/lib/libc/mingw/lib-common/kernel32.def.in +++ b/lib/libc/mingw/lib-common/kernel32.def.in @@ -6,6 +6,7 @@ AcquireSRWLockExclusive AcquireSRWLockShared ActivateActCtx ActivateActCtxWorker +ActivatePackageVirtualizationContext AddAtomA AddAtomW AddConsoleAliasA @@ -38,6 +39,7 @@ AppXGetOSMaxVersionTested ApplicationRecoveryFinished ApplicationRecoveryInProgress AreFileApisANSI +AreShortNamesEnabled AssignProcessToJobObject AttachConsole BackupRead @@ -116,6 +118,12 @@ BuildCommDCBA BuildCommDCBAndTimeoutsA BuildCommDCBAndTimeoutsW BuildCommDCBW +BuildIoRingCancelRequest +BuildIoRingFlushFile +BuildIoRingReadFile +BuildIoRingRegisterBuffers +BuildIoRingRegisterFileHandles +BuildIoRingWriteFile CallNamedPipeA CallNamedPipeW CallbackMayRunLong @@ -143,6 +151,7 @@ ClearCommBreak ClearCommError CloseConsoleHandle CloseHandle +CloseIoRing ClosePackageInfo ClosePrivateNamespace CloseProfileUserMapping @@ -219,6 +228,7 @@ CreateHardLinkTransactedA CreateHardLinkTransactedW CreateHardLinkW CreateIoCompletionPort +CreateIoRing CreateJobObjectA CreateJobObjectW CreateJobSet @@ -232,12 +242,14 @@ CreateMutexW CreateNamedPipeA CreateNamedPipeW CreateNlsSecurityDescriptor +CreatePackageVirtualizationContext CreatePipe CreatePrivateNamespaceA CreatePrivateNamespaceW CreateProcessA -CreateProcessAsUserA -CreateProcessAsUserW +; MSDN says these are exported from ADVAPI32.DLL. +; CreateProcessAsUserA +; CreateProcessAsUserW CreateProcessInternalA CreateProcessInternalW CreateProcessW @@ -272,6 +284,7 @@ CreateWaitableTimerW CtrlRoutine DeactivateActCtx DeactivateActCtxWorker +DeactivatePackageVirtualizationContext DebugActiveProcess DebugActiveProcessStop DebugBreak @@ -315,6 +328,8 @@ DosPathToSessionPathW DuplicateConsoleHandle DuplicateEncryptionInfoFileExt DuplicateHandle +DuplicatePackageVirtualizationContext +EnableProcessOptionalXStateFeatures EnableThreadProfiling EncodePointer EncodeSystemPointer @@ -323,7 +338,6 @@ EndUpdateResourceW EnterCriticalSection F_X64(EnterUmsSchedulingMode) EnterSynchronizationBarrier -EnterUmsSchedulingMode EnumCalendarInfoA EnumCalendarInfoExA EnumCalendarInfoExEx @@ -554,6 +568,7 @@ GetCurrentPackageFullName GetCurrentPackageId GetCurrentPackageInfo GetCurrentPackagePath +GetCurrentPackageVirtualizationContext GetCurrentProcess GetCurrentProcessId GetCurrentProcessorNumber @@ -630,6 +645,7 @@ GetGeoInfoA GetGeoInfoW GetGeoInfoEx GetHandleInformation +GetIoRingInfo GetLargePageMinimum GetLargestConsoleWindowSize GetLastError @@ -647,6 +663,7 @@ GetLongPathNameA GetLongPathNameTransactedA GetLongPathNameTransactedW GetLongPathNameW +GetMachineTypeAttributes GetMailslotInfo GetMaximumProcessorCount GetMaximumProcessorGroupCount @@ -678,6 +695,7 @@ GetNumaAvailableMemoryNodeEx GetNumaHighestNodeNumber GetNumaNodeNumberFromHandle GetNumaNodeProcessorMask +GetNumaNodeProcessorMask2 GetNumaNodeProcessorMaskEx GetNumaProcessorNode GetNumaProcessorNodeEx @@ -714,9 +732,9 @@ GetPrivateProfileStructA GetPrivateProfileStructW GetProcAddress GetProcessAffinityMask +GetProcessDefaultCpuSetMasks GetProcessDefaultCpuSets GetProcessDEPPolicy -GetProcessDefaultCpuSets GetProcessGroupAffinity GetProcessHandleCount GetProcessHeap @@ -733,6 +751,7 @@ GetProcessTimes GetProcessVersion GetProcessWorkingSetSize GetProcessWorkingSetSizeEx +GetProcessesInVirtualizationContext GetProcessorSystemCycleTime GetProductInfo GetProfileIntA @@ -786,8 +805,11 @@ GetTempFileNameA GetTempFileNameW GetTempPathA GetTempPathW +GetTempPath2A +GetTempPath2W GetThreadContext GetThreadDescription +GetThreadEnabledXStateFeatures GetThreadErrorMode GetThreadGroupAffinity GetThreadIOPendingFlag @@ -798,6 +820,7 @@ GetThreadLocale GetThreadPreferredUILanguages GetThreadPriority GetThreadPriorityBoost +GetThreadSelectedCpuSetMasks GetThreadSelectedCpuSets GetThreadSelectorEntry GetThreadTimes @@ -925,6 +948,7 @@ IsDBCSLeadByte IsDBCSLeadByteEx IsDebuggerPresent IsEnclaveTypeSupported +IsIoRingOpSupported IsNLSDefinedString IsNativeVhdBoot IsNormalizedString @@ -935,6 +959,7 @@ IsSystemResumeAutomatic IsThreadAFiber IsThreadpoolTimerSet IsTimeZoneRedirectionEnabled +IsUserCetAvailableInEnvironment IsValidCalDateTime IsValidCodePage IsValidLanguageGroup @@ -1081,7 +1106,8 @@ OpenSemaphoreW OpenState OpenStateExplicit OpenThread -;OpenThreadToken +; MSDN says this is exported from ADVAPI32.DLL. +; OpenThreadToken OpenWaitableTimerA OpenWaitableTimerW OutputDebugStringA @@ -1095,6 +1121,7 @@ ParseApplicationUserModelId PeekConsoleInputA PeekConsoleInputW PeekNamedPipe +PopIoRingCompletion PostQueuedCompletionStatus PowerClearRequest PowerCreateRequest @@ -1136,6 +1163,7 @@ QueryIdleProcessorCycleTime QueryIdleProcessorCycleTimeEx QueryInformationJobObject QueryIoRateControlInformationJobObject +QueryIoRingCapabilities QueryMemoryResourceNotification QueryPerformanceCounter QueryPerformanceFrequency @@ -1148,6 +1176,7 @@ QueryThreadpoolStackInformation F_X64(QueryUmsThreadInformation) QueryUnbiasedInterruptTime QueueUserAPC +QueueUserAPC2 QueueUserWorkItem QuirkGetData2Worker QuirkGetDataWorker @@ -1182,7 +1211,6 @@ ReadFileEx ReadFileScatter ReadProcessMemory ReadThreadProfilingData -ReclaimVirtualMemory ; ; MSDN says these functions are exported ; from advapi32.dll. Commented out for @@ -1251,6 +1279,7 @@ ReleaseActCtx ReleaseActCtxWorker ReleaseMutex ReleaseMutexWhenCallbackReturns +ReleasePackageVirtualizationContext ReleaseSRWLockExclusive ReleaseSRWLockShared ReleaseSemaphore @@ -1287,6 +1316,7 @@ RtlCopyMemory RtlDeleteFunctionTable RtlFillMemory RtlInstallFunctionTableCallback +RtlIsEcCode RtlLookupFunctionEntry RtlMoveMemory RtlPcToFileHeader @@ -1295,6 +1325,7 @@ RtlRestoreContext RtlUnwind RtlUnwindEx RtlVirtualUnwind +RtlVirtualUnwind2 RtlZeroMemory ScrollConsoleScreenBufferA ScrollConsoleScreenBufferW @@ -1390,6 +1421,7 @@ SetHandleCount SetHandleInformation SetInformationJobObject SetIoRateControlInformationJobObject +SetIoRingCompletionEvent SetLastConsoleEventActive SetLastError SetLocalPrimaryComputerNameA @@ -1405,7 +1437,10 @@ SetPriorityClass SetProcessAffinityMask SetProcessAffinityUpdateMode SetProcessDEPPolicy +SetProcessDefaultCpuSetMasks SetProcessDefaultCpuSets +SetProcessDynamicEHContinuationTargets +SetProcessDynamicEnforcedCetCompatibleRanges SetProcessInformation SetProcessMitigationPolicy SetProcessPreferredUILanguages @@ -1437,9 +1472,11 @@ SetThreadLocale SetThreadPreferredUILanguages SetThreadPriority SetThreadPriorityBoost +SetThreadSelectedCpuSetMasks SetThreadSelectedCpuSets SetThreadStackGuarantee -SetThreadToken +; MSDN says this is exported from ADVAPI32.DLL. +; SetThreadToken SetThreadUILanguage SetThreadpoolStackInformation SetThreadpoolThreadMaximum @@ -1474,6 +1511,7 @@ SleepEx SortCloseHandle SortGetHandle StartThreadpoolIo +SubmitIoRing SubmitThreadpoolWork SuspendThread SwitchToFiber diff --git a/lib/libc/mingw/lib-common/keymgr.def b/lib/libc/mingw/lib-common/keymgr.def new file mode 100644 index 0000000000..db865ef3e2 --- /dev/null +++ b/lib/libc/mingw/lib-common/keymgr.def @@ -0,0 +1,16 @@ +; +; Exports of file KEYMGR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY KEYMGR.dll +EXPORTS +CPlApplet +DllMain +KRShowKeyMgr +PRShowRestoreFromMsginaW +PRShowRestoreWizardExW +PRShowRestoreWizardW +PRShowSaveFromMsginaW +PRShowSaveWizardExW diff --git a/lib/libc/mingw/lib-common/ks.def b/lib/libc/mingw/lib-common/ks.def new file mode 100644 index 0000000000..0f995bdf1d --- /dev/null +++ b/lib/libc/mingw/lib-common/ks.def @@ -0,0 +1,254 @@ +; +; Definition file of ks.sys +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "ks.sys" +EXPORTS +; public: __cdecl CBaseUnknown::CBaseUnknown(struct _GUID const &__ptr64 ,struct IUnknown *__ptr64)__ptr64 +??0CBaseUnknown@@QEAA@AEBU_GUID@@PEAUIUnknown@@@Z +; public: __cdecl CBaseUnknown::CBaseUnknown(struct IUnknown *__ptr64)__ptr64 +??0CBaseUnknown@@QEAA@PEAUIUnknown@@@Z +; public: virtual __cdecl CBaseUnknown::~CBaseUnknown(void)__ptr64 +??1CBaseUnknown@@UEAA@XZ +; public: void __cdecl CBaseUnknown::__dflt_ctor_closure(void)__ptr64 +??_FCBaseUnknown@@QEAAXXZ +; public: virtual unsigned long __cdecl CBaseUnknown::IndirectedAddRef(void)__ptr64 +?IndirectedAddRef@CBaseUnknown@@UEAAKXZ +; public: virtual long __cdecl CBaseUnknown::IndirectedQueryInterface(struct _GUID const &__ptr64 ,void *__ptr64 *__ptr64)__ptr64 +?IndirectedQueryInterface@CBaseUnknown@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual unsigned long __cdecl CBaseUnknown::IndirectedRelease(void)__ptr64 +?IndirectedRelease@CBaseUnknown@@UEAAKXZ +; public: virtual unsigned long __cdecl CBaseUnknown::NonDelegatedAddRef(void)__ptr64 +?NonDelegatedAddRef@CBaseUnknown@@UEAAKXZ +; public: virtual long __cdecl CBaseUnknown::NonDelegatedQueryInterface(struct _GUID const &__ptr64 ,void *__ptr64 *__ptr64)__ptr64 +?NonDelegatedQueryInterface@CBaseUnknown@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual unsigned long __cdecl CBaseUnknown::NonDelegatedRelease(void)__ptr64 +?NonDelegatedRelease@CBaseUnknown@@UEAAKXZ +DllInitialize +KoCreateInstance +KoDeviceInitialize +KoDriverInitialize +KoRelease +KsAcquireCachedMdl +KsAcquireControl +KsAcquireDevice +KsAcquireDeviceSecurityLock +KsAcquireResetValue +KsAddDevice +KsAddEvent +KsAddIrpToCancelableQueue +KsAddItemToObjectBag +KsAddObjectCreateItemToDeviceHeader +KsAddObjectCreateItemToObjectHeader +KsAllocateDefaultClock +KsAllocateDefaultClockEx +KsAllocateDeviceHeader +KsAllocateExtraData +KsAllocateObjectBag +KsAllocateObjectCreateItem +KsAllocateObjectHeader +KsCacheMedium +KsCancelIo +KsCancelRoutine +KsCompletePendingRequest +KsCopyObjectBagItems +KsCreateAllocator +KsCreateBusEnumObject +KsCreateClock +KsCreateDefaultAllocator +KsCreateDefaultAllocatorEx +KsCreateDefaultClock +KsCreateDefaultSecurity +KsCreateDevice +KsCreateFilterFactory +KsCreatePin +KsCreateTopologyNode +KsDecrementCountedWorker +KsDefaultAddEventHandler +KsDefaultDeviceIoCompletion +KsDefaultDispatchPnp +KsDefaultDispatchPower +KsDefaultForwardIrp +KsDereferenceBusObject +KsDereferenceSoftwareBusObject +KsDeviceGetBusData +KsDeviceRegisterAdapterObject +KsDeviceRegisterThermalDispatch +KsDeviceSetBusData +KsDisableEvent +KsDiscardEvent +KsDispatchFastIoDeviceControlFailure +KsDispatchFastReadFailure +KsDispatchInvalidDeviceRequest +KsDispatchIrp +KsDispatchQuerySecurity +KsDispatchSetSecurity +KsDispatchSpecificMethod +KsDispatchSpecificProperty +KsEnableEvent +KsEnableEventWithAllocator +KsFastMethodHandler +KsFastPropertyHandler +KsFilterAcquireProcessingMutex +KsFilterAddTopologyConnections +KsFilterAttemptProcessing +KsFilterCreateNode +KsFilterCreatePinFactory +KsFilterFactoryAddCreateItem +KsFilterFactoryGetSymbolicLink +KsFilterFactorySetDeviceClassesState +KsFilterFactoryUpdateCacheData +KsFilterGetAndGate +KsFilterGetChildPinCount +KsFilterGetFirstChildPin +KsFilterRegisterPowerCallbacks +KsFilterReleaseProcessingMutex +KsForwardAndCatchIrp +KsForwardIrp +KsFreeDefaultClock +KsFreeDeviceHeader +KsFreeEventList +KsFreeObjectBag +KsFreeObjectCreateItem +KsFreeObjectCreateItemsByContext +KsFreeObjectHeader +KsGenerateDataEvent +KsGenerateEvent +KsGenerateEventList +KsGenerateEvents +KsGenerateThermalEvent +KsGetBusEnumIdentifier +KsGetBusEnumParentFDOFromChildPDO +KsGetBusEnumPnpDeviceObject +KsGetDefaultClockState +KsGetDefaultClockTime +KsGetDevice +KsGetDeviceForDeviceObject +KsGetFilterFromIrp +KsGetFirstChild +KsGetImageNameAndResourceId +KsGetNextSibling +KsGetNodeIdFromIrp +KsGetObjectFromFileObject +KsGetObjectTypeFromFileObject +KsGetObjectTypeFromIrp +KsGetOuterUnknown +KsGetParent +KsGetPinFromIrp +KsHandleSizedListQuery +KsIncrementCountedWorker +KsInitializeDevice +KsInitializeDeviceProfile +KsInitializeDriver +KsInstallBusEnumInterface +KsIsBusEnumChildDevice +KsIsCurrentProcessFrameServer +KsLoadResource +KsMapModuleName +KsMergeAutomationTables +KsMethodHandler +KsMethodHandlerWithAllocator +KsMoveIrpsOnCancelableQueue +KsNullDriverUnload +KsPersistDeviceProfile +KsPinAcquireProcessingMutex +KsPinAttachAndGate +KsPinAttachOrGate +KsPinAttemptProcessing +KsPinDataIntersection +KsPinGetAndGate +KsPinGetAvailableByteCount +KsPinGetConnectedFilterInterface +KsPinGetConnectedPinDeviceObject +KsPinGetConnectedPinFileObject +KsPinGetConnectedPinInterface +KsPinGetCopyRelationships +KsPinGetFirstCloneStreamPointer +KsPinGetLeadingEdgeStreamPointer +KsPinGetNextSiblingPin +KsPinGetParentFilter +KsPinGetReferenceClockInterface +KsPinGetTrailingEdgeStreamPointer +KsPinPropertyHandler +KsPinRegisterFrameReturnCallback +KsPinRegisterHandshakeCallback +KsPinRegisterIrpCompletionCallback +KsPinRegisterPowerCallbacks +KsPinReleaseProcessingMutex +KsPinSetPinClockTime +KsPinSubmitFrame +KsPinSubmitFrameMdl +KsProbeStreamIrp +KsProcessPinUpdate +KsPropertyHandler +KsPropertyHandlerWithAllocator +KsPublishDeviceProfile +KsQueryDevicePnpObject +KsQueryInformationFile +KsQueryObjectAccessMask +KsQueryObjectCreateItem +KsQueueWorkItem +KsReadFile +KsRecalculateStackDepth +KsReferenceBusObject +KsReferenceSoftwareBusObject +KsRegisterAggregatedClientUnknown +KsRegisterCountedWorker +KsRegisterFilterWithNoKSPins +KsRegisterWorker +KsReleaseCachedMdl +KsReleaseControl +KsReleaseDevice +KsReleaseDeviceSecurityLock +KsReleaseIrpOnCancelableQueue +KsRemoveBusEnumInterface +KsRemoveIrpFromCancelableQueue +KsRemoveItemFromObjectBag +KsRemoveSpecificIrpFromCancelableQueue +KsServiceBusEnumCreateRequest +KsServiceBusEnumPnpRequest +KsSetDefaultClockState +KsSetDefaultClockTime +KsSetDevicePnpAndBaseObject +KsSetInformationFile +KsSetMajorFunctionHandler +KsSetPowerDispatch +KsSetTargetDeviceObject +KsSetTargetState +KsStreamIo +KsStreamPointerAdvance +KsStreamPointerAdvanceOffsets +KsStreamPointerAdvanceOffsetsAndUnlock +KsStreamPointerCancelTimeout +KsStreamPointerClone +KsStreamPointerDelete +KsStreamPointerGetIrp +KsStreamPointerGetMdl +KsStreamPointerGetNextClone +KsStreamPointerLock +KsStreamPointerScheduleTimeout +KsStreamPointerSetStatusCode +KsStreamPointerUnlock +KsSynchronousIoControlDevice +KsTerminateDevice +KsTopologyPropertyHandler +KsUnregisterWorker +KsUnserializeObjectPropertiesFromRegistry +KsUpdateCameraStreamingConsent +KsValidateAllocatorCreateRequest +KsValidateAllocatorFramingEx +KsValidateClockCreateRequest +KsValidateConnectRequest +KsValidateTopologyNodeCreateRequest +KsWriteFile +KsiDefaultClockAddMarkEvent +KsiPropertyDefaultClockGetCorrelatedPhysicalTime +KsiPropertyDefaultClockGetCorrelatedTime +KsiPropertyDefaultClockGetFunctionTable +KsiPropertyDefaultClockGetPhysicalTime +KsiPropertyDefaultClockGetResolution +KsiPropertyDefaultClockGetState +KsiPropertyDefaultClockGetTime +KsiQueryObjectCreateItemsPresent +_KsEdit diff --git a/lib/libc/mingw/lib-common/ksecdd.def b/lib/libc/mingw/lib-common/ksecdd.def new file mode 100644 index 0000000000..91611cf305 --- /dev/null +++ b/lib/libc/mingw/lib-common/ksecdd.def @@ -0,0 +1,108 @@ +LIBRARY "ksecdd.sys" +EXPORTS +SystemPrng +AcceptSecurityContext +AcquireCredentialsHandleW +AddCredentialsW +ApplyControlToken +BCryptCloseAlgorithmProvider +BCryptCreateHash +BCryptDecrypt +BCryptDeriveKey +BCryptDeriveKeyCapi +BCryptDeriveKeyPBKDF2 +BCryptDestroyHash +BCryptDestroyKey +BCryptDestroySecret +BCryptDuplicateHash +BCryptDuplicateKey +BCryptEncrypt +BCryptEnumAlgorithms +BCryptEnumProviders +BCryptExportKey +BCryptFinalizeKeyPair +BCryptFinishHash +BCryptFreeBuffer +BCryptGenRandom +BCryptGenerateKeyPair +BCryptGenerateSymmetricKey +BCryptGetFipsAlgorithmMode +BCryptGetProperty +BCryptHashData +BCryptImportKey +BCryptImportKeyPair +BCryptKeyDerivation +BCryptOpenAlgorithmProvider +BCryptRegisterConfigChangeNotify +BCryptResolveProviders +BCryptSecretAgreement +BCryptSetProperty +BCryptSignHash +BCryptUnregisterConfigChangeNotify +BCryptVerifySignature +CompleteAuthToken +CredMarshalTargetInfo +DeleteSecurityContext +EnumerateSecurityPackagesW +ExportSecurityContext +FreeContextBuffer +FreeCredentialsHandle +GetSecurityUserInfo +ImpersonateSecurityContext +ImportSecurityContextW +InitSecurityInterfaceW +InitializeSecurityContextW +KSecRegisterSecurityProvider +KSecValidateBuffer +LsaEnumerateLogonSessions +LsaGetLogonSessionData +MakeSignature +MapSecurityError +QueryContextAttributesW +QueryCredentialsAttributesW +QuerySecurityContextToken +QuerySecurityPackageInfoW +RevertSecurityContext +SealMessage +SecLookupAccountName +SecLookupAccountSid +SecLookupWellKnownSid +SecMakeSPN +SecMakeSPNEx +SecMakeSPNEx2 +SecSetPagingMode +SetCredentialsAttributesW +SslDecryptPacket +SslEncryptPacket +SslExportKey +SslFreeObject +SslGetExtensions +SslGetServerIdentity +SslImportKey +SslLookupCipherSuiteInfo +SslOpenProvider +SspiAcceptSecurityContextAsync +SspiAcquireCredentialsHandleAsyncW +SspiCompareAuthIdentities +SspiCopyAuthIdentity +SspiCreateAsyncContext +SspiDeleteSecurityContextAsync +SspiEncodeAuthIdentityAsStrings +SspiEncodeStringsAsAuthIdentity +SspiFreeAsyncContext +SspiFreeAuthIdentity +SspiFreeCredentialsHandleAsync +SspiGetAsyncCallStatus +SspiInitializeSecurityContextAsyncW +SspiLocalFree +SspiMarshalAuthIdentity +SspiReinitAsyncContext +SspiSetAsyncNotifyCallback +SspiUnmarshalAuthIdentity +SspiValidateAuthIdentity +SspiZeroAuthIdentity +TokenBindingGetHighestSupportedVersion +TokenBindingGetKeyTypesServer +TokenBindingVerifyMessage +UnsealMessage +VerifySignature diff --git a/lib/libc/mingw/lib-common/linkinfo.def b/lib/libc/mingw/lib-common/linkinfo.def new file mode 100644 index 0000000000..484af1dc0c --- /dev/null +++ b/lib/libc/mingw/lib-common/linkinfo.def @@ -0,0 +1,23 @@ +; +; Exports of file LINKINFO.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LINKINFO.dll +EXPORTS +CompareLinkInfoReferents +CompareLinkInfoVolumes +CreateLinkInfo +CreateLinkInfoA +CreateLinkInfoW +DestroyLinkInfo +DisconnectLinkInfo +GetCanonicalPathInfo +GetCanonicalPathInfoA +GetCanonicalPathInfoW +GetLinkInfoData +IsValidLinkInfo +ResolveLinkInfo +ResolveLinkInfoA +ResolveLinkInfoW diff --git a/lib/libc/mingw/lib-common/loghours.def b/lib/libc/mingw/lib-common/loghours.def new file mode 100644 index 0000000000..0c2c8e87a4 --- /dev/null +++ b/lib/libc/mingw/lib-common/loghours.def @@ -0,0 +1,18 @@ +; +; Exports of file LogHours.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LogHours.dll +EXPORTS +LogonScheduleDialog +ConnectionScheduleDialog +DialinHoursDialog +DirSyncScheduleDialog +LogonScheduleDialogEx +DialinHoursDialogEx +ReplicationScheduleDialog +ReplicationScheduleDialogEx +ConnectionScheduleDialogEx +DirSyncScheduleDialogEx diff --git a/lib/libc/mingw/lib-common/mapistub.def b/lib/libc/mingw/lib-common/mapistub.def new file mode 100644 index 0000000000..8b68b1159a --- /dev/null +++ b/lib/libc/mingw/lib-common/mapistub.def @@ -0,0 +1,177 @@ +; +; Definition file of MAPI32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MAPI32.dll" +EXPORTS +ord_8 @8 +MAPILogonEx +MAPIAllocateBuffer +MAPIAllocateMore +MAPIFreeBuffer +MAPIAdminProfiles +MAPIInitialize +MAPIUninitialize +PRProviderInit +LAUNCHWIZARD +LaunchWizard +MAPIOpenFormMgr +MAPIOpenLocalFormContainer +ScInitMapiUtil +DeinitMapiUtil +ScGenerateMuid +HrAllocAdviseSink +WrapProgress +HrThisThreadAdviseSink +ScBinFromHexBounded +FBinFromHex +HexFromBin +BuildDisplayTable +SwapPlong +SwapPword +MAPIInitIdle +MAPIDeinitIdle +InstallFilterHook +FtgRegisterIdleRoutine +EnableIdleRoutine +DeregisterIdleRoutine +ChangeIdleRoutine +MAPIGetDefaultMalloc +CreateIProp +CreateTable +MNLS_lstrlenW +MNLS_lstrcmpW +MNLS_lstrcpyW +MNLS_CompareStringW +MNLS_MultiByteToWideChar +MNLS_WideCharToMultiByte +MNLS_IsBadStringPtrW +FEqualNames +WrapStoreEntryID +IsBadBoundedStringPtr +HrQueryAllRows +PropCopyMore +UlPropSize +FPropContainsProp +FPropCompareProp +LPropCompareProp +HrAddColumns +HrAddColumnsEx +FtAddFt +FtAdcFt +FtSubFt +FtMulDw +FtMulDwDw +FtNegFt +FtDivFtBogus +UlAddRef +UlRelease +SzFindCh +SzFindLastCh +SzFindSz +UFromSz +HrGetOneProp +HrSetOneProp +FPropExists +PpropFindProp +FreePadrlist +FreeProws +HrSzFromEntryID +HrEntryIDFromSz +HrComposeEID +HrDecomposeEID +HrComposeMsgID +HrDecomposeMsgID +OpenStreamOnFile +OpenTnefStream +OpenTnefStreamEx +GetTnefStreamCodepage +UlFromSzHex +UNKOBJ_ScAllocate +UNKOBJ_ScAllocateMore +UNKOBJ_Free +UNKOBJ_FreeRows +UNKOBJ_ScCOAllocate +UNKOBJ_ScCOReallocate +UNKOBJ_COFree +UNKOBJ_ScSzFromIdsAlloc +ScCountNotifications +ScCopyNotifications +ScRelocNotifications +ScCountProps +ScCopyProps +ScRelocProps +LpValFindProp +ScDupPropset +FBadRglpszA +FBadRglpszW +FBadRowSet +FBadRglpNameID +FBadPropTag +FBadRow +FBadProp +FBadColumnSet +RTFSync +WrapCompressedRTFStream +__ValidateParameters +__CPPValidateParameters +FBadSortOrderSet +FBadEntryList +FBadRestriction +ScUNCFromLocalPath +ScLocalPathFromUNC +HrIStorageFromStream +HrValidateIPMSubtree +OpenIMsgSession +CloseIMsgSession +OpenIMsgOnIStg +SetAttribIMsgOnIStg +GetAttribIMsgOnIStg +MapStorageSCode +ScMAPIXFromCMC +ScMAPIXFromSMAPI +EncodeID +FDecodeID +CchOfEncoding +CbOfEncoded +MAPISendDocuments +MAPILogon +MAPILogoff +MAPISendMail +MAPISaveMail +MAPIReadMail +MAPIFindNext +MAPIDeleteMail +MAPIAddress +MAPIDetails +MAPIResolveName +BMAPISendMail +BMAPISaveMail +BMAPIReadMail +BMAPIGetReadMail +BMAPIFindNext +BMAPIAddress +BMAPIGetAddress +BMAPIDetails +BMAPIResolveName +cmc_act_on +cmc_free +cmc_list +cmc_logoff +cmc_logon +cmc_look_up +cmc_query_configuration +cmc_read +cmc_send +cmc_send_documents +HrDispatchNotifications +HrValidateParametersV +HrValidateParametersValist +ScCreateConversationIndex +HrGetOmiProvidersFlags +HrSetOmiProvidersFlagsInvalid +GetOutlookVersion +FixMAPI +FGetComponentPath +MAPISendMailW diff --git a/lib/libc/mingw/lib-common/mcicda.def b/lib/libc/mingw/lib-common/mcicda.def new file mode 100644 index 0000000000..86ff33e896 --- /dev/null +++ b/lib/libc/mingw/lib-common/mcicda.def @@ -0,0 +1,9 @@ +; +; Exports of file MCICDA.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCICDA.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib-common/mciseq.def b/lib/libc/mingw/lib-common/mciseq.def new file mode 100644 index 0000000000..fa17d34899 --- /dev/null +++ b/lib/libc/mingw/lib-common/mciseq.def @@ -0,0 +1,9 @@ +; +; Exports of file MCISEQ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCISEQ.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib-common/mciwave.def b/lib/libc/mingw/lib-common/mciwave.def new file mode 100644 index 0000000000..7c02ea7236 --- /dev/null +++ b/lib/libc/mingw/lib-common/mciwave.def @@ -0,0 +1,9 @@ +; +; Exports of file MCIWAVE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCIWAVE.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib-common/mdminst.def b/lib/libc/mingw/lib-common/mdminst.def new file mode 100644 index 0000000000..480efbb1ad --- /dev/null +++ b/lib/libc/mingw/lib-common/mdminst.def @@ -0,0 +1,9 @@ +; +; Exports of file MDMINST.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MDMINST.dll +EXPORTS +ClassInstall32 diff --git a/lib/libc/mingw/lib-common/mf3216.def b/lib/libc/mingw/lib-common/mf3216.def new file mode 100644 index 0000000000..5d0143bd49 --- /dev/null +++ b/lib/libc/mingw/lib-common/mf3216.def @@ -0,0 +1,10 @@ +; +; Exports of file mf3216.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mf3216.dll +EXPORTS +ConvertEmfToWmf +Mf3216DllInitialize diff --git a/lib/libc/mingw/lib-common/mfplat.def b/lib/libc/mingw/lib-common/mfplat.def index 6634e55d68..3384a35f67 100644 --- a/lib/libc/mingw/lib-common/mfplat.def +++ b/lib/libc/mingw/lib-common/mfplat.def @@ -233,7 +233,6 @@ MFTRegisterLocalByCLSID MFTUnregister MFTUnregisterLocal MFTUnregisterLocalByCLSID -MFTraceError MFTraceFuncEnter MFUnblockThread MFUnjoinWorkQueue @@ -245,6 +244,5 @@ MFUnwrapMediaType MFValidateMediaTypeSize MFWrapMediaType MFWrapSocket -MFllMulDiv PropVariantFromStream PropVariantToStream diff --git a/lib/libc/mingw/lib-common/mfsensorgroup.def b/lib/libc/mingw/lib-common/mfsensorgroup.def new file mode 100644 index 0000000000..b40cfb9195 --- /dev/null +++ b/lib/libc/mingw/lib-common/mfsensorgroup.def @@ -0,0 +1,43 @@ +; +; Definition file of MFSENSORGROUP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "MFSENSORGROUP.dll" +EXPORTS +MFCheckProcessCapabilities +MFCleanupVirtualCameraEntries +MFCloneSensorProfile +MFCreatePackageFamilyNameTag +MFCreatePassthroughTranslatedMediaType +MFCreateRelativePanelWatcher +MFCreateSensorActivityMonitor +MFCreateSensorDeviceBlobByObject +MFCreateSensorGroup +MFCreateSensorGroupById +MFCreateSensorGroupCollection +MFCreateSensorGroupIdManager +MFCreateSensorProfile +MFCreateSensorProfileCollection +MFCreateSensorProfileWithFlags +MFCreateSensorStream +MFCreateTranslatedMediaType +MFCreateTranslatedMediaType2 +MFDeleteSensorGroupById +MFGetDeviceFromFSUniqueId +MFGetDeviceFromSGHash +MFGetSGCH +MFGetSensorDeviceProperty +MFGetSensorDeviceRegistryProperty +MFGetSensorGroupAttributesFromId +MFGetSensorGroupPropertyName +MFGetSensorOrientation +MFInitializeSensorGroupStore +MFIsSensorGroupName +MFIsStreamAvailableToAppPackage +MFLoadSensorGroupFromRegistry +MFLoadSensorProfiles +MFPublishSensorProfiles +MFSensorProfileParseFilterSetString +MFValidateSensorProfile +MFWriteSensorGroupDataToRegistry diff --git a/lib/libc/mingw/lib-common/mi.def b/lib/libc/mingw/lib-common/mi.def new file mode 100644 index 0000000000..c0e500eb58 --- /dev/null +++ b/lib/libc/mingw/lib-common/mi.def @@ -0,0 +1,9 @@ +; +; Definition file of mi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "mi.dll" +EXPORTS +MI_Application_InitializeV1 +mi_clientFT_V1 DATA diff --git a/lib/libc/mingw/lib-common/midimap.def b/lib/libc/mingw/lib-common/midimap.def new file mode 100644 index 0000000000..7c5727d3b6 --- /dev/null +++ b/lib/libc/mingw/lib-common/midimap.def @@ -0,0 +1,11 @@ +; +; Exports of file MIDIMAP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MIDIMAP.dll +EXPORTS +DriverProc +modMessage +modmCallback diff --git a/lib/libc/mingw/lib-common/mlang.def b/lib/libc/mingw/lib-common/mlang.def new file mode 100644 index 0000000000..3a62e93813 --- /dev/null +++ b/lib/libc/mingw/lib-common/mlang.def @@ -0,0 +1,22 @@ +; +; Exports of file MLANG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MLANG.dll +EXPORTS +IsConvertINetStringAvailable +ConvertINetString +ConvertINetUnicodeToMultiByte +ConvertINetMultiByteToUnicode +ConvertINetReset +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetGlobalFontLinkObject +LcidToRfc1766A +LcidToRfc1766W +Rfc1766ToLcidA +Rfc1766ToLcidW diff --git a/lib/libc/mingw/lib-common/mmdevapi.def b/lib/libc/mingw/lib-common/mmdevapi.def index 4affff516d..81fea2c13a 100644 --- a/lib/libc/mingw/lib-common/mmdevapi.def +++ b/lib/libc/mingw/lib-common/mmdevapi.def @@ -1,3 +1,33 @@ LIBRARY "mmdevapi.dll" EXPORTS +AETraceOutputDebugString ActivateAudioInterfaceAsync +CleanupDeviceAPI +FlushDeviceTopologyCache +GenerateMediaEvent +GetCategoryPath +GetClassFromEndpointId +GetEndpointGuidFromEndpointId +GetEndpointIdFromDeviceInterfaceId +GetNeverSetAsDefaultProperty +GetSessionIdFromEndpointId +InitializeDeviceAPI +MMDeviceCreateRegistryPropertyStore +MMDeviceGetDeviceEnumerator +MMDeviceGetEndpointManager +MMDeviceGetPolicyConfig +RegisterForMediaCallback +UnregisterMediaCallback +mmdDevFindMmDevProperty +mmdDevGetDeviceIdFromPnpInterface +mmdDevGetEndpointFormFactorFromMMDeviceId +mmdDevGetInstanceIdFromInterfaceId +mmdDevGetInstanceIdFromMMDeviceId +mmdDevGetInterfaceClassGuid +mmdDevGetInterfaceDataFlow +mmdDevGetInterfaceIdFromMMDevice +mmdDevGetInterfaceIdFromMMDeviceId +mmdDevGetInterfacePropertyStore +mmdDevGetMMDeviceFromInterfaceId +mmdDevGetMMDeviceIdFromInterfaceId +mmdDevGetRelatedInterfaceId diff --git a/lib/libc/mingw/lib-common/modemui.def b/lib/libc/mingw/lib-common/modemui.def new file mode 100644 index 0000000000..b4d6e5cf4c --- /dev/null +++ b/lib/libc/mingw/lib-common/modemui.def @@ -0,0 +1,22 @@ +; +; Exports of file modemui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY modemui.dll +EXPORTS +drvCommConfigDialogW +drvCommConfigDialogA +drvSetDefaultCommConfigW +drvSetDefaultCommConfigA +drvGetDefaultCommConfigW +drvGetDefaultCommConfigA +UnimodemDevConfigDialog +CountryRunOnce +UnimodemGetDefaultCommConfig +UnimodemGetExtendedCaps +InvokeControlPanel +ModemCplDlgProc +ModemPropPagesProvider +QueryModemForCountrySettings diff --git a/lib/libc/mingw/lib-common/mpr.def b/lib/libc/mingw/lib-common/mpr.def index 0baa1a3165..9591307350 100644 --- a/lib/libc/mingw/lib-common/mpr.def +++ b/lib/libc/mingw/lib-common/mpr.def @@ -24,6 +24,8 @@ WNetAddConnection2A WNetAddConnection2W WNetAddConnection3A WNetAddConnection3W +WNetAddConnection4A +WNetAddConnection4W WNetAddConnectionA WNetAddConnectionW WNetCancelConnection2A @@ -92,3 +94,5 @@ WNetSetLastErrorW WNetSupportGlobalEnum WNetUseConnectionA WNetUseConnectionW +WNetUseConnection4A +WNetUseConnection4W diff --git a/lib/libc/mingw/lib-common/msafd.def b/lib/libc/mingw/lib-common/msafd.def new file mode 100644 index 0000000000..4868a5165f --- /dev/null +++ b/lib/libc/mingw/lib-common/msafd.def @@ -0,0 +1,9 @@ +; +; Exports of file MSAFD.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSAFD.dll +EXPORTS +WSPStartup diff --git a/lib/libc/mingw/lib-common/msajapi.def b/lib/libc/mingw/lib-common/msajapi.def new file mode 100644 index 0000000000..ebda53adc0 --- /dev/null +++ b/lib/libc/mingw/lib-common/msajapi.def @@ -0,0 +1,562 @@ +LIBRARY msajapi + +EXPORTS + +AllJoynAcceptBusConnection +AllJoynCloseBusHandle +AllJoynConnectToBus +AllJoynCreateBus +AllJoynEnumEvents +AllJoynEventSelect +AllJoynEventWrite +AllJoynEventsRegister +AllJoynEventsUnregister +AllJoynGetConfigurationDWORD +AllJoynReceiveFromBus +AllJoynSendToBus +AllJoynSetDebugLevel +GetHResultFromQStatus +QCC_StatusText +RouterNodeCleanup +RouterNodeInitialize +RouterNodeIsIdle +RouterNodeRun +alljoyn_aboutdata_create +alljoyn_aboutdata_create_empty +alljoyn_aboutdata_create_full +alljoyn_aboutdata_createfrommsgarg +alljoyn_aboutdata_createfromxml +alljoyn_aboutdata_destroy +alljoyn_aboutdata_getaboutdata +alljoyn_aboutdata_getajsoftwareversion +alljoyn_aboutdata_getannouncedaboutdata +alljoyn_aboutdata_getappid +alljoyn_aboutdata_getappname +alljoyn_aboutdata_getdateofmanufacture +alljoyn_aboutdata_getdefaultlanguage +alljoyn_aboutdata_getdescription +alljoyn_aboutdata_getdeviceid +alljoyn_aboutdata_getdevicename +alljoyn_aboutdata_getfield +alljoyn_aboutdata_getfields +alljoyn_aboutdata_getfieldsignature +alljoyn_aboutdata_gethardwareversion +alljoyn_aboutdata_getmanufacturer +alljoyn_aboutdata_getmodelnumber +alljoyn_aboutdata_getsoftwareversion +alljoyn_aboutdata_getsupportedlanguages +alljoyn_aboutdata_getsupporturl +alljoyn_aboutdata_isfieldannounced +alljoyn_aboutdata_isfieldlocalized +alljoyn_aboutdata_isfieldrequired +alljoyn_aboutdata_isvalid +alljoyn_aboutdata_setappid +alljoyn_aboutdata_setappid_fromstring +alljoyn_aboutdata_setappname +alljoyn_aboutdata_setdateofmanufacture +alljoyn_aboutdata_setdefaultlanguage +alljoyn_aboutdata_setdescription +alljoyn_aboutdata_setdeviceid +alljoyn_aboutdata_setdevicename +alljoyn_aboutdata_setfield +alljoyn_aboutdata_sethardwareversion +alljoyn_aboutdata_setmanufacturer +alljoyn_aboutdata_setmodelnumber +alljoyn_aboutdata_setsoftwareversion +alljoyn_aboutdata_setsupportedlanguage +alljoyn_aboutdata_setsupporturl +alljoyn_aboutdatalistener_create +alljoyn_aboutdatalistener_destroy +alljoyn_abouticon_clear +alljoyn_abouticon_create +alljoyn_abouticon_destroy +alljoyn_abouticon_getcontent +alljoyn_abouticon_geturl +alljoyn_abouticon_setcontent +alljoyn_abouticon_setcontent_frommsgarg +alljoyn_abouticon_seturl +alljoyn_abouticonobj_create +alljoyn_abouticonobj_destroy +alljoyn_abouticonproxy_create +alljoyn_abouticonproxy_destroy +alljoyn_abouticonproxy_geticon +alljoyn_abouticonproxy_getversion +alljoyn_aboutlistener_create +alljoyn_aboutlistener_destroy +alljoyn_aboutobj_announce +alljoyn_aboutobj_announce_using_datalistener +alljoyn_aboutobj_create +alljoyn_aboutobj_destroy +alljoyn_aboutobj_unannounce +alljoyn_aboutobjectdescription_clear +alljoyn_aboutobjectdescription_create +alljoyn_aboutobjectdescription_create_full +alljoyn_aboutobjectdescription_createfrommsgarg +alljoyn_aboutobjectdescription_destroy +alljoyn_aboutobjectdescription_getinterfacepaths +alljoyn_aboutobjectdescription_getinterfaces +alljoyn_aboutobjectdescription_getmsgarg +alljoyn_aboutobjectdescription_getpaths +alljoyn_aboutobjectdescription_hasinterface +alljoyn_aboutobjectdescription_hasinterfaceatpath +alljoyn_aboutobjectdescription_haspath +alljoyn_aboutproxy_create +alljoyn_aboutproxy_destroy +alljoyn_aboutproxy_getaboutdata +alljoyn_aboutproxy_getobjectdescription +alljoyn_aboutproxy_getversion +alljoyn_applicationstatelistener_create +alljoyn_applicationstatelistener_destroy +alljoyn_authlistener_create +alljoyn_authlistener_destroy +alljoyn_authlistener_requestcredentialsresponse +alljoyn_authlistener_setsharedsecret +alljoyn_authlistener_verifycredentialsresponse +alljoyn_authlistenerasync_create +alljoyn_authlistenerasync_destroy +alljoyn_autopinger_adddestination +alljoyn_autopinger_addpinggroup +alljoyn_autopinger_create +alljoyn_autopinger_destroy +alljoyn_autopinger_pause +alljoyn_autopinger_removedestination +alljoyn_autopinger_removepinggroup +alljoyn_autopinger_resume +alljoyn_autopinger_setpinginterval +alljoyn_busattachment_addlogonentry +alljoyn_busattachment_addmatch +alljoyn_busattachment_advertisename +alljoyn_busattachment_bindsessionport +alljoyn_busattachment_canceladvertisename +alljoyn_busattachment_cancelfindadvertisedname +alljoyn_busattachment_cancelfindadvertisednamebytransport +alljoyn_busattachment_cancelwhoimplements_interface +alljoyn_busattachment_cancelwhoimplements_interfaces +alljoyn_busattachment_clearkeys +alljoyn_busattachment_clearkeystore +alljoyn_busattachment_connect +alljoyn_busattachment_create +alljoyn_busattachment_create_concurrency +alljoyn_busattachment_createinterface +alljoyn_busattachment_createinterface_secure +alljoyn_busattachment_createinterfacesfromxml +alljoyn_busattachment_deletedefaultkeystore +alljoyn_busattachment_deleteinterface +alljoyn_busattachment_destroy +alljoyn_busattachment_disconnect +alljoyn_busattachment_enableconcurrentcallbacks +alljoyn_busattachment_enablepeersecurity +alljoyn_busattachment_enablepeersecuritywithpermissionconfigurationlistener +alljoyn_busattachment_findadvertisedname +alljoyn_busattachment_findadvertisednamebytransport +alljoyn_busattachment_getalljoyndebugobj +alljoyn_busattachment_getalljoynproxyobj +alljoyn_busattachment_getconcurrency +alljoyn_busattachment_getconnectspec +alljoyn_busattachment_getdbusproxyobj +alljoyn_busattachment_getglobalguidstring +alljoyn_busattachment_getinterface +alljoyn_busattachment_getinterfaces +alljoyn_busattachment_getkeyexpiration +alljoyn_busattachment_getpeerguid +alljoyn_busattachment_getpermissionconfigurator +alljoyn_busattachment_gettimestamp +alljoyn_busattachment_getuniquename +alljoyn_busattachment_isconnected +alljoyn_busattachment_ispeersecurityenabled +alljoyn_busattachment_isstarted +alljoyn_busattachment_isstopping +alljoyn_busattachment_join +alljoyn_busattachment_joinsession +alljoyn_busattachment_joinsessionasync +alljoyn_busattachment_leavesession +alljoyn_busattachment_namehasowner +alljoyn_busattachment_ping +alljoyn_busattachment_registeraboutlistener +alljoyn_busattachment_registerapplicationstatelistener +alljoyn_busattachment_registerbuslistener +alljoyn_busattachment_registerbusobject +alljoyn_busattachment_registerbusobject_secure +alljoyn_busattachment_registerkeystorelistener +alljoyn_busattachment_registersignalhandler +alljoyn_busattachment_registersignalhandlerwithrule +alljoyn_busattachment_releasename +alljoyn_busattachment_reloadkeystore +alljoyn_busattachment_removematch +alljoyn_busattachment_removesessionmember +alljoyn_busattachment_requestname +alljoyn_busattachment_secureconnection +alljoyn_busattachment_secureconnectionasync +alljoyn_busattachment_setdaemondebug +alljoyn_busattachment_setkeyexpiration +alljoyn_busattachment_setlinktimeout +alljoyn_busattachment_setlinktimeoutasync +alljoyn_busattachment_setsessionlistener +alljoyn_busattachment_start +alljoyn_busattachment_stop +alljoyn_busattachment_unbindsessionport +alljoyn_busattachment_unregisteraboutlistener +alljoyn_busattachment_unregisterallaboutlisteners +alljoyn_busattachment_unregisterallhandlers +alljoyn_busattachment_unregisterapplicationstatelistener +alljoyn_busattachment_unregisterbuslistener +alljoyn_busattachment_unregisterbusobject +alljoyn_busattachment_unregistersignalhandler +alljoyn_busattachment_unregistersignalhandlerwithrule +alljoyn_busattachment_whoimplements_interface +alljoyn_busattachment_whoimplements_interfaces +alljoyn_buslistener_create +alljoyn_buslistener_destroy +alljoyn_busobject_addinterface +alljoyn_busobject_addinterface_announced +alljoyn_busobject_addmethodhandler +alljoyn_busobject_addmethodhandlers +alljoyn_busobject_cancelsessionlessmessage +alljoyn_busobject_cancelsessionlessmessage_serial +alljoyn_busobject_create +alljoyn_busobject_destroy +alljoyn_busobject_emitpropertieschanged +alljoyn_busobject_emitpropertychanged +alljoyn_busobject_getannouncedinterfacenames +alljoyn_busobject_getbusattachment +alljoyn_busobject_getname +alljoyn_busobject_getpath +alljoyn_busobject_issecure +alljoyn_busobject_methodreply_args +alljoyn_busobject_methodreply_err +alljoyn_busobject_methodreply_status +alljoyn_busobject_setannounceflag +alljoyn_busobject_signal +alljoyn_credentials_clear +alljoyn_credentials_create +alljoyn_credentials_destroy +alljoyn_credentials_getcertchain +alljoyn_credentials_getexpiration +alljoyn_credentials_getlogonentry +alljoyn_credentials_getpassword +alljoyn_credentials_getprivateKey +alljoyn_credentials_getusername +alljoyn_credentials_isset +alljoyn_credentials_setcertchain +alljoyn_credentials_setexpiration +alljoyn_credentials_setlogonentry +alljoyn_credentials_setpassword +alljoyn_credentials_setprivatekey +alljoyn_credentials_setusername +alljoyn_getbuildinfo +alljoyn_getnumericversion +alljoyn_getversion +alljoyn_init +alljoyn_interfacedescription_activate +alljoyn_interfacedescription_addannotation +alljoyn_interfacedescription_addargannotation +alljoyn_interfacedescription_addmember +alljoyn_interfacedescription_addmemberannotation +alljoyn_interfacedescription_addmethod +alljoyn_interfacedescription_addproperty +alljoyn_interfacedescription_addpropertyannotation +alljoyn_interfacedescription_addsignal +alljoyn_interfacedescription_eql +alljoyn_interfacedescription_getannotation +alljoyn_interfacedescription_getannotationatindex +alljoyn_interfacedescription_getannotationscount +alljoyn_interfacedescription_getargdescriptionforlanguage +alljoyn_interfacedescription_getdescriptionforlanguage +alljoyn_interfacedescription_getdescriptionlanguages +alljoyn_interfacedescription_getdescriptionlanguages2 +alljoyn_interfacedescription_getdescriptiontranslationcallback +alljoyn_interfacedescription_getmember +alljoyn_interfacedescription_getmemberannotation +alljoyn_interfacedescription_getmemberargannotation +alljoyn_interfacedescription_getmemberdescriptionforlanguage +alljoyn_interfacedescription_getmembers +alljoyn_interfacedescription_getmethod +alljoyn_interfacedescription_getname +alljoyn_interfacedescription_getproperties +alljoyn_interfacedescription_getproperty +alljoyn_interfacedescription_getpropertyannotation +alljoyn_interfacedescription_getpropertydescriptionforlanguage +alljoyn_interfacedescription_getsecuritypolicy +alljoyn_interfacedescription_getsignal +alljoyn_interfacedescription_hasdescription +alljoyn_interfacedescription_hasmember +alljoyn_interfacedescription_hasproperties +alljoyn_interfacedescription_hasproperty +alljoyn_interfacedescription_introspect +alljoyn_interfacedescription_issecure +alljoyn_interfacedescription_member_eql +alljoyn_interfacedescription_member_getannotation +alljoyn_interfacedescription_member_getannotationatindex +alljoyn_interfacedescription_member_getannotationscount +alljoyn_interfacedescription_member_getargannotation +alljoyn_interfacedescription_member_getargannotationatindex +alljoyn_interfacedescription_member_getargannotationscount +alljoyn_interfacedescription_property_eql +alljoyn_interfacedescription_property_getannotation +alljoyn_interfacedescription_property_getannotationatindex +alljoyn_interfacedescription_property_getannotationscount +alljoyn_interfacedescription_setargdescription +alljoyn_interfacedescription_setargdescriptionforlanguage +alljoyn_interfacedescription_setdescription +alljoyn_interfacedescription_setdescriptionforlanguage +alljoyn_interfacedescription_setdescriptionlanguage +alljoyn_interfacedescription_setdescriptiontranslationcallback +alljoyn_interfacedescription_setmemberdescription +alljoyn_interfacedescription_setmemberdescriptionforlanguage +alljoyn_interfacedescription_setpropertydescription +alljoyn_interfacedescription_setpropertydescriptionforlanguage +alljoyn_keystorelistener_create +alljoyn_keystorelistener_destroy +alljoyn_keystorelistener_getkeys +alljoyn_keystorelistener_putkeys +alljoyn_keystorelistener_with_synchronization_create +alljoyn_message_create +alljoyn_message_description +alljoyn_message_destroy +alljoyn_message_eql +alljoyn_message_getarg +alljoyn_message_getargs +alljoyn_message_getauthmechanism +alljoyn_message_getcallserial +alljoyn_message_getcompressiontoken +alljoyn_message_getdestination +alljoyn_message_geterrorname +alljoyn_message_getflags +alljoyn_message_getinterface +alljoyn_message_getmembername +alljoyn_message_getobjectpath +alljoyn_message_getreceiveendpointname +alljoyn_message_getreplyserial +alljoyn_message_getsender +alljoyn_message_getsessionid +alljoyn_message_getsignature +alljoyn_message_gettimestamp +alljoyn_message_gettype +alljoyn_message_isbroadcastsignal +alljoyn_message_isencrypted +alljoyn_message_isexpired +alljoyn_message_isglobalbroadcast +alljoyn_message_issessionless +alljoyn_message_isunreliable +alljoyn_message_parseargs +alljoyn_message_setendianess +alljoyn_message_tostring +alljoyn_msgarg_array_create +alljoyn_msgarg_array_element +alljoyn_msgarg_array_get +alljoyn_msgarg_array_set +alljoyn_msgarg_array_set_offset +alljoyn_msgarg_array_signature +alljoyn_msgarg_array_tostring +alljoyn_msgarg_clear +alljoyn_msgarg_clone +alljoyn_msgarg_copy +alljoyn_msgarg_create +alljoyn_msgarg_create_and_set +alljoyn_msgarg_destroy +alljoyn_msgarg_equal +alljoyn_msgarg_get +alljoyn_msgarg_get_array_element +alljoyn_msgarg_get_array_elementsignature +alljoyn_msgarg_get_array_numberofelements +alljoyn_msgarg_get_bool +alljoyn_msgarg_get_bool_array +alljoyn_msgarg_get_double +alljoyn_msgarg_get_double_array +alljoyn_msgarg_get_int16 +alljoyn_msgarg_get_int16_array +alljoyn_msgarg_get_int32 +alljoyn_msgarg_get_int32_array +alljoyn_msgarg_get_int64 +alljoyn_msgarg_get_int64_array +alljoyn_msgarg_get_objectpath +alljoyn_msgarg_get_signature +alljoyn_msgarg_get_string +alljoyn_msgarg_get_uint16 +alljoyn_msgarg_get_uint16_array +alljoyn_msgarg_get_uint32 +alljoyn_msgarg_get_uint32_array +alljoyn_msgarg_get_uint64 +alljoyn_msgarg_get_uint64_array +alljoyn_msgarg_get_uint8 +alljoyn_msgarg_get_uint8_array +alljoyn_msgarg_get_variant +alljoyn_msgarg_get_variant_array +alljoyn_msgarg_getdictelement +alljoyn_msgarg_getkey +alljoyn_msgarg_getmember +alljoyn_msgarg_getnummembers +alljoyn_msgarg_gettype +alljoyn_msgarg_getvalue +alljoyn_msgarg_hassignature +alljoyn_msgarg_set +alljoyn_msgarg_set_and_stabilize +alljoyn_msgarg_set_bool +alljoyn_msgarg_set_bool_array +alljoyn_msgarg_set_double +alljoyn_msgarg_set_double_array +alljoyn_msgarg_set_int16 +alljoyn_msgarg_set_int16_array +alljoyn_msgarg_set_int32 +alljoyn_msgarg_set_int32_array +alljoyn_msgarg_set_int64 +alljoyn_msgarg_set_int64_array +alljoyn_msgarg_set_objectpath +alljoyn_msgarg_set_objectpath_array +alljoyn_msgarg_set_signature +alljoyn_msgarg_set_signature_array +alljoyn_msgarg_set_string +alljoyn_msgarg_set_string_array +alljoyn_msgarg_set_uint16 +alljoyn_msgarg_set_uint16_array +alljoyn_msgarg_set_uint32 +alljoyn_msgarg_set_uint32_array +alljoyn_msgarg_set_uint64 +alljoyn_msgarg_set_uint64_array +alljoyn_msgarg_set_uint8 +alljoyn_msgarg_set_uint8_array +alljoyn_msgarg_setdictentry +alljoyn_msgarg_setstruct +alljoyn_msgarg_signature +alljoyn_msgarg_stabilize +alljoyn_msgarg_tostring +alljoyn_observer_create +alljoyn_observer_destroy +alljoyn_observer_get +alljoyn_observer_getfirst +alljoyn_observer_getnext +alljoyn_observer_registerlistener +alljoyn_observer_unregisteralllisteners +alljoyn_observer_unregisterlistener +alljoyn_observerlistener_create +alljoyn_observerlistener_destroy +alljoyn_passwordmanager_setcredentials +alljoyn_permissionconfigurationlistener_create +alljoyn_permissionconfigurationlistener_destroy +alljoyn_permissionconfigurator_certificatechain_destroy +alljoyn_permissionconfigurator_certificateid_cleanup +alljoyn_permissionconfigurator_certificateidarray_cleanup +alljoyn_permissionconfigurator_claim +alljoyn_permissionconfigurator_endmanagement +alljoyn_permissionconfigurator_getapplicationstate +alljoyn_permissionconfigurator_getclaimcapabilities +alljoyn_permissionconfigurator_getclaimcapabilitiesadditionalinfo +alljoyn_permissionconfigurator_getdefaultclaimcapabilities +alljoyn_permissionconfigurator_getdefaultpolicy +alljoyn_permissionconfigurator_getidentity +alljoyn_permissionconfigurator_getidentitycertificateid +alljoyn_permissionconfigurator_getmanifests +alljoyn_permissionconfigurator_getmanifesttemplate +alljoyn_permissionconfigurator_getmembershipsummaries +alljoyn_permissionconfigurator_getpolicy +alljoyn_permissionconfigurator_getpublickey +alljoyn_permissionconfigurator_installmanifests +alljoyn_permissionconfigurator_installmembership +alljoyn_permissionconfigurator_manifestarray_cleanup +alljoyn_permissionconfigurator_manifesttemplate_destroy +alljoyn_permissionconfigurator_policy_destroy +alljoyn_permissionconfigurator_publickey_destroy +alljoyn_permissionconfigurator_removemembership +alljoyn_permissionconfigurator_reset +alljoyn_permissionconfigurator_resetpolicy +alljoyn_permissionconfigurator_setapplicationstate +alljoyn_permissionconfigurator_setclaimcapabilities +alljoyn_permissionconfigurator_setclaimcapabilitiesadditionalinfo +alljoyn_permissionconfigurator_setmanifestfromxml +alljoyn_permissionconfigurator_setmanifesttemplatefromxml +alljoyn_permissionconfigurator_startmanagement +alljoyn_permissionconfigurator_updateidentity +alljoyn_permissionconfigurator_updatepolicy +alljoyn_pinglistener_create +alljoyn_pinglistener_destroy +alljoyn_proxybusobject_addchild +alljoyn_proxybusobject_addinterface +alljoyn_proxybusobject_addinterface_by_name +alljoyn_proxybusobject_copy +alljoyn_proxybusobject_create +alljoyn_proxybusobject_create_secure +alljoyn_proxybusobject_destroy +alljoyn_proxybusobject_enablepropertycaching +alljoyn_proxybusobject_getallproperties +alljoyn_proxybusobject_getallpropertiesasync +alljoyn_proxybusobject_getchild +alljoyn_proxybusobject_getchildren +alljoyn_proxybusobject_getinterface +alljoyn_proxybusobject_getinterfaces +alljoyn_proxybusobject_getpath +alljoyn_proxybusobject_getproperty +alljoyn_proxybusobject_getpropertyasync +alljoyn_proxybusobject_getservicename +alljoyn_proxybusobject_getsessionid +alljoyn_proxybusobject_getuniquename +alljoyn_proxybusobject_implementsinterface +alljoyn_proxybusobject_introspectremoteobject +alljoyn_proxybusobject_introspectremoteobjectasync +alljoyn_proxybusobject_issecure +alljoyn_proxybusobject_isvalid +alljoyn_proxybusobject_methodcall +alljoyn_proxybusobject_methodcall_member +alljoyn_proxybusobject_methodcall_member_noreply +alljoyn_proxybusobject_methodcall_noreply +alljoyn_proxybusobject_methodcallasync +alljoyn_proxybusobject_methodcallasync_member +alljoyn_proxybusobject_parsexml +alljoyn_proxybusobject_ref_create +alljoyn_proxybusobject_ref_decref +alljoyn_proxybusobject_ref_get +alljoyn_proxybusobject_ref_incref +alljoyn_proxybusobject_registerpropertieschangedlistener +alljoyn_proxybusobject_removechild +alljoyn_proxybusobject_secureconnection +alljoyn_proxybusobject_secureconnectionasync +alljoyn_proxybusobject_setproperty +alljoyn_proxybusobject_setpropertyasync +alljoyn_proxybusobject_unregisterpropertieschangedlistener +alljoyn_routerinit +alljoyn_routerinitwithconfig +alljoyn_routershutdown +alljoyn_securityapplicationproxy_claim +alljoyn_securityapplicationproxy_computemanifestdigest +alljoyn_securityapplicationproxy_create +alljoyn_securityapplicationproxy_destroy +alljoyn_securityapplicationproxy_digest_destroy +alljoyn_securityapplicationproxy_eccpublickey_destroy +alljoyn_securityapplicationproxy_endmanagement +alljoyn_securityapplicationproxy_getapplicationstate +alljoyn_securityapplicationproxy_getclaimcapabilities +alljoyn_securityapplicationproxy_getclaimcapabilitiesadditionalinfo +alljoyn_securityapplicationproxy_getdefaultpolicy +alljoyn_securityapplicationproxy_geteccpublickey +alljoyn_securityapplicationproxy_getmanifesttemplate +alljoyn_securityapplicationproxy_getpermissionmanagementsessionport +alljoyn_securityapplicationproxy_getpolicy +alljoyn_securityapplicationproxy_installmembership +alljoyn_securityapplicationproxy_manifest_destroy +alljoyn_securityapplicationproxy_manifesttemplate_destroy +alljoyn_securityapplicationproxy_policy_destroy +alljoyn_securityapplicationproxy_reset +alljoyn_securityapplicationproxy_resetpolicy +alljoyn_securityapplicationproxy_setmanifestsignature +alljoyn_securityapplicationproxy_signmanifest +alljoyn_securityapplicationproxy_startmanagement +alljoyn_securityapplicationproxy_updateidentity +alljoyn_securityapplicationproxy_updatepolicy +alljoyn_sessionlistener_create +alljoyn_sessionlistener_destroy +alljoyn_sessionopts_cmp +alljoyn_sessionopts_create +alljoyn_sessionopts_destroy +alljoyn_sessionopts_get_multipoint +alljoyn_sessionopts_get_proximity +alljoyn_sessionopts_get_traffic +alljoyn_sessionopts_get_transports +alljoyn_sessionopts_iscompatible +alljoyn_sessionopts_set_multipoint +alljoyn_sessionopts_set_proximity +alljoyn_sessionopts_set_traffic +alljoyn_sessionopts_set_transports +alljoyn_sessionportlistener_create +alljoyn_sessionportlistener_destroy +alljoyn_shutdown +alljoyn_unity_deferred_callbacks_process +alljoyn_unity_set_deferred_callback_mainthread_only diff --git a/lib/libc/mingw/lib-common/mscat32.def b/lib/libc/mingw/lib-common/mscat32.def new file mode 100644 index 0000000000..9754bd407a --- /dev/null +++ b/lib/libc/mingw/lib-common/mscat32.def @@ -0,0 +1,44 @@ +; +; Exports of file MSCAT32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSCAT32.dll +EXPORTS +CryptCATVerifyMember +CatalogCompactHashDatabase +CryptCATAdminAcquireContext +CryptCATAdminAddCatalog +CryptCATAdminCalcHashFromFileHandle +CryptCATAdminEnumCatalogFromHash +CryptCATAdminReleaseCatalogContext +CryptCATAdminReleaseContext +CryptCATCDFClose +CryptCATCDFEnumAttributes +CryptCATCDFEnumAttributesWithCDFTag +CryptCATCDFEnumCatAttributes +CryptCATCDFEnumMembers +CryptCATCDFEnumMembersByCDFTag +CryptCATCDFEnumMembersByCDFTagEx +CryptCATCDFOpen +CryptCATCatalogInfoFromContext +CryptCATClose +CryptCATEnumerateAttr +CryptCATEnumerateCatAttr +CryptCATEnumerateMember +CryptCATGetAttrInfo +CryptCATGetCatAttrInfo +CryptCATGetMemberInfo +CryptCATHandleFromStore +CryptCATOpen +CryptCATPersistStore +CryptCATPutAttrInfo +CryptCATPutCatAttrInfo +CryptCATPutMemberInfo +CryptCATStoreFromHandle +DllRegisterServer +DllUnregisterServer +IsCatalogFile +MsCatConstructHashTag +MsCatFreeHashTag diff --git a/lib/libc/mingw/libarm32/mscms.def b/lib/libc/mingw/lib-common/mscms.def similarity index 76% rename from lib/libc/mingw/libarm32/mscms.def rename to lib/libc/mingw/lib-common/mscms.def index 5ee53d7d3f..8a7b0a378a 100644 --- a/lib/libc/mingw/libarm32/mscms.def +++ b/lib/libc/mingw/lib-common/mscms.def @@ -1,7 +1,7 @@ ; ; Definition file of mscms.dll ; Automatic generated by gendef -; written by Kai Tietz 2008-2014 +; written by Kai Tietz 2008 ; LIBRARY "mscms.dll" EXPORTS @@ -41,6 +41,8 @@ DeleteColorTransform DeviceRenameEvent DisassociateColorProfileFromDeviceA DisassociateColorProfileFromDeviceW +; DllCanUnloadNow +; DllGetClassObject EnumColorProfilesA EnumColorProfilesW GenerateCopyFilePaths @@ -68,6 +70,7 @@ InternalGetPS2PreviewCRD InternalRefreshCalibration InternalSetDeviceConfig InternalWcsAssociateColorProfileWithDevice +InternalWcsDisassociateColorProfileWithDevice IsColorProfileTagPresent IsColorProfileValid OpenColorProfileA @@ -101,6 +104,7 @@ WcsGetDefaultColorProfileSize WcsGetDefaultRenderingIntent WcsGetUsePerUserProfiles WcsGpCanInstallOrUninstallProfiles +WcsGpCanModifyDeviceAssociationList WcsOpenColorProfileA WcsOpenColorProfileW WcsSetCalibrationManagementState @@ -111,3 +115,25 @@ WcsTranslateColors InternalGetPS2ColorRenderingDictionary2 InternalGetPS2PreviewCRD2 InternalGetPS2ColorSpaceArray2 +InternalSetDeviceGammaRamp +InternalSetDeviceTemperature +InternalGetAppliedGammaRamp +InternalGetDeviceGammaCapability +InternalGetAppliedGDIGammaRamp +InternalSetDeviceGDIGammaRamp +ColorAdapterGetSystemModifyWhitePointCaps +ColorAdapterGetDisplayCurrentStateID +ColorAdapterUpdateDisplayGamma +ColorAdapterUpdateDeviceProfile +ColorAdapterGetDisplayTransformData +ColorAdapterGetDisplayTargetWhitePoint +ColorAdapterGetDisplayProfile +ColorAdapterGetCurrentProfileCalibration +ColorAdapterRegisterOEMColorService +ColorAdapterUnregisterOEMColorService +ColorProfileAddDisplayAssociation +ColorProfileRemoveDisplayAssociation +ColorProfileSetDisplayDefaultAssociation +ColorProfileGetDisplayList +ColorProfileGetDisplayDefault +ColorProfileGetDisplayUserScope diff --git a/lib/libc/mingw/lib-common/msctf.def b/lib/libc/mingw/lib-common/msctf.def new file mode 100644 index 0000000000..5a0529e815 --- /dev/null +++ b/lib/libc/mingw/lib-common/msctf.def @@ -0,0 +1,95 @@ +; +; Definition file of MSCTF.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "MSCTF.dll" +EXPORTS +TF_GetLangDescriptionFromHKL +TF_GetLangIcon +TF_GetMlngHKL +TF_GetMlngIconIndex +TF_GetThreadFlags +TF_InatExtractIcon +TF_InitMlngInfo +TF_IsInMarshaling +TF_MlngInfoCount +TF_GetLangIconFromHKL +TF_RunInputCPL +CtfImeAssociateFocus +CtfImeConfigure +CtfImeConversionList +CtfImeCreateInputContext +CtfImeCreateThreadMgr +CtfImeDestroy +CtfImeDestroyInputContext +CtfImeDestroyThreadMgr +CtfImeDispatchDefImeMessage +CtfImeEnumRegisterWord +CtfImeEscape +CtfImeEscapeEx +CtfImeGetGuidAtom +CtfImeGetRegisterWordStyle +CtfImeInquire +CtfImeInquireExW +CtfImeIsGuidMapEnable +CtfImeIsIME +CtfImeProcessCicHotkey +CtfImeProcessKey +CtfImeRegisterWord +CtfImeSelect +CtfImeSelectEx +CtfImeSetActiveContext +CtfImeSetCompositionString +CtfImeSetFocus +CtfImeToAsciiEx +CtfImeUnregisterWord +CtfNotifyIME +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +SetInputScope +SetInputScopeXML +SetInputScopes +SetInputScopes2 +TF_AttachThreadInput +TF_CUASAppFix +TF_CanUninitialize +TF_CheckThreadInputIdle +TF_CleanUpPrivateMessages +TF_ClearLangBarAddIns +TF_CreateCategoryMgr +TF_CreateCicLoadMutex +TF_CreateCicLoadWinStaMutex +TF_CreateDisplayAttributeMgr +TF_CreateInputProcessorProfiles +TF_CreateLangBarItemMgr +TF_CreateLangBarMgr +TF_CreateThreadMgr +TF_DllDetachInOther +TF_GetAppCompatFlags +TF_GetCompatibleKeyboardLayout +TF_GetGlobalCompartment +TF_GetInitSystemFlags +TF_GetInputScope +TF_GetShowFloatingStatus +TF_GetThreadMgr +TF_InitSystem +TF_InvalidAssemblyListCache +TF_InvalidAssemblyListCacheIfExist +TF_IsCtfmonRunning +TF_IsFullScreenWindowActivated +TF_IsThreadWithFlags +TF_MapCompatibleHKL +TF_MapCompatibleKeyboardTip +TF_Notify +TF_PostAllThreadMsg +TF_RegisterLangBarAddIn +TF_SendLangBandMsg +TF_SetDefaultRemoteKeyboardLayout +TF_SetShowFloatingStatus +TF_SetThreadFlags +TF_UninitSystem +TF_UnregisterLangBarAddIn +TF_WaitForInitialized diff --git a/lib/libc/mingw/lib-common/msdadiag.def b/lib/libc/mingw/lib-common/msdadiag.def new file mode 100644 index 0000000000..0d9344e219 --- /dev/null +++ b/lib/libc/mingw/lib-common/msdadiag.def @@ -0,0 +1,9 @@ +; +; Exports of file msdadiag.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msdadiag.dll +EXPORTS +DllBidEntryPoint diff --git a/lib/libc/mingw/lib-common/msimtf.def b/lib/libc/mingw/lib-common/msimtf.def new file mode 100644 index 0000000000..d92915b611 --- /dev/null +++ b/lib/libc/mingw/lib-common/msimtf.def @@ -0,0 +1,14 @@ +; +; Exports of file msimtf.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msimtf.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +MsimtfIsGuidMapEnable +MsimtfIsWindowFiltered diff --git a/lib/libc/mingw/lib-common/msisip.def b/lib/libc/mingw/lib-common/msisip.def new file mode 100644 index 0000000000..9e3ca90021 --- /dev/null +++ b/lib/libc/mingw/lib-common/msisip.def @@ -0,0 +1,16 @@ +; +; Exports of file msisip.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msisip.dll +EXPORTS +MsiSIPIsMyTypeOfFile +MsiSIPGetSignedDataMsg +MsiSIPPutSignedDataMsg +MsiSIPRemoveSignedDataMsg +MsiSIPCreateIndirectData +MsiSIPVerifyIndirectData +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/msls31.def b/lib/libc/mingw/lib-common/msls31.def new file mode 100644 index 0000000000..d0447f7dcb --- /dev/null +++ b/lib/libc/mingw/lib-common/msls31.def @@ -0,0 +1,87 @@ +; +; Exports of file msls31.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msls31.dll +EXPORTS +LsCreateContext +LsDestroyContext +LsCreateLine +LsModifyLineHeight +LsDestroyLine +LsCreateSubline +LsFetchAppendToCurrentSubline +LsAppendRunToCurrentSubline +LsResetRMInCurrentSubline +LsFinishCurrentSubline +LsTruncateSubline +LsFindPrevBreakSubline +LsFindNextBreakSubline +LsForceBreakSubline +LsSetBreakSubline +LsDestroySubline +LsMatchPresSubline +LsExpandSubline +LsGetSpecialEffectsSubline +LsdnFinishRegular +LsdnFinishRegularAddAdvancePen +LsdnFinishDelete +LsdnFinishByPen +LsdnFinishBySubline +LsdnFinishDeleteAll +LsdnFinishByOneChar +LsdnQueryObjDimRange +LsdnResetObjDim +LsdnQueryPenNode +LsdnResetPenNode +LsdnSetRigidDup +LsdnGetDup +LsdnSetAbsBaseLine +LsdnResolvePrevTab +LsdnGetCurTabInfo +LsdnSkipCurTab +LsdnDistribute +LsdnSubmitSublines +LsDisplayLine +LsDisplaySubline +LsQueryLineCpPpoint +LsQueryLinePointPcp +LsQueryLineDup +LsQueryFLineEmpty +LsQueryPointPcpSubline +LsQueryCpPpointSubline +LsSetDoc +LsSetModWidthPairs +LsSetCompression +LsSetExpansion +LsSetBreaking +LssbGetObjDimSubline +LssbGetDupSubline +LssbFDonePresSubline +LssbGetPlsrunsFromSubline +LssbGetNumberDnodesInSubline +LssbGetVisibleDcpInSubline +LsPointXYFromPointUV +LsPointUV2FromPointUV1 +LsGetWarichuLsimethods +LsGetRubyLsimethods +LsGetTatenakayokoLsimethods +LsSqueezeSubline +LsCompressSubline +LsGetHihLsimethods +LsQueryTextCellDetails +LsFetchAppendToCurrentSublineResume +LsdnGetFormatDepth +LssbFDoneDisplay +LsGetReverseLsimethods +LsEnumLine +LsGetMinDurBreaks +LsGetLineDur +LsEnumSubline +LsdnModifyParaEnding +LssbGetDurTrailInSubline +LssbGetDurTrailWithPensInSubline +LssbFIsSublineEmpty +LsLwMultDivR diff --git a/lib/libc/mingw/lib-common/mspatcha.def b/lib/libc/mingw/lib-common/mspatcha.def new file mode 100644 index 0000000000..b1e1608854 --- /dev/null +++ b/lib/libc/mingw/lib-common/mspatcha.def @@ -0,0 +1,23 @@ +; +; Definition file of mspatcha.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mspatcha.dll" +EXPORTS +ApplyPatchToFileA +ApplyPatchToFileByBuffers +ApplyPatchToFileByHandles +ApplyPatchToFileByHandlesEx +ApplyPatchToFileExA +ApplyPatchToFileExW +ApplyPatchToFileW +GetFilePatchSignatureA +GetFilePatchSignatureByBuffer +GetFilePatchSignatureByHandle +GetFilePatchSignatureW +NormalizeFileForPatchSignature +TestApplyPatchToFileA +TestApplyPatchToFileByBuffers +TestApplyPatchToFileByHandles +TestApplyPatchToFileW diff --git a/lib/libc/mingw/lib-common/msrating.def b/lib/libc/mingw/lib-common/msrating.def new file mode 100644 index 0000000000..210b629075 --- /dev/null +++ b/lib/libc/mingw/lib-common/msrating.def @@ -0,0 +1,39 @@ +; +; Definition file of MSRATING.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSRATING.dll" +EXPORTS +ChangeSupervisorPassword +ClickedOnPRF +ClickedOnRAT +RatingAccessDeniedDialog +RatingAccessDeniedDialog2 +RatingAccessDeniedDialog2W +RatingAccessDeniedDialogW +RatingAddPropertyPages +RatingAddToApprovedSites +RatingCheckUserAccess +RatingCheckUserAccessW +RatingClickedOnPRFInternal +RatingClickedOnRATInternal +RatingCustomAddRatingHelper +RatingCustomAddRatingSystem +RatingCustomCrackData +RatingCustomDeleteCrackedData +RatingCustomInit +RatingCustomRemoveRatingHelper +RatingCustomSetDefaultBureau +RatingCustomSetUserOptions +RatingEnable +RatingEnableW +RatingEnabledQuery +RatingFreeDetails +RatingInit +RatingObtainCancel +RatingObtainQuery +RatingObtainQueryW +RatingSetupUI +RatingSetupUIW +VerifySupervisorPassword diff --git a/lib/libc/mingw/lib-common/mssign32.def b/lib/libc/mingw/lib-common/mssign32.def new file mode 100644 index 0000000000..be49f32981 --- /dev/null +++ b/lib/libc/mingw/lib-common/mssign32.def @@ -0,0 +1,40 @@ +; +; Definition file of MSSIGN32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSSIGN32.dll" +EXPORTS +FreeCryptProvFromCert +FreeCryptProvFromCertEx +GetCryptProvFromCert +GetCryptProvFromCertEx +PvkFreeCryptProv +PvkGetCryptProv +PvkPrivateKeyAcquireContext +PvkPrivateKeyAcquireContextA +PvkPrivateKeyAcquireContextFromMemory +PvkPrivateKeyAcquireContextFromMemoryA +PvkPrivateKeyLoad +PvkPrivateKeyLoadA +PvkPrivateKeyLoadFromMemory +PvkPrivateKeyLoadFromMemoryA +PvkPrivateKeyReleaseContext +PvkPrivateKeyReleaseContextA +PvkPrivateKeySave +PvkPrivateKeySaveA +PvkPrivateKeySaveToMemory +PvkPrivateKeySaveToMemoryA +SignError +SignerAddTimeStampResponse +SignerAddTimeStampResponseEx +SignerCreateTimeStampRequest +SignerFreeSignerContext +SignerSign +SignerSignEx +SignerSignEx2 +SignerTimeStamp +SignerTimeStampEx +SignerTimeStampEx2 +SignerTimeStampEx3 +SpcGetCertFromKey diff --git a/lib/libc/mingw/lib-common/mssip32.def b/lib/libc/mingw/lib-common/mssip32.def new file mode 100644 index 0000000000..f542c8a722 --- /dev/null +++ b/lib/libc/mingw/lib-common/mssip32.def @@ -0,0 +1,17 @@ +; +; Exports of file MSSIP32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSSIP32.dll +EXPORTS +CryptSIPGetInfo +CryptSIPGetRegWorkingFlags +CryptSIPCreateIndirectData +CryptSIPGetSignedDataMsg +CryptSIPPutSignedDataMsg +CryptSIPRemoveSignedDataMsg +CryptSIPVerifyIndirectData +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/msv1_0.def b/lib/libc/mingw/lib-common/msv1_0.def new file mode 100644 index 0000000000..6eaa3a73c2 --- /dev/null +++ b/lib/libc/mingw/lib-common/msv1_0.def @@ -0,0 +1,24 @@ +; +; Definition file of msv1_0.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msv1_0.dll" +EXPORTS +SpInitialize +MsvIsLocalhostAliases +SpLsaModeInitialize +SpUserModeInitialize +LsaApCallPackage +LsaApCallPackagePassthrough +LsaApCallPackageUntrusted +LsaApInitializePackage +LsaApLogonTerminated +LsaApLogonUserEx2 +Msv1_0ExportSubAuthenticationRoutine +Msv1_0SubAuthenticationPresent +MsvGetLogonAttemptCount +MsvSamLogoff +MsvSamValidate +MsvValidateTarget +SpInstanceInit diff --git a/lib/libc/mingw/lib-common/msvcrt.def.in b/lib/libc/mingw/lib-common/msvcrt.def.in index 942c4c4ebe..1f8f95b175 100644 --- a/lib/libc/mingw/lib-common/msvcrt.def.in +++ b/lib/libc/mingw/lib-common/msvcrt.def.in @@ -350,6 +350,8 @@ __wgetmainargs F_X86_ANY(__winitenv DATA) F_I386(_abnormal_termination) F_NON_I386(_abs64) +F_NON_I386(llabs == _abs64) +F_NON_I386(imaxabs == _abs64) _access ; _access_s Replaced by emu _acmdln DATA @@ -387,7 +389,9 @@ _atodbl_l _atof_l _atoflt_l _atoi64 +atoll == _atoi64 _atoi64_l +_atoll_l == _atoi64_l _atoi_l _atol_l _atoldbl @@ -459,7 +463,7 @@ _cwscanf_l _cwscanf_s _cwscanf_s_l F_X86_ANY(_dstbias DATA) -F_ARM_ANY(_daylight DATA) +_daylight DATA _difftime32 F_I386(== difftime) _difftime64 _dup @@ -560,7 +564,7 @@ _fwscanf_s_l _gcvt _gcvt_s F_ARM_ANY(_get_current_locale) -F_ARM_ANY(_get_doserrno) +_get_doserrno F_ARM_ANY(_get_environ) F_ARM_ANY(_get_errno) F_ARM_ANY(_get_fileinfo) @@ -939,8 +943,8 @@ _scwprintf_p_l _searchenv _searchenv_s F_I386(_seh_longjmp_unwind) -F_ARM_ANY(_set_controlfp) -F_ARM_ANY(_set_doserrno) +_set_controlfp +_set_doserrno F_ARM_ANY(_set_errno) _set_error_mode F_ARM_ANY(_set_fileinfo) @@ -1034,10 +1038,18 @@ _strtime ; _strtime_s replaced by emu _strtod_l _strtoi64 +strtoll == _strtoi64 +strtoimax == _strtoi64 _strtoi64_l +_strtoll_l == _strtoi64_l +_strtoimax_l == _strtoi64_l _strtol_l _strtoui64 +strtoull == _strtoui64 +strtoumax == _strtoui64 _strtoui64_l +_strtoull_l == _strtoui64_l +_strtoumax_l == _strtoui64_l _strtoul_l _strupr _strupr_l @@ -1061,12 +1073,14 @@ F_ARM_ANY(_tempnam_dbg) F_I386(_time32 == time) F_ARM_ANY(_time32) _time64 +_timezone DATA _tolower _tolower_l _toupper _toupper_l _towlower_l _towupper_l +_tzname DATA _tzset _ui64toa _ui64toa_s @@ -1435,6 +1449,7 @@ F_NON_I386(log10f F_X86_ANY(DATA)) F_ARM_ANY(log10l == log10) F_NON_I386(logf F_X86_ANY(DATA)) F_ARM_ANY(logl == log) +longjmp malloc mblen F_ARM_ANY(mbrlen) diff --git a/lib/libc/mingw/lib64/msvfw32.def b/lib/libc/mingw/lib-common/msvfw32.def similarity index 100% rename from lib/libc/mingw/lib64/msvfw32.def rename to lib/libc/mingw/lib-common/msvfw32.def diff --git a/lib/libc/mingw/lib-common/msyuv.def b/lib/libc/mingw/lib-common/msyuv.def new file mode 100644 index 0000000000..3d62a6d0c8 --- /dev/null +++ b/lib/libc/mingw/lib-common/msyuv.def @@ -0,0 +1,9 @@ +; +; Exports of file MSYUV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSYUV.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib-common/mydocs.def b/lib/libc/mingw/lib-common/mydocs.def new file mode 100644 index 0000000000..f414ac3d67 --- /dev/null +++ b/lib/libc/mingw/lib-common/mydocs.def @@ -0,0 +1,14 @@ +; +; Exports of file mydocs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mydocs.dll +EXPORTS +PerUserInit +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/ncobjapi.def b/lib/libc/mingw/lib-common/ncobjapi.def new file mode 100644 index 0000000000..5bf6f9f295 --- /dev/null +++ b/lib/libc/mingw/lib-common/ncobjapi.def @@ -0,0 +1,18 @@ +; +; Exports of file NCObjAPI.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NCObjAPI.DLL +EXPORTS +WmiCommitObject +WmiAddObjectProp +WmiCreateObject +WmiCreateObjectWithFormat +WmiCreateObjectWithProps +WmiDestroyObject +WmiEventSourceConnect +WmiEventSourceDisconnect +WmiIsObjectActive +WmiSetAndCommitObject diff --git a/lib/libc/mingw/lib-common/nddeapi.def b/lib/libc/mingw/lib-common/nddeapi.def new file mode 100644 index 0000000000..f3ad1ace44 --- /dev/null +++ b/lib/libc/mingw/lib-common/nddeapi.def @@ -0,0 +1,36 @@ +; +; Exports of file NDdeApi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NDdeApi.dll +EXPORTS +NDdeShareAddA +NDdeShareDelA +NDdeShareEnumA +NDdeShareGetInfoA +NDdeShareSetInfoA +NDdeGetErrorStringA +NDdeIsValidShareNameA +NDdeIsValidAppTopicListA +NDdeSpecialCommandA +NDdeGetShareSecurityA +NDdeSetShareSecurityA +NDdeGetTrustedShareA +NDdeSetTrustedShareA +NDdeTrustedShareEnumA +NDdeShareAddW +NDdeShareDelW +NDdeShareEnumW +NDdeShareGetInfoW +NDdeShareSetInfoW +NDdeGetErrorStringW +NDdeIsValidShareNameW +NDdeIsValidAppTopicListW +NDdeSpecialCommandW +NDdeGetShareSecurityW +NDdeSetShareSecurityW +NDdeGetTrustedShareW +NDdeSetTrustedShareW +NDdeTrustedShareEnumW diff --git a/lib/libc/mingw/lib-common/ndis.def b/lib/libc/mingw/lib-common/ndis.def new file mode 100644 index 0000000000..4fdf7261c3 --- /dev/null +++ b/lib/libc/mingw/lib-common/ndis.def @@ -0,0 +1,574 @@ +; +; Definition file of NDIS.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "NDIS.SYS" +EXPORTS +EthFilterDprIndicateReceive +EthFilterDprIndicateReceiveComplete +NDIS_BUFFER_TO_SPAN_PAGES +NdisAcquireRWLockRead +NdisAcquireRWLockWrite +NdisAcquireReadWriteLock +NdisAcquireSpinLock +NdisActiveGroupCount +NdisAdjustBufferLength +NdisAdjustNetBufferCurrentMdl +NdisAdvanceNetBufferDataStart +NdisAdvanceNetBufferListDataStart +NdisAllocateBuffer +NdisAllocateBufferPool +NdisAllocateCloneNetBufferList +NdisAllocateCloneOidRequest +NdisAllocateFragmentNetBufferList +NdisAllocateGenericObject +NdisAllocateIoWorkItem +NdisAllocateMdl +NdisAllocateMemory +NdisAllocateMemoryWithTag +NdisAllocateMemoryWithTagPriority +NdisAllocateNetBuffer +NdisAllocateNetBufferAndNetBufferList +NdisAllocateNetBufferList +NdisAllocateNetBufferListContext +NdisAllocateNetBufferListPool +NdisAllocateNetBufferMdlAndData +NdisAllocateNetBufferPool +NdisAllocateOidRequest +NdisAllocatePacket +NdisAllocatePacketPool +NdisAllocatePacketPoolEx +NdisAllocateRWLock +NdisAllocateReassembledNetBufferList +NdisAllocateRefCount +NdisAllocateSharedMemory +NdisAllocateSpinLock +NdisAllocateTimerObject +NdisAnsiStringToUnicodeString +NdisBufferLength +NdisBufferVirtualAddress +NdisBuildScatterGatherList +NdisCancelDirectOidRequest +NdisCancelOidRequest +NdisCancelSendNetBufferLists +NdisCancelSendPackets +NdisCancelTimer +NdisCancelTimerObject +NdisClAddParty +NdisClCloseAddressFamily +NdisClCloseCall +NdisClDeregisterSap +NdisClDropParty +NdisClGetProtocolVcContextFromTapiCallId +NdisClIncomingCallComplete +NdisClMakeCall +NdisClModifyCallQoS +NdisClNotifyCloseAddressFamilyComplete +NdisClOpenAddressFamily +NdisClOpenAddressFamilyEx +NdisClRegisterSap +NdisCloseAdapter +NdisCloseAdapterEx +NdisCloseConfiguration +NdisCloseFile +NdisCloseNDKAdapter +NdisCmActivateVc +NdisCmAddPartyComplete +NdisCmCloseAddressFamilyComplete +NdisCmCloseCallComplete +NdisCmDeactivateVc +NdisCmDeregisterSapComplete +NdisCmDispatchCallConnected +NdisCmDispatchIncomingCall +NdisCmDispatchIncomingCallQoSChange +NdisCmDispatchIncomingCloseCall +NdisCmDispatchIncomingDropParty +NdisCmDropPartyComplete +NdisCmMakeCallComplete +NdisCmModifyCallQoSComplete +NdisCmNotifyCloseAddressFamily +NdisCmOpenAddressFamilyComplete +NdisCmRegisterAddressFamily +NdisCmRegisterAddressFamilyEx +NdisCmRegisterSapComplete +NdisCoAssignInstanceName +NdisCoCreateVc +NdisCoDeleteVc +NdisCoGetTapiCallId +NdisCoOidRequest +NdisCoOidRequestComplete +NdisCoRequest +NdisCoRequestComplete +NdisCoSendNetBufferLists +NdisCoSendPackets +NdisCompareAnsiString +NdisCompareUnicodeString +NdisCompleteBindAdapter +NdisCompleteBindAdapterEx +NdisCompleteDmaTransfer +NdisCompleteNetPnPEvent +NdisCompletePnPEvent +NdisCompleteUnbindAdapter +NdisCompleteUnbindAdapterEx +NdisConvertNdisStatusToNtStatus +NdisConvertNtStatusToNdisStatus +NdisCopyBuffer +NdisCopyFromNetBufferToNetBuffer +NdisCopyFromPacketToPacket +NdisCopyFromPacketToPacketSafe +NdisCopyReceiveNetBufferListInfo +NdisCopySendNetBufferListInfo +NdisCurrentGroupAndProcessor +NdisCurrentProcessorIndex +NdisDereferenceWithTag +NdisDeregisterDeviceEx +NdisDeregisterProtocol +NdisDeregisterProtocolDriver +NdisDeregisterTdiCallBack +NdisDirectOidRequest +NdisDllInitialize +NdisDprAcquireReadWriteLock +NdisDprAcquireSpinLock +NdisDprAllocatePacket +NdisDprAllocatePacketNonInterlocked +NdisDprFreePacket +NdisDprFreePacketNonInterlocked +NdisDprReleaseReadWriteLock +NdisDprReleaseSpinLock +NdisEnumerateFilterModules +NdisEqualString +NdisFCancelDirectOidRequest +NdisFCancelOidRequest +NdisFCancelSendNetBufferLists +NdisFDeregisterFilterDriver +NdisFDevicePnPEventNotify +NdisFDirectOidRequest +NdisFDirectOidRequestComplete +NdisFGetOptionalSwitchHandlers +NdisFIndicateReceiveNetBufferLists +NdisFIndicateStatus +NdisFNetPnPEvent +NdisFOidRequest +NdisFOidRequestComplete +NdisFPauseComplete +NdisFRegisterFilterDriver +NdisFRestartComplete +NdisFRestartFilter +NdisFRetryAttach +NdisFReturnNetBufferLists +NdisFSendNetBufferLists +NdisFSendNetBufferListsComplete +NdisFSetAttributes +NdisFSynchronousOidRequest +NdisFreeBuffer +NdisFreeBufferPool +NdisFreeCloneNetBufferList +NdisFreeCloneOidRequest +NdisFreeFragmentNetBufferList +NdisFreeGenericObject +NdisFreeIoWorkItem +NdisFreeMdl +NdisFreeMemory +NdisFreeMemoryWithTag +NdisFreeMemoryWithTagPriority +NdisFreeNetBuffer +NdisFreeNetBufferList +NdisFreeNetBufferListContext +NdisFreeNetBufferListPool +NdisFreeNetBufferPool +NdisFreeOidRequest +NdisFreePacket +NdisFreePacketPool +NdisFreeRWLock +NdisFreeReassembledNetBufferList +NdisFreeRefCount +NdisFreeScatterGatherList +NdisFreeSharedMemory +NdisFreeSpinLock +NdisFreeTimerObject +NdisGeneratePartialCancelId +NdisGetAndReferenceCompartmentJobObject +NdisGetBufferPhysicalArraySize +NdisGetCurrentProcessorCounts +NdisGetCurrentProcessorCpuUsage +NdisGetCurrentSystemTime +NdisGetDataBuffer +NdisGetDeviceReservedExtension +NdisGetDriverHandle +NdisGetFirstBufferFromPacket +NdisGetFirstBufferFromPacketSafe +NdisGetHypervisorInfo +NdisGetJobObjectCompartmentId +NdisGetNetBufferListProtocolId +NdisGetPacketCancelId +NdisGetPacketFromNetBufferList +NdisGetPoolFromNetBuffer +NdisGetPoolFromNetBufferList +NdisGetPoolFromPacket +NdisGetProcessObjectCompartmentId +NdisGetProcessorInformation +NdisGetProcessorInformationEx +NdisGetReceivedPacket +NdisGetRefCount +NdisGetRoutineAddress +NdisGetRssProcessorInformation +NdisGetSessionCompartmentId +NdisGetSessionToCompartmentMappingEpochAndZero +NdisGetSharedDataAlignment +NdisGetSystemUpTime +NdisGetSystemUpTimeEx +NdisGetThreadObjectCompartmentId +NdisGetThreadObjectCompartmentScope +NdisGetVersion +NdisGroupActiveProcessorCount +NdisGroupActiveProcessorMask +NdisGroupMaxProcessorCount +NdisIMAssociateMiniport +NdisIMCancelInitializeDeviceInstance +NdisIMCopySendCompletePerPacketInfo +NdisIMCopySendPerPacketInfo +NdisIMDeInitializeDeviceInstance +NdisIMDeregisterLayeredMiniport +NdisIMGetBindingContext +NdisIMGetCurrentPacketStack +NdisIMGetDeviceContext +NdisIMInitializeDeviceInstance +NdisIMInitializeDeviceInstanceEx +NdisIMNotifyPnPEvent +NdisIMQueueMiniportCallback +NdisIMRegisterLayeredMiniport +NdisIMRevertBack +NdisIMSwitchToMiniport +NdisIMVBusDeviceAdd +NdisIMVBusDeviceRemove +NdisIfAddIfStackEntry +NdisIfAllocateNetLuidIndex +NdisIfAllocateNetLuidIndexEx +NdisIfDeleteIfStackEntry +NdisIfDeregisterInterface +NdisIfDeregisterProvider +NdisIfFreeNetLuidIndex +NdisIfGetInterfaceIndexFromNetLuid +NdisIfGetNetLuidFromInterfaceIndex +NdisIfQueryBindingIfIndex +NdisIfRegisterInterface +NdisIfRegisterProvider +NdisImmediateReadPciSlotInformation +NdisImmediateReadPortUchar +NdisImmediateReadPortUlong +NdisImmediateReadPortUshort +NdisImmediateReadSharedMemory +NdisImmediateWritePciSlotInformation +NdisImmediateWritePortUchar +NdisImmediateWritePortUlong +NdisImmediateWritePortUshort +NdisImmediateWriteSharedMemory +NdisInitAnsiString +NdisInitUnicodeString +NdisInitializeEvent +NdisInitializeReadWriteLock +NdisInitializeString +NdisInitializeTimer +NdisInitializeWrapper +NdisInitiateOffload +NdisInterlockedAddLargeInterger +NdisInterlockedAddUlong +NdisInterlockedDecrement +NdisInterlockedIncrement +NdisInterlockedInsertHeadList +NdisInterlockedInsertTailList +NdisInterlockedPopEntryList +NdisInterlockedPushEntryList +NdisInterlockedRemoveHeadList +NdisInvalidateOffload +NdisIsStatusIndicationCloneable +NdisLWMDeregisterMiniportDriver +NdisLWMInitializeNetworkInterface +NdisLWMRegisterMiniportDriver +NdisLWMStartNetworkInterface +NdisLWMUninitializeNetworkInterface +NdisMAllocateMapRegisters +NdisMAllocateNetBufferSGList +NdisMAllocatePort +NdisMAllocateSharedMemory +NdisMAllocateSharedMemoryAsync +NdisMAllocateSharedMemoryAsyncEx +NdisMCancelTimer +NdisMCloseLog +NdisMCmActivateVc +NdisMCmCreateVc +NdisMCmDeactivateVc +NdisMCmDeleteVc +NdisMCmOidRequest +NdisMCmRegisterAddressFamily +NdisMCmRegisterAddressFamilyEx +NdisMCmRequest +NdisMCoActivateVcComplete +NdisMCoDeactivateVcComplete +NdisMCoIndicateReceiveNetBufferLists +NdisMCoIndicateReceivePacket +NdisMCoIndicateStatus +NdisMCoIndicateStatusEx +NdisMCoOidRequestComplete +NdisMCoReceiveComplete +NdisMCoRequestComplete +NdisMCoSendComplete +NdisMCoSendNetBufferListsComplete +NdisMCompleteBufferPhysicalMapping +NdisMConfigMSIXTableEntry +NdisMCreateLog +NdisMDeregisterAdapterShutdownHandler +NdisMDeregisterDevice +NdisMDeregisterDmaChannel +NdisMDeregisterInterrupt +NdisMDeregisterInterruptEx +NdisMDeregisterIoPortRange +NdisMDeregisterMiniportDriver +NdisMDeregisterScatterGatherDma +NdisMDeregisterWdiMiniportDriver +NdisMDirectOidRequestComplete +NdisMEnableVirtualization +NdisMFlushLog +NdisMFreeMapRegisters +NdisMFreeNetBufferSGList +NdisMFreePort +NdisMFreeSharedMemory +NdisMGetBusData +NdisMGetDeviceProperty +NdisMGetDmaAlignment +NdisMGetMiniportInitAttributes +NdisMGetOffloadHandlers +NdisMGetVirtualDeviceLocation +NdisMGetVirtualFunctionBusData +NdisMGetVirtualFunctionLocation +NdisMIdleNotificationComplete +NdisMIdleNotificationCompleteEx +NdisMIdleNotificationConfirm +NdisMIndicateReceiveNetBufferLists +NdisMIndicateStatus +NdisMIndicateStatusComplete +NdisMIndicateStatusEx +NdisMInitializeScatterGatherDma +NdisMInitializeTimer +NdisMInitiateOffloadComplete +NdisMInvalidateConfigBlock +NdisMInvalidateOffloadComplete +NdisMMapIoSpace +NdisMNetPnPEvent +NdisMOffloadEventIndicate +NdisMOidRequestComplete +NdisMPauseComplete +NdisMPciAssignResources +NdisMPromoteMiniport +NdisMQueryAdapterInstanceName +NdisMQueryAdapterResources +NdisMQueryInformationComplete +NdisMQueryOffloadStateComplete +NdisMQueryProbedBars +NdisMQueueDpc +NdisMQueueDpcEx +NdisMReadConfigBlock +NdisMReadDmaCounter +NdisMReenumerateFailedAdapter +NdisMRegisterAdapterShutdownHandler +NdisMRegisterDevice +NdisMRegisterDmaChannel +NdisMRegisterInterrupt +NdisMRegisterInterruptEx +NdisMRegisterIoPortRange +NdisMRegisterMiniport +NdisMRegisterMiniportDriver +NdisMRegisterScatterGatherDma +NdisMRegisterUnloadHandler +NdisMRegisterWdiMiniportDriver +NdisMRemoveMiniport +NdisMRequestDpc +NdisMResetComplete +NdisMResetMiniport +NdisMRestartComplete +NdisMSendComplete +NdisMSendNetBufferListsComplete +NdisMSendResourcesAvailable +NdisMSetAttributes +NdisMSetAttributesEx +NdisMSetBusData +NdisMSetInformationComplete +NdisMSetInterfaceCompartment +NdisMSetMiniportAttributes +NdisMSetMiniportSecondary +NdisMSetPeriodicTimer +NdisMSetTimer +NdisMSetVirtualFunctionBusData +NdisMSleep +NdisMStartBufferPhysicalMapping +NdisMSynchronizeWithInterrupt +NdisMSynchronizeWithInterruptEx +NdisMTerminateOffloadComplete +NdisMTransferDataComplete +NdisMTriggerPDDrainNotification +NdisMUnmapIoSpace +NdisMUpdateOffloadComplete +NdisMWanIndicateReceive +NdisMWanIndicateReceiveComplete +NdisMWanSendComplete +NdisMWriteConfigBlock +NdisMWriteLogData +NdisMapFile +NdisMatchPdoWithPacket +NdisMaxGroupCount +NdisNblTrackerDeregisterComponent +NdisNblTrackerQueryNblCurrentOwner +NdisNblTrackerRecordEvent +NdisNblTrackerRegisterComponent +NdisNblTrackerTransferOwnership +NdisOffloadTcpDisconnect +NdisOffloadTcpForward +NdisOffloadTcpReceive +NdisOffloadTcpReceiveReturn +NdisOffloadTcpSend +NdisOidRequest +NdisOpenAdapter +NdisOpenAdapterEx +NdisOpenConfiguration +NdisOpenConfigurationEx +NdisOpenConfigurationKeyByIndex +NdisOpenConfigurationKeyByName +NdisOpenFile +NdisOpenNDKAdapter +NdisOpenProtocolConfiguration +NdisOverrideBusNumber +NdisPDStartup +NdisPacketPoolUsage +NdisPacketSize +NdisProcessorIndexToNumber +NdisProcessorNumberToIndex +NdisQueryAdapterInstanceName +NdisQueryBindInstanceName +NdisQueryBuffer +NdisQueryBufferOffset +NdisQueryBufferSafe +NdisQueryDiagnosticSetting +NdisQueryMapRegisterCount +NdisQueryNetBufferPhysicalCount +NdisQueryOffloadState +NdisQueryPendingIOCount +NdisQueueIoWorkItem +NdisReEnumerateProtocolBindings +NdisReadConfiguration +NdisReadEisaSlotInformation +NdisReadEisaSlotInformationEx +NdisReadMcaPosInformation +NdisReadNetworkAddress +NdisReadPciSlotInformation +NdisReadPcmciaAttributeMemory +NdisReferenceWithTag +NdisRegisterDeviceEx +NdisRegisterProtocol +NdisRegisterProtocolDriver +NdisRegisterTdiCallBack +NdisReleaseNicActive +NdisReleaseRWLock +NdisReleaseReadWriteLock +NdisReleaseSpinLock +NdisRequest +NdisRequestEx +NdisReset +NdisResetEvent +NdisRetreatNetBufferDataStart +NdisRetreatNetBufferListDataStart +NdisReturnNetBufferLists +NdisReturnPackets +NdisScheduleWorkItem +NdisSend +NdisSendNetBufferLists +NdisSendPackets +NdisSetAoAcOptions +NdisSetCoalescableTimerObject +NdisSetEvent +NdisSetOptionalHandlers +NdisSetPacketCancelId +NdisSetPacketPoolProtocolId +NdisSetPacketStatus +NdisSetPeriodicTimer +NdisSetProtocolFilter +NdisSetSessionCompartmentId +NdisSetThreadObjectCompartmentId +NdisSetThreadObjectCompartmentScope +NdisSetTimer +NdisSetTimerEx +NdisSetTimerObject +NdisSetupDmaTransfer +NdisSynchronousOidRequest +NdisSystemActiveProcessorCount +NdisSystemProcessorCount +NdisTerminateOffload +NdisTerminateWrapper +NdisTestRWLockHeldByCurrentProcessorRead +NdisTestRWLockHeldByCurrentProcessorWrite +NdisTransferData +NdisTryAcquireNicActive +NdisTryAcquireRWLockRead +NdisTryAcquireRWLockWrite +NdisTryPromoteRWLockFromReadToWrite +NdisUnbindAdapter +NdisUnchainBufferAtBack +NdisUnchainBufferAtFront +NdisUnicodeStringToAnsiString +NdisUnmapFile +NdisUpcaseUnicodeString +NdisUpdateOffload +NdisUpdateSharedMemory +NdisWaitEvent +NdisWdfAsyncPowerReferenceCompleteNotification +NdisWdfChangeSingleInstance +NdisWdfCloseIrpHandler +NdisWdfCreateIrpHandler +NdisWdfDeregisterCx +NdisWdfDeviceControlIrpHandler +NdisWdfDeviceInternalControlIrpHandler +NdisWdfExecuteMethod +NdisWdfGenerateFdoNameIndex +NdisWdfGetAdapterContextFromAdapterHandle +NdisWdfGetGuidToOidMap +NdisWdfMiniportDataPathPause +NdisWdfMiniportDataPathStart +NdisWdfMiniportDereference +NdisWdfMiniportSetPower +NdisWdfMiniportStarted +NdisWdfMiniportTryReference +NdisWdfPnPAddDevice +NdisWdfPnpPowerEventHandler +NdisWdfQueryAllData +NdisWdfQuerySingleInstance +NdisWdfReadConfiguration +NdisWdfRegisterCx +NdisWdfRegisterMiniportDriver +NdisWriteConfiguration +NdisWriteErrorLogEntry +NdisWriteEventLogEntry +NdisWritePciSlotInformation +NdisWritePcmciaAttributeMemory +NetDmaAllocateChannel +NetDmaChainCopyPhysicalToVirtual +NetDmaChainCopyVirtualToVirtual +NetDmaDeregisterClient +NetDmaDeregisterProvider +NetDmaEnumerateDmaProviders +NetDmaFlushPendingDescriptors +NetDmaFreeChannel +NetDmaGetMaxPendingDescriptors +NetDmaGetVersion +NetDmaInterruptDpc +NetDmaIsDmaCopyComplete +NetDmaIsr +NetDmaNullTransfer +NetDmaPnPEventNotify +NetDmaPrefetchNextDescriptor +NetDmaProviderStart +NetDmaProviderStop +NetDmaRegisterClient +NetDmaRegisterProvider +NetDmaSetMaxPendingDescriptors +TrFilterDprIndicateReceive +TrFilterDprIndicateReceiveComplete diff --git a/lib/libc/mingw/lib-common/netapi32.def b/lib/libc/mingw/lib-common/netapi32.def index 5131c87bef..fe7100a4f7 100644 --- a/lib/libc/mingw/lib-common/netapi32.def +++ b/lib/libc/mingw/lib-common/netapi32.def @@ -70,10 +70,6 @@ I_NetDfsDeleteExitPoint I_NetDfsDeleteLocalPartition I_NetDfsFixLocalVolume I_NetDfsGetFtServers -I_NetDatabaseDeltas -I_NetDatabaseRedo -I_NetDatabaseSync -I_NetDatabaseSync2 I_NetDfsGetVersion I_NetDfsIsThisADomainName I_NetDfsManagerReportSiteInfo @@ -100,11 +96,6 @@ I_NetNameValidate I_NetPathCanonicalize I_NetPathCompare I_NetPathType -I_NetLogonSamLogonEx -I_NetLogonSamLogonWithFlags -I_NetLogonSendToSam -I_NetLogonUasLogoff -I_NetLogonUasLogon I_NetServerAuthenticate I_NetServerAuthenticate2 I_NetServerAuthenticate3 diff --git a/lib/libc/mingw/lib-common/netid.def b/lib/libc/mingw/lib-common/netid.def new file mode 100644 index 0000000000..9d2accb378 --- /dev/null +++ b/lib/libc/mingw/lib-common/netid.def @@ -0,0 +1,10 @@ +; +; Exports of file NETID.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETID.DLL +EXPORTS +CreateNetIDPropertyPage +ShowDcNotFoundErrorDialog diff --git a/lib/libc/mingw/lib-common/netio.def b/lib/libc/mingw/lib-common/netio.def new file mode 100644 index 0000000000..12e6a55e45 --- /dev/null +++ b/lib/libc/mingw/lib-common/netio.def @@ -0,0 +1,531 @@ +LIBRARY "NETIO.SYS" +EXPORTS +AgileVPNDispatchTableInit +AgileVPNFindCompartmentIdFromTunnelId +AgileVPNFindTunnelInfoFromInterfaceIndex +CancelMibChangeNotify2 +CloseCompartment +ConvertCompartmentGuidToId +ConvertCompartmentIdToGuid +ConvertInterfaceAliasToLuid +ConvertInterfaceGuidToLuid +ConvertInterfaceIndexToLuid +ConvertInterfaceLuidToAlias +ConvertInterfaceLuidToGuid +ConvertInterfaceLuidToIndex +ConvertInterfaceLuidToNameA +ConvertInterfaceLuidToNameW +ConvertInterfaceNameToLuidA +ConvertInterfaceNameToLuidW +ConvertInterfacePhysicalAddressToLuid +ConvertIpv4MaskToLength +ConvertLengthToIpv4Mask +ConvertStringToInterfacePhysicalAddress +CreateAnycastIpAddressEntry +CreateCompartment +CreateIpForwardEntry2 +CreateIpNetEntry2 +CreateSortedAddressPairs +CreateUnicastIpAddressEntry +DeleteAnycastIpAddressEntry +DeleteCompartment +DeleteIpForwardEntry2 +DeleteIpNetEntry2 +DeleteUnicastIpAddressEntry +FeAcquireClassifyHandle +FeAcquireWritableLayerDataPointer +FeApplyModifiedLayerData +FeCompleteClassify +FeCopyIncomingValues +FeGetWfpGlobalPtr +FePendClassify +FeReleaseCalloutContextList +FeReleaseClassifyHandle +FlushIpNetTable2 +FlushIpPathTable +FreeDnsSettings +FreeInterfaceDnsSettings +FreeMibTable +FsbAllocate +FsbAllocateAtDpcLevel +FsbCreatePool +FsbDestroyPool +FsbFree +FwpmEventProviderCreate0 +FwpmEventProviderDestroy0 +FwpmEventProviderFireNetEvent0 +FwpmEventProviderIsNetEventTypeEnabled0 +FwppAdvanceStreamDataPastOffset +FwppCopyStreamDataToBuffer +FwppLogVpnEvent +FwppStreamContinue +FwppStreamDeleteDpcQueue +FwppStreamInject +FwppTruncateStreamDataAfterOffset +GetAnycastIpAddressEntry +GetAnycastIpAddressTable +GetBestInterface +GetBestInterfaceEx +GetBestRoute2 +GetDefaultCompartmentId +GetDnsSettings +GetIfEntry2 +GetIfEntry2Ex +GetIfStackTable +GetIfTable2 +GetIfTable2Ex +GetInterfaceCompartmentId +GetInterfaceDnsSettings +GetInvertedIfStackTable +GetIpForwardEntry2 +GetIpForwardTable2 +GetIpInterfaceEntry +GetIpInterfaceTable +GetIpNetEntry2 +GetIpNetTable2 +GetIpNetworkConnectionBandwidthEstimates +GetIpPathEntry +GetIpPathTable +GetMulticastIpAddressEntry +GetMulticastIpAddressTable +GetTeredoPort +GetUnicastIpAddressEntry +GetUnicastIpAddressTable +HfAllocateHandle32 +HfCreateFactory +HfDestroyFactory +HfFreeHandle32 +HfGetPointerFromHandle32 +HfResumeHandle32 +HfSuspendHandle32 +IPsecGwDispatchTableInit +IPsecGwGetTunnelInfoFromIPInformation +IPsecGwIsUdpEspPacket +IPsecGwProcessSecureNbl +IPsecGwSetCallbackDispatch +IPsecGwTransformClearTextPacket +InitializeCompartmentEntry +InitializeIpForwardEntry +InitializeIpInterfaceEntry +InitializeUnicastIpAddressEntry +InternalCleanupPersistentStore +InternalCreateAnycastIpAddressEntry +InternalCreateIpForwardEntry2 +InternalCreateIpNetEntry2 +InternalCreateUnicastIpAddressEntry +InternalDeleteAnycastIpAddressEntry +InternalDeleteIpForwardEntry2 +InternalDeleteIpNetEntry2 +InternalDeleteUnicastIpAddressEntry +InternalFindInterfaceByAddress +InternalGetAnycastIpAddressEntry +InternalGetAnycastIpAddressTable +InternalGetForwardIpTable2 +InternalGetIfEntry2 +InternalGetIfTable2 +InternalGetIpForwardEntry2 +InternalGetIpInterfaceEntry +InternalGetIpInterfaceTable +InternalGetIpNetEntry2 +InternalGetIpNetTable2 +InternalGetMulticastIpAddressEntry +InternalGetMulticastIpAddressTable +InternalGetUnicastIpAddressEntry +InternalGetUnicastIpAddressTable +InternalSetIpForwardEntry2 +InternalSetIpInterfaceEntry +InternalSetIpNetEntry2 +InternalSetTeredoPort +InternalSetUnicastIpAddressEntry +IoctlKfdAbortTransaction +IoctlKfdAddCache +IoctlKfdAddIndex +IoctlKfdBatchUpdate +IoctlKfdBeginEnumFilters +IoctlKfdCommitTransaction +IoctlKfdDeleteCache +IoctlKfdDeleteIndex +IoctlKfdEndEnumFilters +IoctlKfdMoveFilter +IoctlKfdQueryEnumFilters +IoctlKfdQueryLayerStatistics +IoctlKfdResetState +IoctlKfdSetBfeEngineSd +KfdAddCalloutEntry +KfdAleAcquireEndpointContextFromFlow +KfdAleAcquireFlowHandleForFlow +KfdAleGetTableFromHandle +KfdAleInitializeFlowHandles +KfdAleInitializeFlowTable +KfdAleNotifyFlowDeletion +KfdAleReleaseFlowHandleForFlow +KfdAleRemoveFlowContextTable +KfdAleUninitializeFlowHandles +KfdAleUpdateEndpointContextStatus +KfdAuditEvent +KfdBfeEngineAccessCheck +KfdCheckAcceptBypass +KfdCheckAndCacheAcceptBypass +KfdCheckAndCacheConnectBypass +KfdCheckClassifyNeededAndUpdateEpoch +KfdCheckConnectBypass +KfdCheckOffloadFastLayers +KfdClassify +KfdClassify2 +KfdDeRefCallout +KfdDeleteCalloutEntry +KfdDerefFilterContext +KfdDeregisterLayerChangeCallback2 +KfdDeregisterLayerEventNotify +KfdDiagnoseEvent +KfdDirectClassify +KfdEnumLayer +KfdFindFilterById +KfdFreeEnumHandle +KfdGetLayerActionFromEnumTemplate +KfdGetLayerCacheEpoch +KfdGetLayerPreclassifyEpoch +KfdGetNextFilter +KfdGetOffloadEpoch +KfdGetRefCallout +KfdIsActiveCallout +KfdIsDiagnoseEventEnabled +KfdIsLayerEmpty +KfdIsLsoOffloadPossibleV4 +KfdIsLsoOffloadPossibleV6 +KfdIsTfoIncompatibleFilterPresent +KfdIsV4InTransportFastEmpty +KfdIsV4OutTransportFastEmpty +KfdIsV6InTransportFastEmpty +KfdIsV6OutTransportFastEmpty +KfdNotifyFlowDeletion +KfdPreClassify +KfdQueryLayerStats +KfdQueueLruCleanupWorkItem +KfdRegisterLayerChangeCallback2 +KfdRegisterLayerEventNotify +KfdRegisterLayerEventNotifyEx +KfdRegisterRscIncompatCalloutNotify +KfdRegisterUsoIncompatCalloutNotify +KfdReleaseCachedFilters +KfdReleaseFilterContext +KfdReleaseTerminatingFilters +KfdSetWfpPerProcContextPtr +KfdToggleFilterActivation +MatchCondition +MdpAllocate +MdpAllocateAtDpcLevel +MdpCreatePool +MdpDestroyPool +MdpFree +NetioAdvanceNetBufferList +NetioAdvanceToLocationInNetBuffer +NetioAllocateAndInitializeStackBlock +NetioAllocateAndReferenceCloneNetBufferList +NetioAllocateAndReferenceCloneNetBufferListEx +NetioAllocateAndReferenceCopyNetBufferListEx +NetioAllocateAndReferenceFragmentNetBufferList +NetioAllocateAndReferenceNetBufferAndNetBufferList +NetioAllocateAndReferenceNetBufferList +NetioAllocateAndReferenceNetBufferListNetBufferMdlAndData +NetioAllocateAndReferenceReassembledNetBufferList +NetioAllocateAndReferenceVacantNetBufferList +NetioAllocateAndReferenceVacantNetBufferListEx +NetioAllocateMdl +NetioAllocateNetBuffer +NetioAllocateNetBufferListNetBufferMdlAndDataPool +NetioAllocateNetBufferMdlAndData +NetioAllocateNetBufferMdlAndDataPool +NetioAllocateOpaquePerProcessorContext +NetioAssociateQoSFlowWithNbl +NetioCleanupNetBufferListInformation +NetioCloseKey +NetioCompleteCloneNetBufferListChain +NetioCompleteCopyNetBufferListChain +NetioCompleteNetBufferAndNetBufferListChain +NetioCompleteNetBufferListChain +NetioCopyNetBufferListInformation +NetioCreateForwardFlow +NetioCreateKey +NetioCreateQoSFlow +NetioCreatevSwitchForwardFlow +NetioDeleteQoSFlow +NetioDereferenceNetBufferList +NetioDereferenceNetBufferListChain +NetioExpandNetBuffer +NetioExtendNetBuffer +NetioFlowAssociateContext +NetioFlowRemoveContext +NetioFlowRetrieveContext +NetioFreeCloneNetBufferList +NetioFreeCopyNetBufferList +NetioFreeMdl +NetioFreeNetBuffer +NetioFreeNetBufferAndNetBufferList +NetioFreeNetBufferList +NetioFreeNetBufferListNetBufferMdlAndDataPool +NetioFreeNetBufferMdlAndDataPool +NetioFreeOpaquePerProcessorContext +NetioFreeStackBlock +NetioGetStatsForQoSFlow +NetioGetSuperTriageBlock +NetioInitNetworkRegistry +NetioInitializeFlowsManager +NetioInitializeMdl +NetioInitializeNetBufferListAndFirstNetBufferContext +NetioInitializeNetBufferListContext +NetioInitializeNetBufferListContextPrimitive +NetioInitializeNetBufferListLibrary +NetioInitializeWorkQueue +NetioInsertWorkQueue +NetioLookupForwardFlow +NetioLookupvSwitchForwardFlow +NetioNcmActiveReferenceRequest +NetioNcmCleanupState +NetioNcmFastActiveReferenceRequest +NetioNcmFastCheckAreAoAcPatternsSupported +NetioNcmFastCheckIsAoAcCapable +NetioNcmFastCheckIsMobileCore +NetioNcmGetAllNotificationChannelContextParameters +NetioNcmHandlePatternEviction +NetioNcmInitializeState +NetioNcmIsOwningProcessRtcApp +NetioNcmNotificationChannelContextRequest +NetioNcmNotifyRedirectOnInterface +NetioNcmPatternCoalescingRequired +NetioNcmQueryRtcPortHint +NetioNcmQueryRtcPortRange +NetioNcmSignalNcContextWorkQueueRoutine +NetioNcmStoreBaseSupportedSlots +NetioNcmStoreRtcPortHint +NetioNcmStoreRtcPortRange +NetioNcmTlObjectRequest +NetioNcmTrackIsLegitimateWake +NetioNrtAssociateContext +NetioNrtDereferenceRecord +NetioNrtDisassociateContext +NetioNrtDispatch +NetioNrtFindAndReferenceRecordByHandle +NetioNrtFindAndReferenceRecordById +NetioNrtFindOrCreateRecord +NetioNrtGetIfIndex +NetioNrtIsIpInRecord +NetioNrtIsPktTaggingEnabled +NetioNrtIsProxyInRecord +NetioNrtIsTrackerDevice +NetioNrtJoinRecords +NetioNrtReferenceRecord +NetioNrtStart +NetioNrtStop +NetioNrtWppLogRecord +NetioOpenKey +NetioPdcActivateNetwork +NetioPdcDeactivateNetwork +NetioPhClampMssOnIpPkt +NetioPhClampMssOnTcpPkt +NetioPhClampMssOnTcpSyn +NetioPhFindTcpOption +NetioPhGetIpUlProtocol +NetioPhIsIcmpErrorForIcmpMessage +NetioPhSkipIpv6ExtHdr +NetioPhSkipToTransHdr +NetioPhUpdateTcpChecksum +NetioQueryNetBufferListTrafficClass +NetioQueryValueKey +NetioReferenceNetBufferList +NetioReferenceNetBufferListChain +NetioRefreshFlow +NetioRegSyncDefaultChangeHandler +NetioRegSyncInterface +NetioRegSyncQueryAndUpdateKeyValue +NetioRegisterProcessorAddCallback +NetioReleaseFlow +NetioRetreatNetBuffer +NetioRetreatNetBufferList +NetioSetTriageBlock +NetioShutdownWorkQueue +NetioStackBlockProcessorAddHandler +NetioUnInitializeFlowsManager +NetioUnInitializeNetBufferListLibrary +NetioUnRegisterProcessorAddCallback +NetioUpdateNetBufferListContext +NetioValidateNetBuffer +NetioValidateNetBufferList +NetioWriteKey +NmrClientAttachProvider +NmrClientDetachProviderComplete +NmrDeregisterClient +NmrDeregisterProvider +NmrProviderDetachClientComplete +NmrRegisterClient +NmrRegisterProvider +NmrWaitForClientDeregisterComplete +NmrWaitForProviderDeregisterComplete +NotifyCompartmentChange +NotifyIpInterfaceChange +NotifyRouteChange2 +NotifyStableUnicastIpAddressTable +NotifyTeredoPortChange +NotifyUnicastIpAddressChange +NsiAllocateAndGetTable +NsiClearPersistentSetting +NsiDeregisterChangeNotification +NsiDeregisterChangeNotificationEx +NsiDeregisterLegacyHandler +NsiEnumerateObjectsAllParameters +NsiEnumerateObjectsAllParametersEx +NsiEnumerateObjectsAllPersistentParametersWithMask +NsiFreeTable +NsiGetAllParameters +NsiGetAllParametersEx +NsiGetAllPersistentParametersWithMask +NsiGetModuleHandle +NsiGetObjectSecurity +NsiGetParameter +NsiGetParameterEx +NsiReferenceDefaultObjectSecurity +NsiRegisterChangeNotification +NsiRegisterChangeNotificationEx +NsiRegisterLegacyHandler +NsiResetPersistentSetting +NsiSetAllParameters +NsiSetAllParametersEx +NsiSetAllPersistentParametersWithMask +NsiSetObjectSecurity +NsiSetParameter +NsiSetParameterEx +OpenCompartment +PtCheckTable +PtCreateTable +PtDeleteEntry +PtDestroyTable +PtEnumOverTable +PtGetData +PtGetExactMatch +PtGetKey +PtGetLongestMatch +PtGetNextShorterMatch +PtGetNumNodes +PtInsertEntry +PtSetData +ResolveIpNetEntry2 +RtlAllocateDummyMdlChain +RtlCleanupTimerWheel +RtlCleanupTimerWheelEntry +RtlCleanupToeplitzHash +RtlCompute37Hash +RtlComputeToeplitzHash +RtlCopyBufferToMdl +RtlCopyMdlToBuffer +RtlCopyMdlToMdl +RtlCopyMdlToMdlIndirect +RtlDeleteElementGenericTableBasicAvl +RtlEndTimerWheelEnumeration +RtlEnumerateNextTimerWheelEntry +RtlFreeDummyMdlChain +RtlGetNextExpirationTimerWheelTick +RtlGetNextExpiredTimerWheelEntry +RtlIndicateTimerWheelEntryTimerStart +RtlInitializeTimerWheel +RtlInitializeTimerWheelEntry +RtlInitializeTimerWheelEnumeration +RtlInitializeToeplitzHash +RtlInsertElementGenericTableBasicAvl +RtlInvokeStartRoutines +RtlInvokeStopRoutines +RtlIsTimerWheelSuspended +RtlReinitializeToeplitzHash +RtlResumeTimerWheel +RtlReturnTimerWheelEntry +RtlSuspendTimerWheel +RtlUpdateCurrentTimerWheelTick +SetDnsSettings +SetInterfaceDnsSettings +SetIpForwardEntry2 +SetIpInterfaceEntry +SetIpNetEntry2 +SetUnicastIpAddressEntry +SetWfpDeviceObject +TlDefaultEventAbort +TlDefaultEventConnect +TlDefaultEventDisconnect +TlDefaultEventError +TlDefaultEventInspect +TlDefaultEventNotify +TlDefaultEventReceive +TlDefaultEventReceiveMessages +TlDefaultEventSendBacklog +TlDefaultRequestCancel +TlDefaultRequestCloseEndpoint +TlDefaultRequestConnect +TlDefaultRequestDisconnect +TlDefaultRequestEndpoint +TlDefaultRequestIoControl +TlDefaultRequestIoControlEndpoint +TlDefaultRequestListen +TlDefaultRequestMessage +TlDefaultRequestQueryDispatch +TlDefaultRequestQueryDispatchEndpoint +TlDefaultRequestReceive +TlDefaultRequestReleaseIndicationList +TlDefaultRequestResume +TlDefaultRequestSend +TlDefaultRequestSendMessages +WfpAssociateContextToFlow +WfpAssociateContextToFlowFast +WfpCreateReassemblyContext +WfpDecodedBufferFreeHelper +WfpDeleteEntryLru +WfpExpireEntryLru +WfpFlowToEndpoint +WfpFreeReassemblyContext +WfpGetPacketTagCount +WfpInitializeLeastRecentlyUsedList +WfpInsertEntryLru +WfpLruProcessExpiredEndpoint +WfpLruQueueLruCleanupWorkItemForContext +WfpNblInfoAlloc +WfpNblInfoCleanup +WfpNblInfoClearFlags +WfpNblInfoClone +WfpNblInfoDestroyIfUnused +WfpNblInfoDispatchTableClear +WfpNblInfoDispatchTableSet +WfpNblInfoGet +WfpNblInfoGetFlags +WfpNblInfoInit +WfpNblInfoSet +WfpNblInfoSetFlags +WfpNrptTriggerDecodeHelper +WfpPacketTagCountIncrement +WfpProcessFlowDelete +WfpRefreshEntryLru +WfpReleaseFlowLocation +WfpRemoveContextFromFlow +WfpRemoveContextFromFlowFast +WfpReserveFlowLocation +WfpScavangeLeastRecentlyUsedList +WfpSetBucketsToEmptyLru +WfpSetConfigureParametersDecodeHelper +WfpSetDisconnectDecodeHelper +WfpSetVpnTriggerFilePathsDecodeHelper +WfpSetVpnTriggerSecurityDescriptorDecodeHelper +WfpSetVpnTriggerSidsDecodeHelper +WfpStartStreamShim +WfpStopStreamShim +WfpStreamEndpointCleanupBegin +WfpStreamInspectDisconnect +WfpStreamInspectReceive +WfpStreamInspectRemoteDisconnect +WfpStreamInspectSend +WfpStreamIsFilterPresent +WfpTransferReassemblyContextForFragments +WfpTransferReassemblyContextUponCompletion +WfpUninitializeLeastRecentlyUsedList +WskCaptureProviderNPI +WskDeregister +WskQueryProviderCharacteristics +WskRegister +WskReleaseProviderNPI +if_indextoname +if_nametoindex diff --git a/lib/libc/mingw/lib-common/netshell.def b/lib/libc/mingw/lib-common/netshell.def new file mode 100644 index 0000000000..6e16e09aea --- /dev/null +++ b/lib/libc/mingw/lib-common/netshell.def @@ -0,0 +1,42 @@ +; +; Exports of file netshell.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY netshell.dll +EXPORTS +DoInitialCleanup +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +HrCreateDesktopIcon +HrGetAnswerFileParametersForNetCard +HrGetExtendedStatusFromNCS +HrGetIconFromMediaType +HrGetIconFromMediaTypeEx +HrGetInstanceGuidOfPreNT5NetCardInstance +HrGetNetConExtendedStatusFromGuid +HrGetNetConExtendedStatusFromINetConnection +HrGetStatusStringFromNetConExtendedStatus +HrIsIpStateCheckingEnabled +HrLaunchConnection +HrLaunchConnectionEx +HrLaunchNetworkOptionalComponents +HrOemUpgrade +HrRenameConnection +HrRunWizard +InvokeDunFile +NcFreeNetconProperties +NcIsValidConnectionName +NetSetupAddRasConnection +NetSetupFinishInstall +NetSetupInstallSoftware +NetSetupPrepareSysPrep +NetSetupRequestWizardPages +NetSetupSetProgressCallback +NormalizeExtendedStatus +RaiseSupportDialog +RepairConnection +StartNCW diff --git a/lib/libc/mingw/lib-common/ntdllcrt.def.in b/lib/libc/mingw/lib-common/ntdllcrt.def.in new file mode 100644 index 0000000000..879585e9ab --- /dev/null +++ b/lib/libc/mingw/lib-common/ntdllcrt.def.in @@ -0,0 +1,225 @@ +#include "func.def.in" + +LIBRARY "ntdll.dll" +EXPORTS +#ifdef DEF_I386 +_CIcos +_CIlog +_CIpow +_CIsin +_CIsqrt +#endif +F_NON_I386(__C_specific_handler) +F_NON_I386(;__chkstk) +__isascii +__iscsym +__iscsymf +F_X64(__misaligned_access) +F_ARM32(__jump_unwind) +__toascii +#ifdef DEF_I386 +_alldiv +_alldvrm@16 +_allmul@16 +_alloca_probe +_alloca_probe_16 +_alloca_probe_8 +_allrem@16 +_allshl +_allshr +#endif +_atoi64 +#ifdef DEF_I386 +_aulldiv@16 +_aulldvrm@16 +_aullrem@16 +_aullshr +;_chkstk +#endif +_errno +F_I386(_except_handler4_common) +_fltused DATA +#ifdef DEF_I386 +_ftol +_ftol2 +_ftol2_sse +#endif +_i64toa +_i64toa_s +_i64tow +_i64tow_s +_itoa +_itoa_s +_itow +_itow_s +_lfind +F64(_local_unwind) +F_I386(_local_unwind4) +_ltoa +_ltoa_s +_ltow +_ltow_s +_makepath_s +_memccpy +_memicmp +F_X64(_setjmp) +F_ARM32(_setjmp) +F_NON_I386(_setjmpex) +_snprintf +_snprintf_s +_snscanf_s +_snwprintf +_snwprintf_s +_snwscanf_s +_splitpath +_splitpath_s +_strcmpi +_stricmp +_strlwr +strlwr == _strlwr +_strlwr_s +_strnicmp +_strnset_s +_strset_s +_strupr +_strupr_s +_swprintf +F_X86_ANY(_tolower) +F_X86_ANY(_toupper) +_ui64toa +_ui64toa_s +_ui64tow +_ui64tow_s +_ultoa +_ultoa_s +_ultow +_ultow_s +_vscprintf +_vscwprintf +_vsnprintf +_vsnprintf_s +_vsnwprintf +_vsnwprintf_s +_vswprintf +_wcsicmp +_wcslwr +wcslwr == _wcslwr +_wcslwr_s +_wcsnicmp +_wcsnset_s +_wcsset_s +_wcstoi64 +_wcstoui64 +_wcsupr +_wcsupr_s +_wmakepath_s +_wsplitpath_s +_wtoi +_wtoi64 +_wtol +abs +atan F_X86_ANY(DATA) +atan2 +atoi +atol +bsearch +bsearch_s +ceil +cos F_X86_ANY(DATA) +fabs F_X86_ANY(DATA) +floor F_X86_ANY(DATA) +isalnum +isalpha +iscntrl +isdigit +isgraph +islower +isprint +ispunct +isspace +isupper +iswalnum +iswalpha +iswascii +iswctype +iswdigit +iswgraph +iswlower +iswprint +iswspace +iswxdigit +isxdigit +labs +log +F_NON_I386(longjmp) +mbstowcs +memchr +memcmp +memcpy +memcpy_s +memmove +memmove_s +memset +pow +qsort +qsort_s +sin +sprintf +sprintf_s +sqrt +sscanf +sscanf_s +strcat +strcat_s +strchr +strcmp +strcpy +strcpy_s +strcspn +strlen +strncat +strncat_s +strncmp +strncpy +strncpy_s +strnlen +strpbrk +strrchr +strspn +strstr +strtok_s +strtol +strtoul +swprintf +swprintf_s +swscanf_s +tan +tolower +toupper +towlower +towupper +vsprintf +vsprintf_s +vswprintf_s +wcscat +wcscat_s +wcschr +wcscmp +wcscpy +wcscpy_s +wcscspn +wcslen +wcsncat +wcsncat_s +wcsncmp +wcsncpy +wcsncpy_s +wcsnlen +wcspbrk +wcsrchr +wcsspn +wcsstr +wcstok_s +wcstol +wcstombs +wcstoul diff --git a/lib/libc/mingw/lib-common/ntquery.def b/lib/libc/mingw/lib-common/ntquery.def new file mode 100644 index 0000000000..008ccc90fc --- /dev/null +++ b/lib/libc/mingw/lib-common/ntquery.def @@ -0,0 +1,17 @@ +; +; Definition file of query.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "query.dll" +EXPORTS +LoadBinaryFilter +LoadTextFilter +BindIFilterFromStorage +BindIFilterFromStream +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +LoadIFilter +LoadIFilterEx diff --git a/lib/libc/mingw/lib-common/occache.def b/lib/libc/mingw/lib-common/occache.def new file mode 100644 index 0000000000..8c4ae5dac1 --- /dev/null +++ b/lib/libc/mingw/lib-common/occache.def @@ -0,0 +1,22 @@ +; +; Definition file of OCCACHE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OCCACHE.dll" +EXPORTS +FindControlClose +FindFirstControl +FindFirstControlArch +FindNextControl +FindNextControlArch +GetControlDependentFile +GetControlInfo +IsModuleRemovable +ReleaseControlHandle +RemoveControlByHandle2 +RemoveControlByHandle +RemoveControlByName2 +RemoveControlByName +RemoveExpiredControls +SweepControlsByLastAccessDate diff --git a/lib/libc/mingw/lib-common/odbccp32.def b/lib/libc/mingw/lib-common/odbccp32.def new file mode 100644 index 0000000000..b495504590 --- /dev/null +++ b/lib/libc/mingw/lib-common/odbccp32.def @@ -0,0 +1,65 @@ +; +; Exports of file ODBCCP32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ODBCCP32.dll +EXPORTS +SQLInstallDriver +SQLInstallDriverManager +SQLGetInstalledDrivers +SQLGetAvailableDrivers +SQLConfigDataSource +SQLRemoveDefaultDataSource +SQLWriteDSNToIni +SQLRemoveDSNFromIni +SQLInstallODBC +SQLManageDataSources +SQLCreateDataSource +SQLGetTranslator +SQLWritePrivateProfileString +SQLGetPrivateProfileString +SQLValidDSN +SQLRemoveDriverManager +SQLInstallTranslator +SQLRemoveTranslator +SQLRemoveDriver +SQLConfigDriver +SQLInstallerError +SQLPostInstallerError +SQLReadFileDSN +SQLWriteFileDSN +SQLInstallDriverEx +SQLGetConfigMode +SQLSetConfigMode +SQLInstallTranslatorEx +SQLCreateDataSourceEx +ODBCCPlApplet +SelectTransDlg +SQLInstallDriverW +SQLInstallDriverManagerW +SQLGetInstalledDriversW +SQLGetAvailableDriversW +SQLConfigDataSourceW +SQLWriteDSNToIniW +SQLRemoveDSNFromIniW +SQLInstallODBCW +SQLCreateDataSourceW +SQLGetTranslatorW +SQLWritePrivateProfileStringW +SQLGetPrivateProfileStringW +SQLValidDSNW +SQLInstallTranslatorW +SQLRemoveTranslatorW +SQLRemoveDriverW +SQLConfigDriverW +SQLInstallerErrorW +SQLPostInstallerErrorW +SQLReadFileDSNW +SQLWriteFileDSNW +SQLInstallDriverExW +SQLInstallTranslatorExW +SQLCreateDataSourceExW +SQLLoadDriverListBox +SQLLoadDataSourcesListBox diff --git a/lib/libc/mingw/lib-common/oleaut32.def.in b/lib/libc/mingw/lib-common/oleaut32.def.in index 55618a83c9..87f60aa340 100644 --- a/lib/libc/mingw/lib-common/oleaut32.def.in +++ b/lib/libc/mingw/lib-common/oleaut32.def.in @@ -144,14 +144,14 @@ VarTokenizeFormatString VarAdd VarAnd VarDiv -F_64(BSTR_UserFree64) -F_64(BSTR_UserMarshal64) +F64(BSTR_UserFree64) +F64(BSTR_UserMarshal64) DispCallFunc VariantChangeTypeEx SafeArrayPtrOfIndex SysStringByteLen SysAllocStringByteLen -F_64(BSTR_UserSize64) +F64(BSTR_UserSize64) VarEqv VarIdiv VarImp @@ -300,7 +300,7 @@ LPSAFEARRAY_Marshal LPSAFEARRAY_Unmarshal VarDecCmpR8 VarCyAdd -F_64(BSTR_UserUnmarshal64) +F64(BSTR_UserUnmarshal64) DllCanUnloadNow DllGetClassObject OACreateTypeLib2 @@ -325,11 +325,11 @@ DllRegisterServer DllUnregisterServer GetRecordInfoFromGuids GetRecordInfoFromTypeInfo -F_64(LPSAFEARRAY_UserFree64) +F64(LPSAFEARRAY_UserFree64) SetVarConversionLocaleSetting GetVarConversionLocaleSetting SetOaNoCache -F_64(LPSAFEARRAY_UserMarshal64) +F64(LPSAFEARRAY_UserMarshal64) VarCyMulI8 VarDateFromUdate VarUdateFromDate @@ -351,13 +351,12 @@ VarI2FromI8 VarI2FromUI8 VarI4FromI8 VarI4FromUI8 -F_64(LPSAFEARRAY_UserSize64) -F_64(LPSAFEARRAY_UserUnmarshal64) -OACreateTypeLib2 -F_64(VARIANT_UserFree64) -F_64(VARIANT_UserMarshal64) -F_64(VARIANT_UserSize64) -F_64(VARIANT_UserUnmarshal64) +F64(LPSAFEARRAY_UserSize64) +F64(LPSAFEARRAY_UserUnmarshal64) +F64(VARIANT_UserFree64) +F64(VARIANT_UserMarshal64) +F64(VARIANT_UserSize64) +F64(VARIANT_UserUnmarshal64) VarR4FromI8 VarR4FromUI8 VarR8FromI8 diff --git a/lib/libc/mingw/lib-common/opends60.def b/lib/libc/mingw/lib-common/opends60.def new file mode 100644 index 0000000000..28b064e58a --- /dev/null +++ b/lib/libc/mingw/lib-common/opends60.def @@ -0,0 +1,82 @@ +LIBRARY OPENDS60.dll +EXPORTS +ODS_init +srv_thread +int_getpOAInfo +int_setpOAInfo +srv_IgnoreAnsiToOem +srv_ackattention +srv_alloc +srv_ansi_describe +srv_ansi_paramdata +srv_ansi_sendmsg +srv_ansi_sendrow +srv_bmove +srv_bzero +srv_clearstatistics +srv_config +srv_config_alloc +srv_convert +srv_describe +srv_errhandle +srv_event +srv_eventdata +srv_flush +srv_free +srv_get_text +srv_getbindtoken +srv_getconfig +srv_getdtcxact +srv_getserver +srv_getuserdata +srv_got_attention +srv_handle +srv_impersonate_client +srv_init +srv_iodead +srv_langcpy +srv_langlen +srv_langptr +srv_log +srv_message_handler +srv_paramdata +srv_paraminfo +srv_paramlen +srv_parammaxlen +srv_paramname +srv_paramnumber +srv_paramset +srv_paramsetoutput +srv_paramstatus +srv_paramtype +srv_pfield +srv_pfieldex +srv_post_completion_queue +srv_post_handle +srv_pre_handle +srv_returnval +srv_revert_to_self +srv_rpcdb +srv_rpcname +srv_rpcnumber +srv_rpcoptions +srv_rpcowner +srv_rpcparams +srv_run +srv_senddone +srv_sendmsg +srv_sendrow +srv_sendstatistics +srv_sendstatus +srv_setcoldata +srv_setcollen +srv_setevent +srv_setuserdata +srv_setutype +srv_sfield +srv_symbol +srv_tdsversion +srv_terminatethread +srv_willconvert +srv_writebuf +srv_wsendmsg diff --git a/lib/libc/mingw/lib-common/osuninst.def b/lib/libc/mingw/lib-common/osuninst.def new file mode 100644 index 0000000000..d655e6758c --- /dev/null +++ b/lib/libc/mingw/lib-common/osuninst.def @@ -0,0 +1,13 @@ +; +; Exports of file OSUNINST.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OSUNINST.dll +EXPORTS +ExecuteUninstall +GetUninstallImageSize +IsUninstallImageValid +ProvideUiAlerts +RemoveUninstallImage diff --git a/lib/libc/mingw/lib-common/pcwum.def b/lib/libc/mingw/lib-common/pcwum.def new file mode 100644 index 0000000000..a2da2ba010 --- /dev/null +++ b/lib/libc/mingw/lib-common/pcwum.def @@ -0,0 +1,46 @@ +; +; Definition file of pcwum.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "pcwum.dll" +EXPORTS +PcwAddQueryItem +PcwClearCounterSetSecurity +PcwCollectData +PcwCompleteNotification +PcwCreateNotifier +PcwCreateQuery +PcwDisconnectCounterSet +PcwEnumerateInstances +PcwIsNotifierAlive +PcwQueryCounterSetSecurity +PcwReadNotificationData +PcwRegisterCounterSet +PcwRemoveQueryItem +PcwSendNotification +PcwSendStatelessNotification +PcwSetCounterSetSecurity +PcwSetQueryItemUserData +PerfCreateInstance +PerfDecrementULongCounterValue +PerfDecrementULongLongCounterValue +PerfDeleteInstance +PerfIncrementULongCounterValue +PerfIncrementULongLongCounterValue +PerfQueryInstance +PerfSetCounterRefValue +PerfSetCounterSetInfo +PerfSetULongCounterValue +PerfSetULongLongCounterValue +PerfStartProvider +PerfStartProviderEx +PerfStopProvider +StmAlignSize +StmAllocateFlat +StmCoalesceChunks +StmDeinitialize +StmInitialize +StmReduceSize +StmReserve +StmWrite diff --git a/lib/libc/mingw/libarm32/pdh.def b/lib/libc/mingw/lib-common/pdh.def similarity index 91% rename from lib/libc/mingw/libarm32/pdh.def rename to lib/libc/mingw/lib-common/pdh.def index 8bb340c442..5434425495 100644 --- a/lib/libc/mingw/libarm32/pdh.def +++ b/lib/libc/mingw/lib-common/pdh.def @@ -1,19 +1,15 @@ ; ; Definition file of pdh.dll ; Automatic generated by gendef -; written by Kai Tietz 2008-2014 +; written by Kai Tietz 2008 ; LIBRARY "pdh.dll" EXPORTS -PdhAdd009CounterA -PdhAdd009CounterW PdhAddCounterA PdhAddCounterW PdhAddEnglishCounterA PdhAddEnglishCounterW PdhAddRelogCounter -PdhAddV1Counter -PdhAddV2Counter PdhBindInputDataSourceA PdhBindInputDataSourceW PdhBrowseCountersA @@ -72,15 +68,12 @@ PdhGetFormattedCounterArrayA PdhGetFormattedCounterArrayW PdhGetFormattedCounterValue PdhGetLogFileSize -PdhGetLogFileTypeA PdhGetLogFileTypeW PdhGetLogSetGUID PdhGetRawCounterArrayA PdhGetRawCounterArrayW PdhGetRawCounterValue PdhIsRealTimeQuery -PdhListLogFileHeaderA -PdhListLogFileHeaderW PdhLookupPerfIndexByNameA PdhLookupPerfIndexByNameW PdhLookupPerfNameByIndexA @@ -98,7 +91,6 @@ PdhParseCounterPathW PdhParseInstanceNameA PdhParseInstanceNameW PdhReadRawLogRecord -PdhRelogA PdhRelogW PdhRemoveCounter PdhResetRelogCounterValues @@ -109,9 +101,7 @@ PdhSetCounterValue PdhSetDefaultRealTimeDataSource PdhSetLogSetRunID PdhSetQueryTimeRange -PdhTranslate009CounterA PdhTranslate009CounterW -PdhTranslateLocaleCounterA PdhTranslateLocaleCounterW PdhUpdateLogA PdhUpdateLogFileCatalog diff --git a/lib/libc/mingw/lib-common/perfctrs.def b/lib/libc/mingw/lib-common/perfctrs.def new file mode 100644 index 0000000000..0d0353867e --- /dev/null +++ b/lib/libc/mingw/lib-common/perfctrs.def @@ -0,0 +1,26 @@ +; +; Exports of file perfctrs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY perfctrs.dll +EXPORTS +OpenNbfPerformanceData +CollectNbfPerformanceData +CloseNbfPerformanceData +OpenTcpIpPerformanceData +CollectTcpIpPerformanceData +CloseTcpIpPerformanceData +OpenIPXPerformanceData +CollectIPXPerformanceData +CloseIPXPerformanceData +OpenSPXPerformanceData +CollectSPXPerformanceData +CloseSPXPerformanceData +OpenNWNBPerformanceData +CollectNWNBPerformanceData +CloseNWNBPerformanceData +OpenDhcpPerformanceData +CollectDhcpPerformanceData +CloseDhcpPerformanceData diff --git a/lib/libc/mingw/lib-common/perfdisk.def b/lib/libc/mingw/lib-common/perfdisk.def new file mode 100644 index 0000000000..c009696bc8 --- /dev/null +++ b/lib/libc/mingw/lib-common/perfdisk.def @@ -0,0 +1,11 @@ +; +; Exports of file PerfDisk.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PerfDisk.dll +EXPORTS +CloseDiskObject +CollectDiskObjectData +OpenDiskObject diff --git a/lib/libc/mingw/lib-common/perfnet.def b/lib/libc/mingw/lib-common/perfnet.def new file mode 100644 index 0000000000..0879faba11 --- /dev/null +++ b/lib/libc/mingw/lib-common/perfnet.def @@ -0,0 +1,11 @@ +; +; Exports of file PerfNet.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PerfNet.dll +EXPORTS +CloseNetSvcsObject +CollectNetSvcsObjectData +OpenNetSvcsObject diff --git a/lib/libc/mingw/lib-common/perfos.def b/lib/libc/mingw/lib-common/perfos.def new file mode 100644 index 0000000000..0f49c43194 --- /dev/null +++ b/lib/libc/mingw/lib-common/perfos.def @@ -0,0 +1,11 @@ +; +; Exports of file PerfOS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PerfOS.dll +EXPORTS +CloseOSObject +CollectOSObjectData +OpenOSObject diff --git a/lib/libc/mingw/lib-common/perfproc.def b/lib/libc/mingw/lib-common/perfproc.def new file mode 100644 index 0000000000..75b3904002 --- /dev/null +++ b/lib/libc/mingw/lib-common/perfproc.def @@ -0,0 +1,11 @@ +; +; Exports of file PerfProc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PerfProc.dll +EXPORTS +CloseSysProcessObject +CollectSysProcessObjectData +OpenSysProcessObject diff --git a/lib/libc/mingw/lib-common/perfts.def b/lib/libc/mingw/lib-common/perfts.def new file mode 100644 index 0000000000..db53a2223f --- /dev/null +++ b/lib/libc/mingw/lib-common/perfts.def @@ -0,0 +1,11 @@ +; +; Exports of file PerfTS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PerfTS.dll +EXPORTS +CloseTSObject +CollectTSObjectData +OpenTSObject diff --git a/lib/libc/mingw/lib-common/photowiz.def b/lib/libc/mingw/lib-common/photowiz.def new file mode 100644 index 0000000000..057a165138 --- /dev/null +++ b/lib/libc/mingw/lib-common/photowiz.def @@ -0,0 +1,15 @@ +; +; Exports of file PHOTOWIZ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PHOTOWIZ.dll +EXPORTS +UsePPWForPrintTo +DllCanUnloadNow +DllGetClassObject +DllInstall +DllMain +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/profapi.def b/lib/libc/mingw/lib-common/profapi.def new file mode 100644 index 0000000000..ddb6e8cbd9 --- /dev/null +++ b/lib/libc/mingw/lib-common/profapi.def @@ -0,0 +1,21 @@ +LIBRARY profapi + +EXPORTS + +CreateAppContainerEnumerator +CreateEnvBlock +DeleteAppContainerEnumerator +DestroyEnvBlock +ExpandEnvStringForUser +GetAppContainerPath +GetAppContainerPathFromSidString +GetAppContainerRegistryHandle +GetAppContainerRegistryHandleFromName +GetAppContainerRegistryPath +GetAppContainerSpecificSubPath +GetBasicProfileFolderPath +GetBasicProfileFolderPathAlloc +GetBasicProfileFolderPathEx +GetNextAppContainerSid +LoadProfileBasic +UnloadProfileBasic diff --git a/lib/libc/mingw/lib-common/pstorec.def b/lib/libc/mingw/lib-common/pstorec.def new file mode 100644 index 0000000000..5ac3d47159 --- /dev/null +++ b/lib/libc/mingw/lib-common/pstorec.def @@ -0,0 +1,14 @@ +; +; Exports of file PSTOREC.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PSTOREC.DLL +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +PStoreCreateInstance +PStoreEnumProviders diff --git a/lib/libc/mingw/lib-common/qutil.def b/lib/libc/mingw/lib-common/qutil.def new file mode 100644 index 0000000000..112925f78b --- /dev/null +++ b/lib/libc/mingw/lib-common/qutil.def @@ -0,0 +1,27 @@ +; +; Definition file of QUtil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "QUtil.dll" +EXPORTS +AllocConnections +AllocCountedString +AllocFixupInfo +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +FreeConnections +FreeCountedString +FreeFixupInfo +FreeIsolationInfo +FreeIsolationInfoEx +FreeNapComponentRegistrationInfoArray +FreeNetworkSoH +FreePrivateData +FreeSoH +FreeSoHAttributeValue +FreeSystemHealthAgentState +InitializeNapAgentNotifier +UninitializeNapAgentNotifier diff --git a/lib/libc/mingw/lib-common/rasadhlp.def b/lib/libc/mingw/lib-common/rasadhlp.def new file mode 100644 index 0000000000..29407cb60a --- /dev/null +++ b/lib/libc/mingw/lib-common/rasadhlp.def @@ -0,0 +1,14 @@ +; +; Exports of file rasadhlp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasadhlp.dll +EXPORTS +AcsHlpAttemptConnection +AcsHlpNbConnection +AcsHlpNoteNewConnection +WSAttemptAutodialAddr +WSAttemptAutodialName +WSNoteSuccessfulHostentLookup diff --git a/lib/libc/mingw/lib-common/rasauto.def b/lib/libc/mingw/lib-common/rasauto.def new file mode 100644 index 0000000000..ee08c8cf9b --- /dev/null +++ b/lib/libc/mingw/lib-common/rasauto.def @@ -0,0 +1,10 @@ +; +; Exports of file rasauto.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasauto.dll +EXPORTS +ServiceMain +SetAddressDisabledEx diff --git a/lib/libc/mingw/lib-common/raschap.def b/lib/libc/mingw/lib-common/raschap.def new file mode 100644 index 0000000000..ff44d484ff --- /dev/null +++ b/lib/libc/mingw/lib-common/raschap.def @@ -0,0 +1,29 @@ +; +; Definition file of RASCHAP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RASCHAP.dll" +EXPORTS +RasEapCreateConnectionProperties2 +RasEapCreateConnectionPropertiesXml +RasEapCreateUserProperties2 +RasCpEnumProtocolIds +RasCpGetInfo +RasEapCreateConnectionProperties +RasEapCreateMethodConfiguration +RasEapCreateUserProperties +RasEapFreeMemory +RasEapGetConfigBlobAndUserBlob +RasEapGetCredentials +RasEapGetIdentity +RasEapGetIdentityPageGuid +RasEapGetInfo +RasEapGetMethodProperties +RasEapGetNextPageGuid +RasEapInvokeConfigUI +RasEapInvokeInteractiveUI +RasEapQueryCredentialInputFields +RasEapQueryInteractiveUIInputFields +RasEapQueryUIBlobFromInteractiveUIInputFields +RasEapQueryUserBlobFromCredentialInputFields diff --git a/lib/libc/mingw/lib-common/rasctrs.def b/lib/libc/mingw/lib-common/rasctrs.def new file mode 100644 index 0000000000..0ee9d14170 --- /dev/null +++ b/lib/libc/mingw/lib-common/rasctrs.def @@ -0,0 +1,11 @@ +; +; Exports of file rasctrs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasctrs.dll +EXPORTS +OpenRasPerformanceData +CollectRasPerformanceData +CloseRasPerformanceData diff --git a/lib/libc/mingw/lib-common/rasmontr.def b/lib/libc/mingw/lib-common/rasmontr.def new file mode 100644 index 0000000000..4831aa74d4 --- /dev/null +++ b/lib/libc/mingw/lib-common/rasmontr.def @@ -0,0 +1,22 @@ +; +; Exports of file RASMONTR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RASMONTR.dll +EXPORTS +GetDiagnosticFunctions +InitHelperDll +RutlAlloc +RutlAssignmentFromTokenAndDword +RutlAssignmentFromTokens +RutlCloseDumpFile +RutlCreateDumpFile +RutlDwordDup +RutlFree +RutlGetOsVersion +RutlGetTagToken +RutlIsHelpToken +RutlParse +RutlStrDup diff --git a/lib/libc/mingw/lib-common/rasmxs.def b/lib/libc/mingw/lib-common/rasmxs.def new file mode 100644 index 0000000000..71c50b61e5 --- /dev/null +++ b/lib/libc/mingw/lib-common/rasmxs.def @@ -0,0 +1,15 @@ +; +; Exports of file rasmxs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasmxs.dll +EXPORTS +DeviceConnect +DeviceDone +DeviceEnum +DeviceGetInfo +DeviceListen +DeviceSetInfo +DeviceWork diff --git a/lib/libc/mingw/lib-common/rasser.def b/lib/libc/mingw/lib-common/rasser.def new file mode 100644 index 0000000000..a0def849ca --- /dev/null +++ b/lib/libc/mingw/lib-common/rasser.def @@ -0,0 +1,27 @@ +; +; Exports of file rasser.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasser.dll +EXPORTS +PortChangeCallback +PortClearStatistics +PortClose +PortCompressionSetInfo +PortConnect +PortDisconnect +PortEnum +PortGetInfo +PortGetPortState +PortGetStatistics +PortInit +PortOpen +PortReceive +PortReceiveComplete +PortSend +PortSetFraming +PortSetINetCfg +PortSetInfo +PortTestSignalState diff --git a/lib/libc/mingw/lib-common/rastapi.def b/lib/libc/mingw/lib-common/rastapi.def new file mode 100644 index 0000000000..202a2b391d --- /dev/null +++ b/lib/libc/mingw/lib-common/rastapi.def @@ -0,0 +1,52 @@ +; +; Definition file of rastapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rastapi.dll" +EXPORTS +AddPorts +CheckRasmanDependency +DeviceConnect +DeviceDone +DeviceEnum +DeviceGetDevConfig +DeviceGetDevConfigEx +DeviceGetInfo +DeviceListen +DeviceSetDevConfig +DeviceSetInfo +DeviceWork +EnableDeviceForDialIn +GetConnectInfo +GetZeroDeviceInfo +InitializeDriverIoControl +PortChangeCallback +PortClearStatistics +PortClose +PortCompressionSetInfo +PortConnect +PortDisconnect +PortEnum +PortGetIOHandle +PortGetInfo +PortGetPortState +PortGetStatistics +PortInit +PortOpen +PortOpenExternal +PortReceive +PortReceiveComplete +PortSend +PortSetFraming +PortSetInfo +PortSetIoCompletionPort +PortTestSignalState +RasTapiIsPulseDial +RastapiGetCalledID +RastapiSetCalledID +RefreshDevices +RemovePort +SetCommSettings +UnloadRastapiDll +UpdateTapiService diff --git a/lib/libc/mingw/lib-common/rdpcfgex.def b/lib/libc/mingw/lib-common/rdpcfgex.def new file mode 100644 index 0000000000..6c603490b0 --- /dev/null +++ b/lib/libc/mingw/lib-common/rdpcfgex.def @@ -0,0 +1,18 @@ +; +; Exports of file RDPCFGEX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RDPCFGEX.dll +EXPORTS +ExGetCfgVersionInfo +ExtEncryptionLevels +ExtEnd +ExtGetCapabilities +ExtGetEncryptionLevelAndDescrEx +ExtGetEncryptionLevelDescr +ExtGetSecurityLayerDescrString +ExtGetSecurityLayerName +ExtSecurityLayers +ExtStart diff --git a/lib/libc/mingw/lib-common/regapi.def b/lib/libc/mingw/lib-common/regapi.def new file mode 100644 index 0000000000..dcca5871cb --- /dev/null +++ b/lib/libc/mingw/lib-common/regapi.def @@ -0,0 +1,107 @@ +; +; Definition file of REGAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "REGAPI.dll" +EXPORTS +CheckStringForAsciiConversion +GetDomainName +QueryUserConfig +QueryUserProperty +RegBuildNumberQuery +RegCdCreateA +RegCdCreateW +RegCdDeleteA +RegCdDeleteW +RegCdEnumerateA +RegCdEnumerateW +RegCdQueryA +RegCdQueryW +RegCloseServer +RegConsoleShadowQueryA +RegConsoleShadowQueryW +RegCreateMonitorConfigW +RegCreateUserConfigW +RegDefaultUserConfigQueryA +RegDefaultUserConfigQueryW +RegDenyTSConnectionsPolicy +RegFreeUtilityCommandList +RegGetLicensePolicyID +RegGetLicensingModePolicy +RegGetMachinePolicy +RegGetMachinePolicyEx +RegGetMachinePolicyNew +RegGetTServerVersion +RegGetUserConfigFromUserParameters +RegGetUserPolicy +RegIsMachineInHelpMode +RegIsMachinePolicyAllowHelp +RegIsSrcAcceptingConnections +RegIsTServer +RegIsTimeZoneRedirectionEnabled +RegMergeMachinePolicy +RegMergeUserConfigWithUserParameters +RegOpenServerA +RegOpenServerW +RegPdCreateA +RegPdCreateW +RegPdDeleteA +RegPdDeleteW +RegPdEnumerateA +RegPdEnumerateW +RegPdQueryA +RegPdQueryW +RegQueryConnectionSettings +RegQueryListenerStart +RegQueryMonitorSettings +RegQueryOEMId +RegQuerySessionSettings +RegQueryUtilityCommandList +RegSAMUserConfig +RegSetLicensePolicyID +RegSetSrcAcceptConnections +RegUserConfigDelete +RegUserConfigQuery +RegUserConfigRename +RegUserConfigSet +RegWdCreateA +RegWdCreateW +RegWdDeleteA +RegWdDeleteW +RegWdEnumerateA +RegWdEnumerateW +RegWdQueryA +RegWdQueryW +RegWinStationAccessCheck +RegWinStationCreateA +RegWinStationCreateW +RegWinStationDeleteA +RegWinStationDeleteW +RegWinStationEnumerateA +RegWinStationEnumerateW +RegWinStationQueryA +RegWinStationQueryDefaultSecurity +RegWinStationQueryEx +RegWinStationQueryExNew +RegWinStationQueryExW +RegWinStationQueryExtendedSettingsW +RegWinStationQueryNumValueW +RegWinStationQuerySecurityA +RegWinStationQuerySecurityW +RegWinStationQueryValueW +RegWinStationQueryW +RegWinStationSetDefaultSecurity +RegWinStationSetExtendedSettingsW +RegWinStationSetNumValueW +RegWinStationSetSecurityA +RegWinStationSetSecurityW +RegWinstationQuerySecurityConfig_Machine +RegWinstationQuerySecurityConfig_Merged +RegWinstationSetSecurityConfig +SetUserProperty +UsrPropGetString +UsrPropGetValue +UsrPropSetString +UsrPropSetValue +WaitForTSConnectionsPolicyChanges diff --git a/lib/libc/mingw/lib-common/regsvc.def b/lib/libc/mingw/lib-common/regsvc.def new file mode 100644 index 0000000000..867a0e30c0 --- /dev/null +++ b/lib/libc/mingw/lib-common/regsvc.def @@ -0,0 +1,10 @@ +; +; Exports of file regsvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY regsvc.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/riched20.def b/lib/libc/mingw/lib-common/riched20.def new file mode 100644 index 0000000000..4fb9288160 --- /dev/null +++ b/lib/libc/mingw/lib-common/riched20.def @@ -0,0 +1,17 @@ +; +; Exports of file RICHED20.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RICHED20.dll +EXPORTS +IID_IRichEditOle +IID_IRichEditOleCallback +CreateTextServices +IID_ITextServices +IID_ITextHost +IID_ITextHost2 +REExtendedRegisterClass +RichEdit10ANSIWndProc +RichEditANSIWndProc diff --git a/lib/libc/mingw/lib-common/rnr20.def b/lib/libc/mingw/lib-common/rnr20.def new file mode 100644 index 0000000000..366fd47026 --- /dev/null +++ b/lib/libc/mingw/lib-common/rnr20.def @@ -0,0 +1,9 @@ +; +; Exports of file RNR20.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RNR20.dll +EXPORTS +NSPStartup diff --git a/lib/libc/mingw/libarm32/rometadata.def b/lib/libc/mingw/lib-common/rometadata.def similarity index 100% rename from lib/libc/mingw/libarm32/rometadata.def rename to lib/libc/mingw/lib-common/rometadata.def diff --git a/lib/libc/mingw/lib-common/rpcrt4.def b/lib/libc/mingw/lib-common/rpcrt4.def index 578c20f6c1..2ea1e5549a 100644 --- a/lib/libc/mingw/lib-common/rpcrt4.def +++ b/lib/libc/mingw/lib-common/rpcrt4.def @@ -34,8 +34,6 @@ CStdStubBuffer_Disconnect CStdStubBuffer_Invoke CStdStubBuffer_IsIIDSupported CStdStubBuffer_QueryInterface -CreateProxyFromTypeInfo -CreateStubFromTypeInfo DceErrorInqTextA DceErrorInqTextW DllGetClassObject @@ -75,7 +73,6 @@ I_RpcClearMutex I_RpcCompleteAndFree I_RpcConnectionInqSockBuffSize I_RpcConnectionSetSockBuffSize -I_RpcCompleteAndFree I_RpcDeleteMutex I_RpcEnableWmiTrace I_RpcExceptionFilter @@ -105,7 +102,6 @@ I_RpcNsBindingSetEntryNameA I_RpcNsBindingSetEntryNameW I_RpcNsInterfaceExported I_RpcNsInterfaceUnexported -I_RpcOpenClientProcess I_RpcParseSecurity I_RpcPauseExecution I_RpcProxyNewConnection @@ -253,13 +249,8 @@ NdrFixedArrayMarshall NdrFixedArrayMemorySize NdrFixedArrayUnmarshall NdrFreeBuffer -NdrFullPointerFree -NdrFullPointerInsertRefId -NdrFullPointerQueryPointer -NdrFullPointerQueryRefId NdrFullPointerXlatFree NdrFullPointerXlatInit -NdrGetBaseInterfaceFromStub NdrGetBuffer NdrGetDcomProtocolVersion NdrGetSimpleTypeBufferAlignment diff --git a/lib/libc/mingw/lib-common/rpcss.def b/lib/libc/mingw/lib-common/rpcss.def new file mode 100644 index 0000000000..55c547385f --- /dev/null +++ b/lib/libc/mingw/lib-common/rpcss.def @@ -0,0 +1,12 @@ +; +; Exports of file RPCSS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RPCSS.dll +EXPORTS +ServiceMain +CoGetComCatalog +GetRPCSSInfo +WhichService diff --git a/lib/libc/mingw/lib-common/rsaenh.def b/lib/libc/mingw/lib-common/rsaenh.def new file mode 100644 index 0000000000..93408598ad --- /dev/null +++ b/lib/libc/mingw/lib-common/rsaenh.def @@ -0,0 +1,35 @@ +; +; Exports of file RSAENH.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RSAENH.dll +EXPORTS +CPAcquireContext +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPDuplicateHash +CPDuplicateKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPSignHash +CPVerifySignature +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/rtutils.def b/lib/libc/mingw/lib-common/rtutils.def new file mode 100644 index 0000000000..2871694564 --- /dev/null +++ b/lib/libc/mingw/lib-common/rtutils.def @@ -0,0 +1,51 @@ +; +; Exports of file rtutils.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rtutils.dll +EXPORTS +LogErrorA +LogErrorW +LogEventA +LogEventW +MprSetupProtocolEnum +MprSetupProtocolFree +QueueWorkItem +RouterAssert +RouterGetErrorStringA +RouterGetErrorStringW +RouterLogDeregisterA +RouterLogDeregisterW +RouterLogEventA +RouterLogEventDataA +RouterLogEventDataW +RouterLogEventExA +RouterLogEventExW +RouterLogEventStringA +RouterLogEventStringW +RouterLogEventValistExA +RouterLogEventValistExW +RouterLogEventW +RouterLogRegisterA +RouterLogRegisterW +SetIoCompletionProc +TraceDeregisterA +TraceDeregisterExA +TraceDeregisterExW +TraceDeregisterW +TraceDumpExA +TraceDumpExW +TraceGetConsoleA +TraceGetConsoleW +TracePrintfA +TracePrintfExA +TracePrintfExW +TracePrintfW +TracePutsExA +TracePutsExW +TraceRegisterExA +TraceRegisterExW +TraceVprintfExA +TraceVprintfExW diff --git a/lib/libc/mingw/lib-common/scesrv.def b/lib/libc/mingw/lib-common/scesrv.def new file mode 100644 index 0000000000..c1987791e1 --- /dev/null +++ b/lib/libc/mingw/lib-common/scesrv.def @@ -0,0 +1,10 @@ +; +; Exports of file SCESRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCESRV.dll +EXPORTS +ScesrvInitializeServer +ScesrvTerminateServer diff --git a/lib/libc/mingw/lib-common/schannel.def b/lib/libc/mingw/lib-common/schannel.def index 4be72f0e73..975b75d7dc 100644 --- a/lib/libc/mingw/lib-common/schannel.def +++ b/lib/libc/mingw/lib-common/schannel.def @@ -26,7 +26,6 @@ QuerySecurityPackageInfoA QuerySecurityPackageInfoW RevertSecurityContext SealMessage -SpLsaModeInitialize SpUserModeInitialize SslCrackCertificate SslEmptyCacheA diff --git a/lib/libc/mingw/lib-common/scrobj.def b/lib/libc/mingw/lib-common/scrobj.def new file mode 100644 index 0000000000..ba034b59e5 --- /dev/null +++ b/lib/libc/mingw/lib-common/scrobj.def @@ -0,0 +1,19 @@ +; +; Exports of file SCROBJ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCROBJ.dll +EXPORTS +GenerateTypeLib +GenerateTypeLibW +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllRegisterServerEx +DllRegisterServerExA +DllRegisterServerExW +DllUnregisterServer +DllUnregisterServerEx diff --git a/lib/libc/mingw/lib-common/scrrun.def b/lib/libc/mingw/lib-common/scrrun.def new file mode 100644 index 0000000000..b08895139b --- /dev/null +++ b/lib/libc/mingw/lib-common/scrrun.def @@ -0,0 +1,14 @@ +; +; Exports of file ScrRun.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ScrRun.dll +EXPORTS +DLLGetDocumentation +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +DoOpenPipeStream diff --git a/lib/libc/mingw/lib-common/sdhcinst.def b/lib/libc/mingw/lib-common/sdhcinst.def new file mode 100644 index 0000000000..c0210d12e5 --- /dev/null +++ b/lib/libc/mingw/lib-common/sdhcinst.def @@ -0,0 +1,10 @@ +; +; Exports of file sdhcinst.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sdhcinst.dll +EXPORTS +SdClassCoInstaller +SdClassInstall diff --git a/lib/libc/mingw/lib-common/seclogon.def b/lib/libc/mingw/lib-common/seclogon.def new file mode 100644 index 0000000000..42d45350e1 --- /dev/null +++ b/lib/libc/mingw/lib-common/seclogon.def @@ -0,0 +1,12 @@ +; +; Exports of file seclogon.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY seclogon.dll +EXPORTS +DllRegisterServer +DllUnregisterServer +SvcEntry_Seclogon +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/security.def b/lib/libc/mingw/lib-common/security.def new file mode 100644 index 0000000000..7fa29e2d68 --- /dev/null +++ b/lib/libc/mingw/lib-common/security.def @@ -0,0 +1,44 @@ +; +; Exports of file Security.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY Security.dll +EXPORTS +AcceptSecurityContext +AcquireCredentialsHandleA +AcquireCredentialsHandleW +AddSecurityPackageA +AddSecurityPackageW +ApplyControlToken +CompleteAuthToken +DecryptMessage +DeleteSecurityContext +DeleteSecurityPackageA +DeleteSecurityPackageW +EncryptMessage +EnumerateSecurityPackagesA +EnumerateSecurityPackagesW +ExportSecurityContext +FreeContextBuffer +FreeCredentialsHandle +ImpersonateSecurityContext +ImportSecurityContextA +ImportSecurityContextW +InitSecurityInterfaceA +InitSecurityInterfaceW +InitializeSecurityContextA +InitializeSecurityContextW +MakeSignature +QueryContextAttributesA +QueryContextAttributesW +QueryCredentialsAttributesA +QueryCredentialsAttributesW +QuerySecurityContextToken +QuerySecurityPackageInfoA +QuerySecurityPackageInfoW +RevertSecurityContext +SealMessage +UnsealMessage +VerifySignature diff --git a/lib/libc/mingw/lib-common/sens.def b/lib/libc/mingw/lib-common/sens.def new file mode 100644 index 0000000000..123206f410 --- /dev/null +++ b/lib/libc/mingw/lib-common/sens.def @@ -0,0 +1,12 @@ +; +; Definition file of Sens.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Sens.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals +SensNotifyNetconEvent +SensNotifyRasEvent +SensNotifyWinlogonEvent diff --git a/lib/libc/mingw/lib-common/serialui.def b/lib/libc/mingw/lib-common/serialui.def new file mode 100644 index 0000000000..6eb77fcf16 --- /dev/null +++ b/lib/libc/mingw/lib-common/serialui.def @@ -0,0 +1,14 @@ +; +; Exports of file SERIALUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SERIALUI.dll +EXPORTS +drvCommConfigDialogW +drvCommConfigDialogA +drvSetDefaultCommConfigW +drvSetDefaultCommConfigA +drvGetDefaultCommConfigW +drvGetDefaultCommConfigA diff --git a/lib/libc/mingw/lib-common/serwvdrv.def b/lib/libc/mingw/lib-common/serwvdrv.def new file mode 100644 index 0000000000..b8c791061d --- /dev/null +++ b/lib/libc/mingw/lib-common/serwvdrv.def @@ -0,0 +1,11 @@ +; +; Exports of file SERWVDRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SERWVDRV.dll +EXPORTS +DriverProc +widMessage +wodMessage diff --git a/lib/libc/mingw/lib-common/shell32.def b/lib/libc/mingw/lib-common/shell32.def index 28c3ef7fb0..b00b849137 100644 --- a/lib/libc/mingw/lib-common/shell32.def +++ b/lib/libc/mingw/lib-common/shell32.def @@ -121,7 +121,6 @@ AppCompat_RunDLLW SHCreateShellFolderView AssocCreateForClasses AssocGetDetailsOfPropKey -CheckEscapesW CommandLineToArgvW Control_RunDLL Control_RunDLLA diff --git a/lib/libc/mingw/lib-common/shfolder.def b/lib/libc/mingw/lib-common/shfolder.def new file mode 100644 index 0000000000..e8ef7beb1b --- /dev/null +++ b/lib/libc/mingw/lib-common/shfolder.def @@ -0,0 +1,10 @@ +; +; Exports of file SHFOLDER.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SHFOLDER.dll +EXPORTS +SHGetFolderPathA +SHGetFolderPathW diff --git a/lib/libc/mingw/lib-common/shimgvw.def b/lib/libc/mingw/lib-common/shimgvw.def new file mode 100644 index 0000000000..3a99995330 --- /dev/null +++ b/lib/libc/mingw/lib-common/shimgvw.def @@ -0,0 +1,22 @@ +; +; Exports of file shimgvw.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY shimgvw.DLL +EXPORTS +ImageView_COMServer +ImageView_Fullscreen +ImageView_FullscreenA +ImageView_FullscreenW +ImageView_PrintTo +ImageView_PrintToA +ImageView_PrintToW +imageview_fullscreenW +ConvertDIBSECTIONToThumbnail +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/shsvcs.def b/lib/libc/mingw/lib-common/shsvcs.def new file mode 100644 index 0000000000..a1b7c9c7f3 --- /dev/null +++ b/lib/libc/mingw/lib-common/shsvcs.def @@ -0,0 +1,16 @@ +; +; Exports of file SHSVCS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SHSVCS.dll +EXPORTS +DllInstall +DllRegisterServer +DllUnregisterServer +HardwareDetectionServiceMain +ThemeServiceMain +CreateHardwareEventMoniker +DllCanUnloadNow +DllGetClassObject diff --git a/lib/libc/mingw/lib-common/sisbkup.def b/lib/libc/mingw/lib-common/sisbkup.def new file mode 100644 index 0000000000..508e699499 --- /dev/null +++ b/lib/libc/mingw/lib-common/sisbkup.def @@ -0,0 +1,16 @@ +; +; Exports of file sisbkup.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sisbkup.dll +EXPORTS +SisCSFilesToBackupForLink +SisCreateBackupStructure +SisCreateRestoreStructure +SisFreeAllocatedMemory +SisFreeBackupStructure +SisFreeRestoreStructure +SisRestoredCommonStoreFile +SisRestoredLink diff --git a/lib/libc/mingw/lib-common/softpub.def b/lib/libc/mingw/lib-common/softpub.def new file mode 100644 index 0000000000..6d2263791c --- /dev/null +++ b/lib/libc/mingw/lib-common/softpub.def @@ -0,0 +1,32 @@ +; +; Exports of file SOFTPUB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SOFTPUB.dll +EXPORTS +GenericChainCertificateTrust +GenericChainFinalProv +HTTPSCertificateTrust +SoftpubDefCertInit +SoftpubFreeDefUsageCallData +SoftpubLoadDefUsageCallData +AddPersonalTrustDBPages +DllRegisterServer +DllUnregisterServer +DriverCleanupPolicy +DriverFinalPolicy +DriverInitializePolicy +FindCertsByIssuer +HTTPSFinalProv +OfficeCleanupPolicy +OfficeInitializePolicy +OpenPersonalTrustDBDialog +SoftpubAuthenticode +SoftpubCheckCert +SoftpubCleanup +SoftpubDumpStructure +SoftpubInitialize +SoftpubLoadMessage +SoftpubLoadSignature diff --git a/lib/libc/mingw/lib-common/sqlsrv32.def b/lib/libc/mingw/lib-common/sqlsrv32.def new file mode 100644 index 0000000000..cf153cbe7f --- /dev/null +++ b/lib/libc/mingw/lib-common/sqlsrv32.def @@ -0,0 +1,98 @@ +; +; Exports of file SQLSRV32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SQLSRV32.dll +EXPORTS +SQLBindCol +SQLCancel +SQLColAttributeW +SQLConnectW +SQLDescribeColW +SQLDisconnect +SQLExecDirectW +SQLExecute +SQLFetch +SQLFreeStmt +SQLGetCursorNameW +SQLNumResultCols +SQLPrepareW +SQLRowCount +SQLSetCursorNameW +SQLBulkOperations +SQLColumnsW +SQLDriverConnectW +SQLGetConnectOptionW +SQLGetData +SQLGetFunctions +SQLGetInfoW +SQLGetTypeInfoW +SQLParamData +SQLPutData +SQLSetConnectOptionW +SQLSpecialColumnsW +SQLStatisticsW +SQLTablesW +SQLBrowseConnectW +SQLColumnPrivilegesW +SQLDescribeParam +SQLExtendedFetch +SQLForeignKeysW +SQLMoreResults +SQLNativeSqlW +SQLNumParams +SQLParamOptions +SQLPrimaryKeysW +SQLProcedureColumnsW +SQLProceduresW +SQLSetPos +SQLSetScrollOptions +SQLTablePrivilegesW +SQLBindParameter +SQLAllocHandle +SQLCloseCursor +SQLCopyDesc +SQLEndTran +SQLFreeHandle +SQLGetConnectAttrW +SQLGetDescFieldW +SQLGetDescRecW +SQLGetDiagFieldW +SQLGetDiagRecW +SQLGetEnvAttr +SQLGetStmtAttrW +SQLSetConnectAttrW +SQLSetDescFieldW +SQLSetDescRec +SQLSetEnvAttr +SQLSetStmtAttrW +SQLFetchScroll +LibMain +ConfigDSNW +ConfigDriverW +SQLDebug +BCP_batch +BCP_bind +BCP_colfmt +BCP_collen +BCP_colptr +BCP_columns +BCP_control +BCP_done +BCP_init +BCP_exec +BCP_moretext +BCP_sendrow +BCP_readfmt +BCP_writefmt +ConnectDlgProc +WizDSNDlgProc +WizIntSecurityDlgProc +WizDatabaseDlgProc +WizLanguageDlgProc +FinishDlgProc +TestDlgProc +BCP_getcolfmt +BCP_setcolfmt diff --git a/lib/libc/mingw/lib-common/srvsvc.def b/lib/libc/mingw/lib-common/srvsvc.def new file mode 100644 index 0000000000..a5343f619f --- /dev/null +++ b/lib/libc/mingw/lib-common/srvsvc.def @@ -0,0 +1,10 @@ +; +; Exports of file srvsvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY srvsvc.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/streamci.def b/lib/libc/mingw/lib-common/streamci.def new file mode 100644 index 0000000000..8cbfc9c39b --- /dev/null +++ b/lib/libc/mingw/lib-common/streamci.def @@ -0,0 +1,16 @@ +; +; Exports of file streamci.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY streamci.dll +EXPORTS +StreamingDeviceClassInstaller +StreamingDeviceRemove +StreamingDeviceRemoveA +StreamingDeviceRemoveW +StreamingDeviceSetup +StreamingDeviceSetupA +StreamingDeviceSetupW +SwEnumCoInstaller diff --git a/lib/libc/mingw/lib-common/sxs.def b/lib/libc/mingw/lib-common/sxs.def new file mode 100644 index 0000000000..6c97968e05 --- /dev/null +++ b/lib/libc/mingw/lib-common/sxs.def @@ -0,0 +1,38 @@ +; +; Exports of file sxs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sxs.dll +EXPORTS +SxsFindClrClassInformation +SxsFindClrSurrogateInformation +SxsLookupClrGuid +SxsRunDllInstallAssembly +SxsRunDllInstallAssemblyW +SxspGenerateManifestPathOnAssemblyIdentity +SxspGeneratePolicyPathOnAssemblyIdentity +SxspRunDllDeleteDirectory +SxspRunDllDeleteDirectoryW +CreateAssemblyCache +CreateAssemblyNameObject +DllInstall +SxsBeginAssemblyInstall +SxsEndAssemblyInstall +SxsGenerateActivationContext +SxsInstallW +SxsOleAut32MapConfiguredClsidToReferenceClsid +SxsOleAut32MapIIDOrCLSIDToTypeLibrary +SxsOleAut32MapIIDToProxyStubCLSID +SxsOleAut32MapIIDToTLBPath +SxsOleAut32MapReferenceClsidToConfiguredClsid +SxsOleAut32RedirectTypeLibrary +SxsProbeAssemblyInstallation +SxsProtectionGatherEntriesW +SxsProtectionNotifyW +SxsProtectionPerformScanNow +SxsProtectionUserLogoffEvent +SxsProtectionUserLogonEvent +SxsQueryManifestInformation +SxsUninstallW diff --git a/lib/libc/mingw/lib-common/tapiperf.def b/lib/libc/mingw/lib-common/tapiperf.def new file mode 100644 index 0000000000..8bd1785ef8 --- /dev/null +++ b/lib/libc/mingw/lib-common/tapiperf.def @@ -0,0 +1,11 @@ +; +; Exports of file TAPIPERF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY TAPIPERF.dll +EXPORTS +CloseTapiPerformanceData +CollectTapiPerformanceData +OpenTapiPerformanceData diff --git a/lib/libc/mingw/lib-common/tsbyuv.def b/lib/libc/mingw/lib-common/tsbyuv.def new file mode 100644 index 0000000000..4d1b18715c --- /dev/null +++ b/lib/libc/mingw/lib-common/tsbyuv.def @@ -0,0 +1,9 @@ +; +; Exports of file TSBYUV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY TSBYUV.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib-common/ucrtbase.def.in b/lib/libc/mingw/lib-common/ucrtbase.def.in new file mode 100644 index 0000000000..000861ee38 --- /dev/null +++ b/lib/libc/mingw/lib-common/ucrtbase.def.in @@ -0,0 +1,2662 @@ +LIBRARY "ucrtbase.dll" +EXPORTS + +#include "func.def.in" +#define UCRTBASE +#include "msvcrt-common.def.in" + +#ifdef DEF_I386 +_CIacos +_CIasin +_CIatan +_CIatan2 +_CIcos +_CIcosh +_CIexp +_CIfmod +_CIlog +_CIlog10 +_CIpow +_CIsin +_CIsinh +_CIsqrt +_CItan +_CItanh +#endif +_Cbuild +_Cmulcc +_Cmulcr +_CreateFrameInfo +F_I386(_CxxThrowException@8) +F_NON_I386(_CxxThrowException) +F_I386(_EH_prolog) +_Exit +_FCbuild +_FCmulcc +_FCmulcr +_FindAndUnlinkFrame +_GetImageBase +_GetThrowImageBase +_Getdays +_Getmonths +_Gettnames +_IsExceptionObjectToBeDestroyed +_LCbuild +_LCmulcc +_LCmulcr +_SetImageBase +_SetThrowImageBase +_NLG_Dispatch2 +_NLG_Return +_NLG_Return2 +_SetWinRTOutOfMemoryExceptionCallback +_Strftime +_W_Getdays +_W_Getmonths +_W_Gettnames +_Wcsftime +__AdjustPointer +__BuildCatchObject +__BuildCatchObjectHelper +F_NON_I386(__C_specific_handler) +__CxxDetectRethrow +__CxxExceptionFilter +__CxxFrameHandler +__CxxFrameHandler2 +__CxxFrameHandler3 +F_I386(__CxxLongjmpUnwind@4) +__CxxQueryExceptionSize +__CxxRegisterExceptionObject +__CxxUnregisterExceptionObject +__DestructExceptionObject +__FrameUnwindFilter +__GetPlatformExceptionInfo +__NLG_Dispatch2 +__NLG_Return2 +__RTCastToVoid +__RTDynamicCast +__RTtypeid +__TypeMatch +___lc_codepage_func +___lc_collate_cp_func +___lc_locale_name_func +___mb_cur_max_func +___mb_cur_max_l_func +__acrt_iob_func +__conio_common_vcprintf +__conio_common_vcprintf_p +__conio_common_vcprintf_s +__conio_common_vcscanf +__conio_common_vcwprintf +__conio_common_vcwprintf_p +__conio_common_vcwprintf_s +__conio_common_vcwscanf +F_I386(__control87_2) +__current_exception +__current_exception_context +__daylight +__dcrt_get_wide_environment_from_os +__dcrt_initial_narrow_environment +__doserrno +__dstbias +__fpe_flt_rounds +__fpecode +__initialize_lconv_for_unsigned_char +__lconv_init == __initialize_lconv_for_unsigned_char +__intrinsic_abnormal_termination +__intrinsic_setjmp +F64(__intrinsic_setjmpex) +__isascii +__iscsym +__iscsymf +__iswcsym +__iswcsymf +#ifdef DEF_I386 +__libm_sse2_acos +__libm_sse2_acosf +__libm_sse2_asin +__libm_sse2_asinf +__libm_sse2_atan +__libm_sse2_atan2 +__libm_sse2_atanf +__libm_sse2_cos +__libm_sse2_cosf +__libm_sse2_exp +__libm_sse2_expf +__libm_sse2_log +__libm_sse2_log10 +__libm_sse2_log10f +__libm_sse2_logf +__libm_sse2_pow +__libm_sse2_powf +__libm_sse2_sin +__libm_sse2_sinf +__libm_sse2_tan +__libm_sse2_tanf +#endif +__p___argc +__p___argv +__p___wargv +__p__acmdln +__p__commode +__p__environ +__p__fmode +__p__mbcasemap +__p__mbctype +__p__pgmptr +__p__wcmdln +__p__wenviron +__p__wpgmptr +__pctype_func +__processing_throw +__pwctype_func +__pxcptinfoptrs +__report_gsfailure +__setusermatherr +__std_exception_copy +__std_exception_destroy +__std_type_info_compare +__std_type_info_destroy_list +__std_type_info_hash +__std_type_info_name +__stdio_common_vfprintf +__stdio_common_vfprintf_p +__stdio_common_vfprintf_s +__stdio_common_vfscanf +__stdio_common_vfwprintf +__stdio_common_vfwprintf_p +__stdio_common_vfwprintf_s +__stdio_common_vfwscanf +__stdio_common_vsnprintf_s +__stdio_common_vsnwprintf_s +__stdio_common_vsprintf +__stdio_common_vsprintf_p +__stdio_common_vsprintf_s +__stdio_common_vsscanf +__stdio_common_vswprintf +__stdio_common_vswprintf_p +__stdio_common_vswprintf_s +__stdio_common_vswscanf +__strncnt +__sys_errlist +__sys_nerr +__threadhandle +__threadid +__timezone +__toascii +__tzname +__unDName +__unDNameEx +__uncaught_exception +__wcserror +__wcserror_s +__wcsncnt +_abs64 +_access +_access_s +_aligned_free +_aligned_malloc +_aligned_msize +_aligned_offset_malloc +_aligned_offset_realloc +_aligned_offset_recalloc +_aligned_realloc +_aligned_recalloc +; DATA set manually +_assert +_atodbl +_atodbl_l +_atof_l +_atoflt +_atoflt_l +_atoi64 +_atoi64_l +_atoi_l +_atol_l +_atoldbl +_atoldbl_l +_atoll_l +_beep +_beginthread +_beginthreadex +_byteswap_uint64 +_byteswap_ulong +_byteswap_ushort +_c_exit +; DATA set manually +_cabs DATA +_callnewh +_calloc_base +_cexit +_cgets +_cgets_s +_cgetws +_cgetws_s +_chdir +_chdrive +_chgsign +_chgsignf +F_I386(_chkesp) +_chmod +_chsize +_chsize_s +_clearfp +_close +_commit +_configthreadlocale +_configure_narrow_argv +_configure_wide_argv +_control87 +_controlfp +_controlfp_s +_copysign +_copysignf +_cputs +_cputws +_creat +_create_locale +_crt_at_quick_exit +_crt_atexit +_crt_debugger_hook +_ctime32 +_ctime32_s +_ctime64 +_ctime64_s +_cwait +_d_int +_dclass +_dexp +_difftime32 +_difftime64 +_dlog +_dnorm +_dpcomp +_dpoly +_dscale +_dsign +_dsin +_dtest +_dunscale +_dup +_dup2 +_dupenv_s +_ecvt +_ecvt_s +_endthread +_endthreadex +_eof +_errno +_except1 +F_I386(_except_handler2) +F_I386(_except_handler3) +F_I386(_except_handler4_common) +_execl +_execle +_execlp +_execlpe +_execute_onexit_table +_execv +_execve +_execvp +_execvpe +_exit +_expand +_fclose_nolock +_fcloseall +_fcvt +_fcvt_s +_fd_int +_fdclass +_fdexp +_fdlog +_fdnorm +_fdopen +_fdpcomp +_fdpoly +_fdscale +_fdsign +_fdsin +_fdtest +_fdunscale +_fflush_nolock +_fgetc_nolock +_fgetchar +_fgetwc_nolock +_fgetwchar +_filelength +_filelengthi64 +_fileno +_findclose +_findfirst == _findfirst64 +_findfirst32 +_findfirst32i64 +_findfirst64 +_findfirst64i32 +_findnext == _findnext64 +_findnext32 +_findnext32i64 +_findnext64 +_findnext64i32 +_finite +F_NON_I386(_finitef) +_flushall +_fpclass +_fpclassf +F_NON_I386(_fpieee_flt) +; DATA added manually +_fpreset DATA +_fputc_nolock +_fputchar +_fputwc_nolock +_fputwchar +_fread_nolock +_fread_nolock_s +_free_base +_free_locale +_fseek_nolock +_fseeki64 +_fseeki64_nolock +_fsopen +_fstat32 +_fstat32i64 +_fstat64 +_fstat64i32 +_ftell_nolock +_ftelli64 +_ftelli64_nolock +_ftime == _ftime64 +_ftime32 +_ftime32_s +_ftime64 +_ftime64_s +F_I386(_ftol) +_fullpath +_futime == _futime64 +_futime32 +_futime64 +_fwrite_nolock +_gcvt +_gcvt_s +_get_FMA3_enable +_get_current_locale +_get_daylight +_get_doserrno +_get_dstbias +_get_errno +_get_fmode +_get_heap_handle +_get_initial_narrow_environment +_get_initial_wide_environment +_get_invalid_parameter_handler +_get_narrow_winmain_command_line +_get_osfhandle +_get_pgmptr +_get_printf_count_output +_get_purecall_handler +_get_stream_buffer_pointers +_get_terminate +_get_thread_local_invalid_parameter_handler +_get_timezone +_get_tzname +_get_unexpected +_get_wide_winmain_command_line +_get_wpgmptr +_getc_nolock +_getch +_getch_nolock +_getche +_getche_nolock +_getcwd +_getdcwd +_getdiskfree +_getdllprocaddr +_getdrive +_getdrives +_getmaxstdio +_getmbcp +_getpid +_getsystime +_getw +_getwc_nolock +_getwch +_getwch_nolock +_getwche +_getwche_nolock +_getws +_getws_s +F_I386(_global_unwind2) +_gmtime32 +_gmtime32_s +_gmtime64 +_gmtime64_s +_heapchk +_heapmin +_heapwalk +_hypot +_hypotf +_i64toa +_i64toa_s +_i64tow +_i64tow_s +_initialize_narrow_environment +_initialize_onexit_table +_initialize_wide_environment +_initterm +_initterm_e +_invalid_parameter_noinfo +_invalid_parameter_noinfo_noreturn +_invoke_watson +_is_exception_typeof +_isalnum_l +_isalpha_l +_isatty +_isblank_l +_iscntrl_l +_isctype +_isctype_l +_isdigit_l +_isgraph_l +_isleadbyte_l +_islower_l +_ismbbalnum +_ismbbalnum_l +_ismbbalpha +_ismbbalpha_l +_ismbbblank +_ismbbblank_l +_ismbbgraph +_ismbbgraph_l +_ismbbkalnum +_ismbbkalnum_l +_ismbbkana +_ismbbkana_l +_ismbbkprint +_ismbbkprint_l +_ismbbkpunct +_ismbbkpunct_l +_ismbblead +_ismbblead_l +_ismbbprint +_ismbbprint_l +_ismbbpunct +_ismbbpunct_l +_ismbbtrail +_ismbbtrail_l +_ismbcalnum +_ismbcalnum_l +_ismbcalpha +_ismbcalpha_l +_ismbcblank +_ismbcblank_l +_ismbcdigit +_ismbcdigit_l +_ismbcgraph +_ismbcgraph_l +_ismbchira +_ismbchira_l +_ismbckata +_ismbckata_l +_ismbcl0 +_ismbcl0_l +_ismbcl1 +_ismbcl1_l +_ismbcl2 +_ismbcl2_l +_ismbclegal +_ismbclegal_l +_ismbclower +_ismbclower_l +_ismbcprint +_ismbcprint_l +_ismbcpunct +_ismbcpunct_l +_ismbcspace +_ismbcspace_l +_ismbcsymbol +_ismbcsymbol_l +_ismbcupper +_ismbcupper_l +_ismbslead +_ismbslead_l +_ismbstrail +_ismbstrail_l +_isnan +F_X64(_isnanf) +_isprint_l +_ispunct_l +_isspace_l +_isupper_l +_iswalnum_l +_iswalpha_l +_iswblank_l +_iswcntrl_l +_iswcsym_l +_iswcsymf_l +_iswctype_l +_iswdigit_l +_iswgraph_l +_iswlower_l +_iswprint_l +_iswpunct_l +_iswspace_l +_iswupper_l +_iswxdigit_l +_isxdigit_l +_itoa +_itoa_s +_itow +_itow_s +_j0 +_j1 +_jn +_kbhit +_ld_int +_ldclass +_ldexp +_ldlog +_ldpcomp +_ldpoly +_ldscale +_ldsign +_ldsin +_ldtest +_ldunscale +_lfind +_lfind_s +#ifdef DEF_I386 +_libm_sse2_acos_precise +_libm_sse2_asin_precise +_libm_sse2_atan_precise +_libm_sse2_cos_precise +_libm_sse2_exp_precise +_libm_sse2_log10_precise +_libm_sse2_log_precise +_libm_sse2_pow_precise +_libm_sse2_sin_precise +_libm_sse2_sqrt_precise +_libm_sse2_tan_precise +#endif +_loaddll +F_X64(_local_unwind) +F_I386(_local_unwind2) +F_I386(_local_unwind4) +_localtime32 +_localtime32_s +_localtime64 +_localtime64_s +_lock_file +_lock_locales +_locking +_logb +F_NON_I386(_logbf) +F_I386(_longjmpex) +_lrotl +_lrotr +_lsearch +_lsearch_s +_lseek +_lseeki64 +_ltoa +_ltoa_s +_ltow +_ltow_s +_makepath +_makepath_s +_malloc_base +_mbbtombc +_mbbtombc_l +_mbbtype +_mbbtype_l +; DATA added manually +_mbcasemap DATA +_mbccpy +_mbccpy_l +_mbccpy_s +_mbccpy_s_l +_mbcjistojms +_mbcjistojms_l +_mbcjmstojis +_mbcjmstojis_l +_mbclen +_mbclen_l +_mbctohira +_mbctohira_l +_mbctokata +_mbctokata_l +_mbctolower +_mbctolower_l +_mbctombb +_mbctombb_l +_mbctoupper +_mbctoupper_l +_mblen_l +_mbsbtype +_mbsbtype_l +_mbscat_s +_mbscat_s_l +_mbschr +_mbschr_l +_mbscmp +_mbscmp_l +_mbscoll +_mbscoll_l +_mbscpy_s +_mbscpy_s_l +_mbscspn +_mbscspn_l +_mbsdec +_mbsdec_l +_mbsdup +_mbsicmp +_mbsicmp_l +_mbsicoll +_mbsicoll_l +_mbsinc +_mbsinc_l +_mbslen +_mbslen_l +_mbslwr +_mbslwr_l +_mbslwr_s +_mbslwr_s_l +_mbsnbcat +_mbsnbcat_l +_mbsnbcat_s +_mbsnbcat_s_l +_mbsnbcmp +_mbsnbcmp_l +_mbsnbcnt +_mbsnbcnt_l +_mbsnbcoll +_mbsnbcoll_l +_mbsnbcpy +_mbsnbcpy_l +_mbsnbcpy_s +_mbsnbcpy_s_l +_mbsnbicmp +_mbsnbicmp_l +_mbsnbicoll +_mbsnbicoll_l +_mbsnbset +_mbsnbset_l +_mbsnbset_s +_mbsnbset_s_l +_mbsncat +_mbsncat_l +_mbsncat_s +_mbsncat_s_l +_mbsnccnt +_mbsnccnt_l +_mbsncmp +_mbsncmp_l +_mbsncoll +_mbsncoll_l +_mbsncpy +_mbsncpy_l +_mbsncpy_s +_mbsncpy_s_l +_mbsnextc +_mbsnextc_l +_mbsnicmp +_mbsnicmp_l +_mbsnicoll +_mbsnicoll_l +_mbsninc +_mbsninc_l +_mbsnlen +_mbsnlen_l +_mbsnset +_mbsnset_l +_mbsnset_s +_mbsnset_s_l +_mbspbrk +_mbspbrk_l +_mbsrchr +_mbsrchr_l +_mbsrev +_mbsrev_l +_mbsset +_mbsset_l +_mbsset_s +_mbsset_s_l +_mbsspn +_mbsspn_l +_mbsspnp +_mbsspnp_l +_mbsstr +_mbsstr_l +_mbstok +_mbstok_l +_mbstok_s +_mbstok_s_l +_mbstowcs_l +_mbstowcs_s_l +_mbstrlen +_mbstrlen_l +_mbstrnlen +_mbstrnlen_l +_mbsupr +_mbsupr_l +_mbsupr_s +_mbsupr_s_l +_mbtowc_l +_memccpy +_memicmp +_memicmp_l +_mkdir +_mkgmtime32 +_mkgmtime64 +_mktemp +_mktemp_s +_mktime32 +_mktime64 +_msize +_nextafter +F_X64(_nextafterf) +_o__CIacos +_o__CIasin +_o__CIatan +_o__CIatan2 +_o__CIcos +_o__CIcosh +_o__CIexp +_o__CIfmod +_o__CIlog +_o__CIlog10 +_o__CIpow +_o__CIsin +_o__CIsinh +_o__CIsqrt +_o__CItan +_o__CItanh +_o__Getdays +_o__Getmonths +_o__Gettnames +_o__Strftime +_o__W_Getdays +_o__W_Getmonths +_o__W_Gettnames +_o__Wcsftime +_o____lc_codepage_func +_o____lc_collate_cp_func +_o____lc_locale_name_func +_o____mb_cur_max_func +_o___acrt_iob_func +_o___conio_common_vcprintf +_o___conio_common_vcprintf_p +_o___conio_common_vcprintf_s +_o___conio_common_vcscanf +_o___conio_common_vcwprintf +_o___conio_common_vcwprintf_p +_o___conio_common_vcwprintf_s +_o___conio_common_vcwscanf +_o___daylight +_o___dstbias +_o___fpe_flt_rounds +_o___libm_sse2_acos +_o___libm_sse2_acosf +_o___libm_sse2_asin +_o___libm_sse2_asinf +_o___libm_sse2_atan +_o___libm_sse2_atan2 +_o___libm_sse2_atanf +_o___libm_sse2_cos +_o___libm_sse2_cosf +_o___libm_sse2_exp +_o___libm_sse2_expf +_o___libm_sse2_log +_o___libm_sse2_log10 +_o___libm_sse2_log10f +_o___libm_sse2_logf +_o___libm_sse2_pow +_o___libm_sse2_powf +_o___libm_sse2_sin +_o___libm_sse2_sinf +_o___libm_sse2_tan +_o___libm_sse2_tanf +_o___p___argc +_o___p___argv +_o___p___wargv +_o___p__acmdln +_o___p__commode +_o___p__environ +_o___p__fmode +_o___p__mbcasemap +_o___p__mbctype +_o___p__pgmptr +_o___p__wcmdln +_o___p__wenviron +_o___p__wpgmptr +_o___pctype_func +_o___pwctype_func +_o___std_exception_copy +_o___std_exception_destroy +_o___std_type_info_destroy_list +_o___std_type_info_name +_o___stdio_common_vfprintf +_o___stdio_common_vfprintf_p +_o___stdio_common_vfprintf_s +_o___stdio_common_vfscanf +_o___stdio_common_vfwprintf +_o___stdio_common_vfwprintf_p +_o___stdio_common_vfwprintf_s +_o___stdio_common_vfwscanf +_o___stdio_common_vsnprintf_s +_o___stdio_common_vsnwprintf_s +_o___stdio_common_vsprintf +_o___stdio_common_vsprintf_p +_o___stdio_common_vsprintf_s +_o___stdio_common_vsscanf +_o___stdio_common_vswprintf +_o___stdio_common_vswprintf_p +_o___stdio_common_vswprintf_s +_o___stdio_common_vswscanf +_o___timezone +_o___tzname +_o___wcserror +_o__access +_o__access_s +_o__aligned_free +_o__aligned_malloc +_o__aligned_msize +_o__aligned_offset_malloc +_o__aligned_offset_realloc +_o__aligned_offset_recalloc +_o__aligned_realloc +_o__aligned_recalloc +_o__atodbl +_o__atodbl_l +_o__atof_l +_o__atoflt +_o__atoflt_l +_o__atoi64 +_o__atoi64_l +_o__atoi_l +_o__atol_l +_o__atoldbl +_o__atoldbl_l +_o__atoll_l +_o__beep +_o__beginthread +_o__beginthreadex +_o__cabs +_o__callnewh +_o__calloc_base +_o__cexit +_o__cgets +_o__cgets_s +_o__cgetws +_o__cgetws_s +_o__chdir +_o__chdrive +_o__chmod +_o__chsize +_o__chsize_s +_o__close +_o__commit +_o__configthreadlocale +_o__configure_narrow_argv +_o__configure_wide_argv +_o__controlfp_s +_o__cputs +_o__cputws +_o__creat +_o__create_locale +_o__crt_atexit +_o__ctime32_s +_o__ctime64_s +_o__cwait +_o__d_int +_o__dclass +_o__difftime32 +_o__difftime64 +_o__dlog +_o__dnorm +_o__dpcomp +_o__dpoly +_o__dscale +_o__dsign +_o__dsin +_o__dtest +_o__dunscale +_o__dup +_o__dup2 +_o__dupenv_s +_o__ecvt +_o__ecvt_s +_o__endthread +_o__endthreadex +_o__eof +_o__errno +_o__except1 +_o__execute_onexit_table +_o__execv +_o__execve +_o__execvp +_o__execvpe +_o__exit +_o__expand +_o__fclose_nolock +_o__fcloseall +_o__fcvt +_o__fcvt_s +_o__fd_int +_o__fdclass +_o__fdexp +_o__fdlog +_o__fdopen +_o__fdpcomp +_o__fdpoly +_o__fdscale +_o__fdsign +_o__fdsin +_o__fflush_nolock +_o__fgetc_nolock +_o__fgetchar +_o__fgetwc_nolock +_o__fgetwchar +_o__filelength +_o__filelengthi64 +_o__fileno +_o__findclose +_o__findfirst32 +_o__findfirst32i64 +_o__findfirst64 +_o__findfirst64i32 +_o__findnext32 +_o__findnext32i64 +_o__findnext64 +_o__findnext64i32 +_o__flushall +_o__fpclass +_o__fpclassf +_o__fputc_nolock +_o__fputchar +_o__fputwc_nolock +_o__fputwchar +_o__fread_nolock +_o__fread_nolock_s +_o__free_base +_o__free_locale +_o__fseek_nolock +_o__fseeki64 +_o__fseeki64_nolock +_o__fsopen +_o__fstat32 +_o__fstat32i64 +_o__fstat64 +_o__fstat64i32 +_o__ftell_nolock +_o__ftelli64 +_o__ftelli64_nolock +_o__ftime32 +_o__ftime32_s +_o__ftime64 +_o__ftime64_s +_o__fullpath +_o__futime32 +_o__futime64 +_o__fwrite_nolock +_o__gcvt +_o__gcvt_s +_o__get_daylight +_o__get_doserrno +_o__get_dstbias +_o__get_errno +_o__get_fmode +_o__get_heap_handle +_o__get_initial_narrow_environment +_o__get_initial_wide_environment +_o__get_invalid_parameter_handler +_o__get_narrow_winmain_command_line +_o__get_osfhandle +_o__get_pgmptr +_o__get_stream_buffer_pointers +_o__get_terminate +_o__get_thread_local_invalid_parameter_handler +_o__get_timezone +_o__get_tzname +_o__get_wide_winmain_command_line +_o__get_wpgmptr +_o__getc_nolock +_o__getch +_o__getch_nolock +_o__getche +_o__getche_nolock +_o__getcwd +_o__getdcwd +_o__getdiskfree +_o__getdllprocaddr +_o__getdrive +_o__getdrives +_o__getmbcp +_o__getsystime +_o__getw +_o__getwc_nolock +_o__getwch +_o__getwch_nolock +_o__getwche +_o__getwche_nolock +_o__getws +_o__getws_s +_o__gmtime32 +_o__gmtime32_s +_o__gmtime64 +_o__gmtime64_s +_o__heapchk +_o__heapmin +_o__hypot +_o__hypotf +_o__i64toa +_o__i64toa_s +_o__i64tow +_o__i64tow_s +_o__initialize_narrow_environment +_o__initialize_onexit_table +_o__initialize_wide_environment +_o__invalid_parameter_noinfo +_o__invalid_parameter_noinfo_noreturn +_o__isatty +_o__isctype +_o__isctype_l +_o__isleadbyte_l +_o__ismbbalnum +_o__ismbbalnum_l +_o__ismbbalpha +_o__ismbbalpha_l +_o__ismbbblank +_o__ismbbblank_l +_o__ismbbgraph +_o__ismbbgraph_l +_o__ismbbkalnum +_o__ismbbkalnum_l +_o__ismbbkana +_o__ismbbkana_l +_o__ismbbkprint +_o__ismbbkprint_l +_o__ismbbkpunct +_o__ismbbkpunct_l +_o__ismbblead +_o__ismbblead_l +_o__ismbbprint +_o__ismbbprint_l +_o__ismbbpunct +_o__ismbbpunct_l +_o__ismbbtrail +_o__ismbbtrail_l +_o__ismbcalnum +_o__ismbcalnum_l +_o__ismbcalpha +_o__ismbcalpha_l +_o__ismbcblank +_o__ismbcblank_l +_o__ismbcdigit +_o__ismbcdigit_l +_o__ismbcgraph +_o__ismbcgraph_l +_o__ismbchira +_o__ismbchira_l +_o__ismbckata +_o__ismbckata_l +_o__ismbcl0 +_o__ismbcl0_l +_o__ismbcl1 +_o__ismbcl1_l +_o__ismbcl2 +_o__ismbcl2_l +_o__ismbclegal +_o__ismbclegal_l +_o__ismbclower +_o__ismbclower_l +_o__ismbcprint +_o__ismbcprint_l +_o__ismbcpunct +_o__ismbcpunct_l +_o__ismbcspace +_o__ismbcspace_l +_o__ismbcsymbol +_o__ismbcsymbol_l +_o__ismbcupper +_o__ismbcupper_l +_o__ismbslead +_o__ismbslead_l +_o__ismbstrail +_o__ismbstrail_l +_o__iswctype_l +_o__itoa +_o__itoa_s +_o__itow +_o__itow_s +_o__j0 +_o__j1 +_o__jn +_o__kbhit +_o__ld_int +_o__ldclass +_o__ldexp +_o__ldlog +_o__ldpcomp +_o__ldpoly +_o__ldscale +_o__ldsign +_o__ldsin +_o__ldtest +_o__ldunscale +_o__lfind +_o__lfind_s +_o__libm_sse2_acos_precise +_o__libm_sse2_asin_precise +_o__libm_sse2_atan_precise +_o__libm_sse2_cos_precise +_o__libm_sse2_exp_precise +_o__libm_sse2_log10_precise +_o__libm_sse2_log_precise +_o__libm_sse2_pow_precise +_o__libm_sse2_sin_precise +_o__libm_sse2_sqrt_precise +_o__libm_sse2_tan_precise +_o__loaddll +_o__localtime32 +_o__localtime32_s +_o__localtime64 +_o__localtime64_s +_o__lock_file +_o__locking +_o__logb +_o__logbf +_o__lsearch +_o__lsearch_s +_o__lseek +_o__lseeki64 +_o__ltoa +_o__ltoa_s +_o__ltow +_o__ltow_s +_o__makepath +_o__makepath_s +_o__malloc_base +_o__mbbtombc +_o__mbbtombc_l +_o__mbbtype +_o__mbbtype_l +_o__mbccpy +_o__mbccpy_l +_o__mbccpy_s +_o__mbccpy_s_l +_o__mbcjistojms +_o__mbcjistojms_l +_o__mbcjmstojis +_o__mbcjmstojis_l +_o__mbclen +_o__mbclen_l +_o__mbctohira +_o__mbctohira_l +_o__mbctokata +_o__mbctokata_l +_o__mbctolower +_o__mbctolower_l +_o__mbctombb +_o__mbctombb_l +_o__mbctoupper +_o__mbctoupper_l +_o__mblen_l +_o__mbsbtype +_o__mbsbtype_l +_o__mbscat_s +_o__mbscat_s_l +_o__mbschr +_o__mbschr_l +_o__mbscmp +_o__mbscmp_l +_o__mbscoll +_o__mbscoll_l +_o__mbscpy_s +_o__mbscpy_s_l +_o__mbscspn +_o__mbscspn_l +_o__mbsdec +_o__mbsdec_l +_o__mbsicmp +_o__mbsicmp_l +_o__mbsicoll +_o__mbsicoll_l +_o__mbsinc +_o__mbsinc_l +_o__mbslen +_o__mbslen_l +_o__mbslwr +_o__mbslwr_l +_o__mbslwr_s +_o__mbslwr_s_l +_o__mbsnbcat +_o__mbsnbcat_l +_o__mbsnbcat_s +_o__mbsnbcat_s_l +_o__mbsnbcmp +_o__mbsnbcmp_l +_o__mbsnbcnt +_o__mbsnbcnt_l +_o__mbsnbcoll +_o__mbsnbcoll_l +_o__mbsnbcpy +_o__mbsnbcpy_l +_o__mbsnbcpy_s +_o__mbsnbcpy_s_l +_o__mbsnbicmp +_o__mbsnbicmp_l +_o__mbsnbicoll +_o__mbsnbicoll_l +_o__mbsnbset +_o__mbsnbset_l +_o__mbsnbset_s +_o__mbsnbset_s_l +_o__mbsncat +_o__mbsncat_l +_o__mbsncat_s +_o__mbsncat_s_l +_o__mbsnccnt +_o__mbsnccnt_l +_o__mbsncmp +_o__mbsncmp_l +_o__mbsncoll +_o__mbsncoll_l +_o__mbsncpy +_o__mbsncpy_l +_o__mbsncpy_s +_o__mbsncpy_s_l +_o__mbsnextc +_o__mbsnextc_l +_o__mbsnicmp +_o__mbsnicmp_l +_o__mbsnicoll +_o__mbsnicoll_l +_o__mbsninc +_o__mbsninc_l +_o__mbsnlen +_o__mbsnlen_l +_o__mbsnset +_o__mbsnset_l +_o__mbsnset_s +_o__mbsnset_s_l +_o__mbspbrk +_o__mbspbrk_l +_o__mbsrchr +_o__mbsrchr_l +_o__mbsrev +_o__mbsrev_l +_o__mbsset +_o__mbsset_l +_o__mbsset_s +_o__mbsset_s_l +_o__mbsspn +_o__mbsspn_l +_o__mbsspnp +_o__mbsspnp_l +_o__mbsstr +_o__mbsstr_l +_o__mbstok +_o__mbstok_l +_o__mbstok_s +_o__mbstok_s_l +_o__mbstowcs_l +_o__mbstowcs_s_l +_o__mbstrlen +_o__mbstrlen_l +_o__mbstrnlen +_o__mbstrnlen_l +_o__mbsupr +_o__mbsupr_l +_o__mbsupr_s +_o__mbsupr_s_l +_o__mbtowc_l +_o__memicmp +_o__memicmp_l +_o__mkdir +_o__mkgmtime32 +_o__mkgmtime64 +_o__mktemp +_o__mktemp_s +_o__mktime32 +_o__mktime64 +_o__msize +_o__nextafter +_o__nextafterf +_o__open_osfhandle +_o__pclose +_o__pipe +_o__popen +_o__purecall +_o__putc_nolock +_o__putch +_o__putch_nolock +_o__putenv +_o__putenv_s +_o__putw +_o__putwc_nolock +_o__putwch +_o__putwch_nolock +_o__putws +_o__read +_o__realloc_base +_o__recalloc +_o__register_onexit_function +_o__resetstkoflw +_o__rmdir +_o__rmtmp +_o__scalb +_o__scalbf +_o__searchenv +_o__searchenv_s +_o__seh_filter_dll +_o__seh_filter_exe +_o__set_abort_behavior +_o__set_app_type +_o__set_doserrno +_o__set_errno +_o__set_fmode +_o__set_invalid_parameter_handler +_o__set_new_handler +_o__set_new_mode +_o__set_thread_local_invalid_parameter_handler +_o__seterrormode +_o__setmbcp +_o__setmode +_o__setsystime +_o__sleep +_o__sopen +_o__sopen_dispatch +_o__sopen_s +_o__spawnv +_o__spawnve +_o__spawnvp +_o__spawnvpe +_o__splitpath +_o__splitpath_s +_o__stat32 +_o__stat32i64 +_o__stat64 +_o__stat64i32 +_o__strcoll_l +_o__strdate +_o__strdate_s +_o__strdup +_o__strerror +_o__strerror_s +_o__strftime_l +_o__stricmp +_o__stricmp_l +_o__stricoll +_o__stricoll_l +_o__strlwr +_o__strlwr_l +_o__strlwr_s +_o__strlwr_s_l +_o__strncoll +_o__strncoll_l +_o__strnicmp +_o__strnicmp_l +_o__strnicoll +_o__strnicoll_l +_o__strnset_s +_o__strset_s +_o__strtime +_o__strtime_s +_o__strtod_l +_o__strtof_l +_o__strtoi64 +_o__strtoi64_l +_o__strtol_l +_o__strtold_l +_o__strtoll_l +_o__strtoui64 +_o__strtoui64_l +_o__strtoul_l +_o__strtoull_l +_o__strupr +_o__strupr_l +_o__strupr_s +_o__strupr_s_l +_o__strxfrm_l +_o__swab +_o__tell +_o__telli64 +_o__timespec32_get +_o__timespec64_get +_o__tolower +_o__tolower_l +_o__toupper +_o__toupper_l +_o__towlower_l +_o__towupper_l +_o__tzset +_o__ui64toa +_o__ui64toa_s +_o__ui64tow +_o__ui64tow_s +_o__ultoa +_o__ultoa_s +_o__ultow +_o__ultow_s +_o__umask +_o__umask_s +_o__ungetc_nolock +_o__ungetch +_o__ungetch_nolock +_o__ungetwc_nolock +_o__ungetwch +_o__ungetwch_nolock +_o__unlink +_o__unloaddll +_o__unlock_file +_o__utime32 +_o__utime64 +_o__waccess +_o__waccess_s +_o__wasctime +_o__wasctime_s +_o__wchdir +_o__wchmod +_o__wcreat +_o__wcreate_locale +_o__wcscoll_l +_o__wcsdup +_o__wcserror +_o__wcserror_s +_o__wcsftime_l +_o__wcsicmp +_o__wcsicmp_l +_o__wcsicoll +_o__wcsicoll_l +_o__wcslwr +_o__wcslwr_l +_o__wcslwr_s +_o__wcslwr_s_l +_o__wcsncoll +_o__wcsncoll_l +_o__wcsnicmp +_o__wcsnicmp_l +_o__wcsnicoll +_o__wcsnicoll_l +_o__wcsnset +_o__wcsnset_s +_o__wcsset +_o__wcsset_s +_o__wcstod_l +_o__wcstof_l +_o__wcstoi64 +_o__wcstoi64_l +_o__wcstol_l +_o__wcstold_l +_o__wcstoll_l +_o__wcstombs_l +_o__wcstombs_s_l +_o__wcstoui64 +_o__wcstoui64_l +_o__wcstoul_l +_o__wcstoull_l +_o__wcsupr +_o__wcsupr_l +_o__wcsupr_s +_o__wcsupr_s_l +_o__wcsxfrm_l +_o__wctime32 +_o__wctime32_s +_o__wctime64 +_o__wctime64_s +_o__wctomb_l +_o__wctomb_s_l +_o__wdupenv_s +_o__wexecv +_o__wexecve +_o__wexecvp +_o__wexecvpe +_o__wfdopen +_o__wfindfirst32 +_o__wfindfirst32i64 +_o__wfindfirst64 +_o__wfindfirst64i32 +_o__wfindnext32 +_o__wfindnext32i64 +_o__wfindnext64 +_o__wfindnext64i32 +_o__wfopen +_o__wfopen_s +_o__wfreopen +_o__wfreopen_s +_o__wfsopen +_o__wfullpath +_o__wgetcwd +_o__wgetdcwd +_o__wgetenv +_o__wgetenv_s +_o__wmakepath +_o__wmakepath_s +_o__wmkdir +_o__wmktemp +_o__wmktemp_s +_o__wperror +_o__wpopen +_o__wputenv +_o__wputenv_s +_o__wremove +_o__wrename +_o__write +_o__wrmdir +_o__wsearchenv +_o__wsearchenv_s +_o__wsetlocale +_o__wsopen_dispatch +_o__wsopen_s +_o__wspawnv +_o__wspawnve +_o__wspawnvp +_o__wspawnvpe +_o__wsplitpath +_o__wsplitpath_s +_o__wstat32 +_o__wstat32i64 +_o__wstat64 +_o__wstat64i32 +_o__wstrdate +_o__wstrdate_s +_o__wstrtime +_o__wstrtime_s +_o__wsystem +_o__wtmpnam_s +_o__wtof +_o__wtof_l +_o__wtoi +_o__wtoi64 +_o__wtoi64_l +_o__wtoi_l +_o__wtol +_o__wtol_l +_o__wtoll +_o__wtoll_l +_o__wunlink +_o__wutime32 +_o__wutime64 +_o__y0 +_o__y1 +_o__yn +_o_abort +_o_acos +_o_acosf +_o_acosh +_o_acoshf +_o_acoshl +_o_asctime +_o_asctime_s +_o_asin +_o_asinf +_o_asinh +_o_asinhf +_o_asinhl +_o_atan +_o_atan2 +_o_atan2f +_o_atanf +_o_atanh +_o_atanhf +_o_atanhl +_o_atof +_o_atoi +_o_atol +_o_atoll +_o_bsearch +_o_bsearch_s +_o_btowc +_o_calloc +_o_cbrt +_o_cbrtf +_o_ceil +_o_ceilf +_o_clearerr +_o_clearerr_s +_o_cos +_o_cosf +_o_cosh +_o_coshf +_o_erf +_o_erfc +_o_erfcf +_o_erfcl +_o_erff +_o_erfl +_o_exit +_o_exp +_o_exp2 +_o_exp2f +_o_exp2l +_o_expf +_o_fabs +_o_fclose +_o_feof +_o_ferror +_o_fflush +_o_fgetc +_o_fgetpos +_o_fgets +_o_fgetwc +_o_fgetws +_o_floor +_o_floorf +_o_fma +_o_fmaf +_o_fmal +_o_fmod +_o_fmodf +_o_fopen +_o_fopen_s +_o_fputc +_o_fputs +_o_fputwc +_o_fputws +_o_fread +_o_fread_s +_o_free +_o_freopen +_o_freopen_s +_o_frexp +_o_fseek +_o_fsetpos +_o_ftell +_o_fwrite +_o_getc +_o_getchar +_o_getenv +_o_getenv_s +_o_gets +_o_gets_s +_o_getwc +_o_getwchar +_o_hypot +_o_is_wctype +_o_isalnum +_o_isalpha +_o_isblank +_o_iscntrl +_o_isdigit +_o_isgraph +_o_isleadbyte +_o_islower +_o_isprint +_o_ispunct +_o_isspace +_o_isupper +_o_iswalnum +_o_iswalpha +_o_iswascii +_o_iswblank +_o_iswcntrl +_o_iswctype +_o_iswdigit +_o_iswgraph +_o_iswlower +_o_iswprint +_o_iswpunct +_o_iswspace +_o_iswupper +_o_iswxdigit +_o_isxdigit +_o_ldexp +_o_lgamma +_o_lgammaf +_o_lgammal +_o_llrint +_o_llrintf +_o_llrintl +_o_llround +_o_llroundf +_o_llroundl +_o_localeconv +_o_log +_o_log10 +_o_log10f +_o_log1p +_o_log1pf +_o_log1pl +_o_log2 +_o_log2f +_o_log2l +_o_logb +_o_logbf +_o_logbl +_o_logf +_o_lrint +_o_lrintf +_o_lrintl +_o_lround +_o_lroundf +_o_lroundl +_o_malloc +_o_mblen +_o_mbrlen +_o_mbrtoc16 +_o_mbrtoc32 +_o_mbrtowc +_o_mbsrtowcs +_o_mbsrtowcs_s +_o_mbstowcs +_o_mbstowcs_s +_o_mbtowc +_o_memcpy_s +_o_memset +_o_modf +_o_modff +_o_nan +_o_nanf +_o_nanl +_o_nearbyint +_o_nearbyintf +_o_nearbyintl +_o_nextafter +_o_nextafterf +_o_nextafterl +_o_nexttoward +_o_nexttowardf +_o_nexttowardl +_o_pow +_o_powf +_o_putc +_o_putchar +_o_puts +_o_putwc +_o_putwchar +_o_qsort +_o_qsort_s +_o_raise +_o_rand +_o_rand_s +_o_realloc +_o_remainder +_o_remainderf +_o_remainderl +_o_remove +_o_remquo +_o_remquof +_o_remquol +_o_rename +_o_rewind +_o_rint +_o_rintf +_o_rintl +_o_round +_o_roundf +_o_roundl +_o_scalbln +_o_scalblnf +_o_scalblnl +_o_scalbn +_o_scalbnf +_o_scalbnl +_o_set_terminate +_o_setbuf +_o_setlocale +_o_setvbuf +_o_sin +_o_sinf +_o_sinh +_o_sinhf +_o_sqrt +_o_sqrtf +_o_srand +_o_strcat_s +_o_strcoll +_o_strcpy_s +_o_strerror +_o_strerror_s +_o_strftime +_o_strncat_s +_o_strncpy_s +_o_strtod +_o_strtof +_o_strtok +_o_strtok_s +_o_strtol +_o_strtold +_o_strtoll +_o_strtoul +_o_strtoull +_o_system +_o_tan +_o_tanf +_o_tanh +_o_tanhf +_o_terminate +_o_tgamma +_o_tgammaf +_o_tgammal +_o_tmpfile_s +_o_tmpnam_s +_o_tolower +_o_toupper +_o_towlower +_o_towupper +_o_ungetc +_o_ungetwc +_o_wcrtomb +_o_wcrtomb_s +_o_wcscat_s +_o_wcscoll +_o_wcscpy +_o_wcscpy_s +_o_wcsftime +_o_wcsncat_s +_o_wcsncpy_s +_o_wcsrtombs +_o_wcsrtombs_s +_o_wcstod +_o_wcstof +_o_wcstok +_o_wcstok_s +_o_wcstol +_o_wcstold +_o_wcstoll +_o_wcstombs +_o_wcstombs_s +_o_wcstoul +_o_wcstoull +_o_wctob +_o_wctomb +_o_wctomb_s +_o_wmemcpy_s +_o_wmemmove_s +_open +_open_osfhandle +_pclose +_pipe +_popen +_purecall +_putc_nolock +_putch +_putch_nolock +_putenv +_putenv_s +_putw +_putwc_nolock +_putwch +_putwch_nolock +_putws +_query_app_type +_query_new_handler +_query_new_mode +_read +_realloc_base +_recalloc +_register_onexit_function +_register_thread_local_exe_atexit_callback +_resetstkoflw +_rmdir +_rmtmp +_rotl +_rotl64 +_rotr +_rotr64 +_scalb +F_X64(_scalbf) +_searchenv +_searchenv_s +_seh_filter_dll +_seh_filter_exe +F64(_set_FMA3_enable) +F_I386(_seh_longjmp_unwind4@4) +F_I386(_seh_longjmp_unwind@4) +F_I386(_set_SSE2_enable) +_set_abort_behavior +_set_app_type +__set_app_type == _set_app_type +_set_controlfp +_set_doserrno +_set_errno +_set_error_mode +_set_fmode +_set_invalid_parameter_handler +_set_new_handler +_set_new_mode +_set_printf_count_output +_set_purecall_handler +_set_se_translator +_set_thread_local_invalid_parameter_handler +_seterrormode +F_I386(_setjmp3) +_setmaxstdio +_setmbcp +_setmode +_setsystime +_sleep +_sopen +_sopen_dispatch +_sopen_s +_spawnl +_spawnle +_spawnlp +_spawnlpe +_spawnv +_spawnve +_spawnvp +_spawnvpe +_splitpath +_splitpath_s +_stat32 +_stat32i64 +_stat64 +_stat64i32 +_statusfp +F_I386(_statusfp2) +_strcmpi == _stricmp +_strcoll_l +_strdate +_strdate_s +_strdup +_strerror +_strerror_s +_strftime_l +_stricmp +_stricmp_l +_stricoll +_stricoll_l +_strlwr +_strlwr_l +_strlwr_s +_strlwr_s_l +_strncoll +_strncoll_l +_strnicmp +_strnicmp_l +_strnicoll +_strnicoll_l +_strnset +_strnset_s +_strrev +_strset +_strset_s +_strtime +_strtime_s +_strtod_l +_strtof_l +_strtoi64 +_strtoi64_l +_strtoimax_l +_strtol_l +_strtold_l +_strtoll_l +_strtoui64 +_strtoui64_l +_strtoul_l +_strtoull_l +_strtoumax_l +_strupr +_strupr_l +_strupr_s +_strupr_s_l +_strxfrm_l +_swab +_tell +_telli64 +_tempnam +_time32 +_time64 +_timespec32_get +_timespec64_get +_tolower +_tolower_l +_toupper +_toupper_l +_towlower_l +_towupper_l +; This is wrapped in the compat code. +_tzset DATA +_ui64toa +_ui64toa_s +_ui64tow +_ui64tow_s +_ultoa +_ultoa_s +_ultow +_ultow_s +_umask +_umask_s +_ungetc_nolock +_ungetch +_ungetch_nolock +_ungetwc_nolock +_ungetwch +_ungetwch_nolock +_unlink +_unloaddll +_unlock_file +_unlock_locales +_utime == _utime64 +_utime32 +_utime64 +_waccess +_waccess_s +_wasctime +_wasctime_s +_wassert +_wchdir +_wchmod +_wcreat +_wcreate_locale +_wcscoll_l +_wcsdup +_wcserror +_wcserror_s +_wcsftime_l +_wcsicmp +_wcsicmp_l +_wcsicoll +_wcsicoll_l +_wcslwr +_wcslwr_l +_wcslwr_s +_wcslwr_s_l +_wcsncoll +_wcsncoll_l +_wcsnicmp +_wcsnicmp_l +_wcsnicoll +_wcsnicoll_l +_wcsnset +_wcsnset_s +_wcsrev +_wcsset +_wcsset_s +_wcstod_l +_wcstof_l +_wcstoi64 +_wcstoi64_l +_wcstoimax_l +_wcstol_l +_wcstold_l +_wcstoll_l +_wcstombs_l +_wcstombs_s_l +_wcstoui64 +_wcstoui64_l +_wcstoul_l +_wcstoull_l +_wcstoumax_l +_wcsupr +_wcsupr_l +_wcsupr_s +_wcsupr_s_l +_wcsxfrm_l +_wctime32 +_wctime32_s +_wctime64 +_wctime64_s +_wctomb_l +_wctomb_s_l +_wctype +_wdupenv_s +_wexecl +_wexecle +_wexeclp +_wexeclpe +_wexecv +_wexecve +_wexecvp +_wexecvpe +_wfdopen +_wfindfirst32 +_wfindfirst32i64 +_wfindfirst64 +_wfindfirst64i32 +_wfindnext32 +_wfindnext32i64 +_wfindnext64 +_wfindnext64i32 +_wfopen +_wfopen_s +_wfreopen +_wfreopen_s +_wfsopen +_wfullpath +_wgetcwd +_wgetdcwd +_wgetenv +_wgetenv_s +_wmakepath +_wmakepath_s +_wmkdir +_wmktemp +_wmktemp_s +_wopen +_wperror +_wpopen +_wputenv +_wputenv_s +_wremove +_wrename +_write +_wrmdir +_wsearchenv +_wsearchenv_s +_wsetlocale +_wsopen +_wsopen_dispatch +_wsopen_s +_wspawnl +_wspawnle +_wspawnlp +_wspawnlpe +_wspawnv +_wspawnve +_wspawnvp +_wspawnvpe +_wsplitpath +_wsplitpath_s +_wstat32 +_wstat32i64 +_wstat64 +_wstat64i32 +_wstrdate +_wstrdate_s +_wstrtime +_wstrtime_s +_wsystem +_wtempnam +_wtmpnam +_wtmpnam_s +_wtof +_wtof_l +_wtoi +_wtoi64 +_wtoi64_l +_wtoi_l +_wtol +_wtol_l +_wtoll +_wtoll_l +_wunlink +_wutime == _wutime64 +_wutime32 +_wutime64 +_y0 +_y1 +_yn +abort +abs +acos +F_NON_I386(acosf) +F_ARM_ANY(acosl == acos) +acosh +acoshf +acoshl F_X86_ANY(DATA) +asctime +asctime_s +asin +F_NON_I386(asinf) +F_ARM_ANY(asinl == asin) +asinh +asinhf +asinhl F_X86_ANY(DATA) +atan +atan2 +F_NON_I386(atan2f) +F_ARM_ANY(atan2l == atan2) +F_NON_I386(atanf) +F_ARM_ANY(atanl == atan) +atanh +atanhf +atanhl F_X86_ANY(DATA) +atof +atoi +atol +atoll +bsearch +bsearch_s +btowc +c16rtomb +c32rtomb +cabs +cabsf +cabsl +cacos +cacosf +cacosh +cacoshf +cacoshl +cacosl +calloc +carg +cargf +cargl +casin +casinf +casinh +casinhf +casinhl +casinl +catan +catanf +catanh +catanhf +catanhl +catanl +cbrt +cbrtf +cbrtl F_X86_ANY(DATA) +ccos +ccosf +ccosh +ccoshf +ccoshl +ccosl +ceil +F_NON_I386(ceilf) +F_ARM_ANY(ceill == ceil) +cexp +cexpf +cexpl +cimag +cimagf +cimagl +clearerr +clearerr_s +clock +clog +clog10 +clog10f +clog10l +clogf +clogl +conj +conjf +conjl +copysign +copysignf +copysignl F_X86_ANY(DATA) +cos +F_NON_I386(cosf) +F_ARM_ANY(cosl == cos) +cosh +F_NON_I386(coshf) +cpow +cpowf +cpowl +cproj +cprojf +cprojl +creal +crealf +creall +csin +csinf +csinh +csinhf +csinhl +csinl +csqrt +csqrtf +csqrtl +ctan +ctanf +ctanh +ctanhf +ctanhl +ctanl +div +erf +erfc +erfcf +erfcl F_X86_ANY(DATA) +erff +erfl F_X86_ANY(DATA) +exit +exp +exp2 +exp2f +exp2l F_X86_ANY(DATA) +F_NON_I386(expf) +F_ARM_ANY(expl == exp) +expm1 +expm1f +expm1l F_X86_ANY(DATA) +fabs +F_ARM_ANY(fabsf) +fclose +fdim +fdimf +fdiml F_X86_ANY(DATA) +; Don't use the float env functions from UCRT; fesetround doesn't seem to have +; any effect on the FPU control word as required by other libmingwex math +; routines. +feclearexcept DATA +fegetenv DATA +fegetexceptflag DATA +fegetround DATA +feholdexcept DATA +feof +ferror +fesetenv DATA +fesetexceptflag DATA +fesetround DATA +fetestexcept DATA +fflush +fgetc +fgetpos +fgets +fgetwc +fgetws +floor +F_NON_I386(floorf) +F_ARM_ANY(floorl == floor) +fma +fmaf +fmal F_X86_ANY(DATA) +fmax +fmaxf +fmaxl F_X86_ANY(DATA) +fmin +fminf +fminl F_X86_ANY(DATA) +fmod +F_NON_I386(fmodf) +F_ARM_ANY(fmodl == fmod) +fopen +fopen_s +fputc +fputs +fputwc +fputws +fread +fread_s +free +freopen +freopen_s +frexp +fseek +fsetpos +ftell +fwrite +getc +getchar +getenv +getenv_s +gets +gets_s +getwc +getwchar +hypot +ilogb +ilogbf +ilogbl F_X86_ANY(DATA) +imaxabs +imaxdiv +is_wctype +isalnum +isalpha +isblank +iscntrl +isdigit +isgraph +isleadbyte +islower +isprint +ispunct +isspace +isupper +iswalnum +iswalpha +iswascii +iswblank +iswcntrl +iswctype +iswdigit +iswgraph +iswlower +iswprint +iswpunct +iswspace +iswupper +iswxdigit +isxdigit +labs +ldexp +ldiv +; The UCRT lgamma functions don't set/provide the signgam variable like +; the mingw ones do. Therefore prefer the libmingwex version instead. +lgamma DATA +lgammaf DATA +lgammal DATA +llabs +lldiv +llrint +llrintf +llrintl F_X86_ANY(DATA) +llround +llroundf +llroundl F_X86_ANY(DATA) +localeconv +log +log10 +F_NON_I386(log10f) +F_ARM_ANY(log10l == log10) +log1p +log1pf +log1pl F_X86_ANY(DATA) +log2 +log2f +log2l F_X86_ANY(DATA) +logb +logbf +logbl F_X86_ANY(DATA) +F_NON_I386(logf) +F_ARM_ANY(logl == log) +longjmp +lrint +lrintf +lrintl F_X86_ANY(DATA) +lround +lroundf +lroundl F_X86_ANY(DATA) +malloc +mblen +mbrlen +mbrtoc16 +mbrtoc32 +mbrtowc +mbsrtowcs +mbsrtowcs_s +mbstowcs +mbstowcs_s +mbtowc +memchr +memcmp +memcpy +memcpy_s +memmove +memmove_s +memset +modf +F_NON_I386(modff) +nan +nanf +nanl F_X86_ANY(DATA) +nearbyint +nearbyintf +nearbyintl F_X86_ANY(DATA) +nextafter +nextafterf +nextafterl F_X86_ANY(DATA) +; All of the nexttoward functions take the second parameter as long doubke, +; making them unusable for x86. +nexttoward F_X86_ANY(DATA) +nexttowardf F_X86_ANY(DATA) +nexttowardl F_X86_ANY(DATA) +norm +normf +norml +perror +pow +F_NON_I386(powf) +F_ARM_ANY(powl == pow) +putc +putchar +puts +putwc +putwchar +qsort +qsort_s +quick_exit +raise +rand +rand_s +realloc +remainder +remainderf +remainderl F_X86_ANY(DATA) +remove +remquo +remquof +remquol F_X86_ANY(DATA) +rename +rewind +rint +rintf +rintl F_X86_ANY(DATA) +round +roundf +roundl F_X86_ANY(DATA) +scalbln +scalblnf +scalblnl F_X86_ANY(DATA) +scalbn +scalbnf +scalbnl F_X86_ANY(DATA) +set_terminate +set_unexpected +setbuf +F_X64(setjmp) +setlocale +setvbuf +signal +sin +F_NON_I386(sinf) +F_ARM_ANY(sinl == sin) +; if we implement sinh, we can set it DATA only. +sinh +F_NON_I386(sinhf) +sqrt +F_NON_I386(sqrtf) +srand +strcat +strcat_s +strchr +strcmp +strcmpi == _stricmp +strcoll +strcpy +strcpy_s +strcspn +strerror +strerror_s +strftime +strlen +strncat +strncat_s +strncmp +strncpy +strncpy_s +; strnlen replaced by emu +strpbrk +strrchr +strspn +strstr +strtod +strtof +strtoimax +strtok +strtok_s +strtol +; Can't use long double functions from the CRT on x86 +F_ARM_ANY(strtold) +strtoll +strtoul +strtoull +strtoumax +strxfrm +system +tan +F_NON_I386(tanf) +F_ARM_ANY(tanl == tan) +; if we implement tanh, we can set it to DATA only. +tanh +F_NON_I386(tanhf) +terminate +tgamma +tgammaf +tgammal F_X86_ANY(DATA) +tmpfile +tmpfile_s +tmpnam +tmpnam_s +tolower +toupper +towctrans +towlower +towupper +trunc +truncf +truncl F_X86_ANY(DATA) +unexpected +ungetc +ungetwc +utime == _utime64 +wcrtomb +wcrtomb_s +wcscat +wcscat_s +wcschr +wcscmp +wcscoll +wcscpy +wcscpy_s +wcscspn +wcsftime +wcslen +wcsncat +wcsncat_s +wcsncmp +wcsncpy +wcsncpy_s +; We provide replacement implementation in libmingwex +wcsnlen DATA +wcspbrk +wcsrchr +wcsrtombs +wcsrtombs_s +wcsspn +wcsstr +wcstod +wcstof +wcstoimax +wcstok +wcstok_s +wcstol +; Can't use long double functions from the CRT on x86 +F_ARM_ANY(wcstold) +wcstoll +wcstombs +wcstombs_s +wcstoul +wcstoull +wcstoumax +wcsxfrm +wctob +wctomb +wctomb_s +wctrans +wctype +wmemcpy_s +wmemmove_s +; These functions may satisfy configure scripts. +ctime == _ctime64 +gmtime == _gmtime64 +localtime == _localtime64 +mktime == _mktime64 +time == _time64 +timespec_get == _timespec64_get diff --git a/lib/libc/mingw/libarm32/uiautomationcore.def b/lib/libc/mingw/lib-common/uiautomationcore.def similarity index 93% rename from lib/libc/mingw/libarm32/uiautomationcore.def rename to lib/libc/mingw/lib-common/uiautomationcore.def index 6196bc3d98..667820045d 100644 --- a/lib/libc/mingw/libarm32/uiautomationcore.def +++ b/lib/libc/mingw/lib-common/uiautomationcore.def @@ -1,7 +1,7 @@ ; ; Definition file of UIAutomationCore.DLL ; Automatic generated by gendef -; written by Kai Tietz 2008-2014 +; written by Kai Tietz 2008 ; LIBRARY "UIAutomationCore.DLL" EXPORTS @@ -9,6 +9,7 @@ DockPattern_SetDockPosition ExpandCollapsePattern_Collapse ExpandCollapsePattern_Expand GridPattern_GetItem +InitializeChannelBasedConnectionForProviderProxy InvokePattern_Invoke ItemContainerPattern_FindItemByProperty LegacyIAccessiblePattern_DoDefaultAction @@ -85,9 +86,12 @@ UiaNodeRelease UiaPatternRelease UiaProviderForNonClient UiaProviderFromIAccessible +UiaRaiseActiveTextPositionChangedEvent UiaRaiseAsyncContentLoadedEvent UiaRaiseAutomationEvent UiaRaiseAutomationPropertyChangedEvent +UiaRaiseChangesEvent +UiaRaiseNotificationEvent UiaRaiseStructureChangedEvent UiaRaiseTextEditTextChangedEvent UiaRegisterProviderCallback diff --git a/lib/libc/mingw/lib-common/umdmxfrm.def b/lib/libc/mingw/lib-common/umdmxfrm.def new file mode 100644 index 0000000000..7be0c5b747 --- /dev/null +++ b/lib/libc/mingw/lib-common/umdmxfrm.def @@ -0,0 +1,9 @@ +; +; Exports of file umdmxfrm.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY umdmxfrm.dll +EXPORTS +GetXformInfo diff --git a/lib/libc/mingw/lib-common/unimdmat.def b/lib/libc/mingw/lib-common/unimdmat.def new file mode 100644 index 0000000000..e9d8e10b47 --- /dev/null +++ b/lib/libc/mingw/lib-common/unimdmat.def @@ -0,0 +1,27 @@ +; +; Exports of file UNIMDMAT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UNIMDMAT.dll +EXPORTS +UmInitializeModemDriver +UmDeinitializeModemDriver +UmOpenModem +UmCloseModem +UmInitModem +UmMonitorModem +UmAnswerModem +UmDialModem +UmHangupModem +UmGenerateDigit +UmSetSpeakerPhoneState +UmDuplicateDeviceHandle +UmAbortCurrentModemCommand +UmSetPassthroughMode +UmIssueCommand +UmWaveAction +UmLogStringA +UmGetDiagnostics +UmLogDiagnostics diff --git a/lib/libc/mingw/lib-common/uniplat.def b/lib/libc/mingw/lib-common/uniplat.def new file mode 100644 index 0000000000..2d70f03de1 --- /dev/null +++ b/lib/libc/mingw/lib-common/uniplat.def @@ -0,0 +1,34 @@ +; +; Exports of file uniplat.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY uniplat.dll +EXPORTS +UmPlatformInitialize +UmPlatformDeinitialize +UnimodemReadFileEx +UnimodemWriteFileEx +UnimodemDeviceIoControlEx +UnimodemWaitCommEventEx +UnimodemQueueUserAPC +CreateUnimodemTimer +FreeUnimodemTimer +SetUnimodemTimer +CancelUnimodemTimer +CreateOverStructPool +DestroyOverStructPool +AllocateOverStructEx +FreeOverStruct +ReinitOverStruct +SyncDeviceIoControl +WinntIsWorkstation +UnimodemNotifyTSP +StartMonitorThread +StopMonitorThread +MonitorHandle +StopMonitoringHandle +CallBeginning +CallEnding +ResetCallCount diff --git a/lib/libc/mingw/lib-common/upnp.def b/lib/libc/mingw/lib-common/upnp.def new file mode 100644 index 0000000000..3b7910adc6 --- /dev/null +++ b/lib/libc/mingw/lib-common/upnp.def @@ -0,0 +1,14 @@ +; +; Exports of file UPnP.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UPnP.DLL +EXPORTS +HrRehydratorCreateServiceObject +HrRehydratorInvokeServiceAction +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib-common/url.def b/lib/libc/mingw/lib-common/url.def new file mode 100644 index 0000000000..8043f02fb5 --- /dev/null +++ b/lib/libc/mingw/lib-common/url.def @@ -0,0 +1,29 @@ +; +; Exports of file URL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY URL.dll +EXPORTS +AddMIMEFileTypesPS +AutodialHookCallback +DllCanUnloadNow +DllGetClassObject +FileProtocolHandler +FileProtocolHandlerA +InetIsOffline +MIMEAssociationDialogA +MIMEAssociationDialogW +MailToProtocolHandler +MailToProtocolHandlerA +NewsProtocolHandler +NewsProtocolHandlerA +OpenURL +OpenURLA +TelnetProtocolHandler +TelnetProtocolHandlerA +TranslateURLA +TranslateURLW +URLAssociationDialogA +URLAssociationDialogW diff --git a/lib/libc/mingw/lib-common/user32.def.in b/lib/libc/mingw/lib-common/user32.def.in index c600f26bd7..ac2a074424 100644 --- a/lib/libc/mingw/lib-common/user32.def.in +++ b/lib/libc/mingw/lib-common/user32.def.in @@ -338,7 +338,6 @@ GetDpiForSystem GetDpiForWindow GetFocus GetForegroundWindow -GetGUIThreadInfo GetGestureConfig GetGestureExtraArgs GetGestureInfo diff --git a/lib/libc/mingw/lib-common/userenv.def b/lib/libc/mingw/lib-common/userenv.def index fb0247ce68..de622492c8 100644 --- a/lib/libc/mingw/lib-common/userenv.def +++ b/lib/libc/mingw/lib-common/userenv.def @@ -8,13 +8,27 @@ EXPORTS RsopLoggingEnabled AreThereVisibleLogoffScripts AreThereVisibleShutdownScripts +CheckDirectoryOwnership +CheckXForestLogon +CopyProfileDirectoryEx2 CreateAppContainerProfile +CreateAppContainerProfileInternal +CreateDirectoryJunctionsForSystem +CreateDirectoryJunctionsForUserProfile CreateEnvironmentBlock +CreateGroupEx +CreateLinkFileEx CreateProfile DeleteAppContainerProfile +DeleteAppContainerProfileInternal +DeleteGroup +DeleteLinkFile DeleteProfileA +DeleteProfileDirectory +DeleteProfileDirectory2 DeleteProfileW DeriveAppContainerSidFromAppContainerName +DeriveRestrictedAppContainerSidFromAppContainerSidAndRestrictedName DestroyEnvironmentBlock DllGetContractDescription EnterCriticalPolicySection @@ -35,28 +49,34 @@ GetDefaultUserProfileDirectoryA GetDefaultUserProfileDirectoryW GetGPOListA GetGPOListW +GetLongProfilePathName GetNextFgPolicyRefreshInfo GetPreviousFgPolicyRefreshInfo GetProfileType GetProfilesDirectoryA GetProfilesDirectoryW GetUserProfileDirectoryA +GetUserProfileDirectoryForUserSidW GetUserProfileDirectoryW HasPolicyForegroundProcessingCompleted +IsAppContainerProfilePresentInternal LeaveCriticalPolicySection LoadUserProfileA LoadUserProfileW +LookupAppContainerDisplayName +PingComputer ProcessGroupPolicyCompleted ProcessGroupPolicyCompletedEx RefreshPolicy RefreshPolicyEx RegisterGPNotification +RemapProfile RsopAccessCheckByType RsopFileAccessCheck -RsopLoggingEnabled RsopResetPolicySettingStatus RsopSetPolicySettingStatus UnloadUserProfile UnregisterGPNotification +UpdateAppContainerProfile WaitForMachinePolicyForegroundProcessing WaitForUserPolicyForegroundProcessing diff --git a/lib/libc/mingw/lib-common/utildll.def b/lib/libc/mingw/lib-common/utildll.def new file mode 100644 index 0000000000..bdbe97b88f --- /dev/null +++ b/lib/libc/mingw/lib-common/utildll.def @@ -0,0 +1,44 @@ +; +; Exports of file UTILDLL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UTILDLL.dll +EXPORTS +AsyncDeviceEnumerate +CachedGetUserFromSid +CalculateDiffTime +CalculateElapsedTime +CompareElapsedTime +ConfigureModem +CtxGetAnyDCName +CurrentDateTimeString +DateTimeString +ElapsedTimeString +EnumerateMultiUserServers +FormDecoratedAsyncDeviceName +GetAssociatedPortName +GetSystemMessageA +GetSystemMessageW +GetUnknownString +GetUserFromSid +HaveAnonymousUsersChanged +InitializeAnonymousUserCompareList +InstallModem +IsPartOfDomain +NetBIOSDeviceEnumerate +NetworkDeviceEnumerate +ParseDecoratedAsyncDeviceName +QueryCurrentWinStation +RegGetNetworkDeviceName +RegGetNetworkServiceName +SetupAsyncCdConfig +StandardErrorMessage +StrAsyncConnectState +StrConnectState +StrProcessState +StrSdClass +StrSystemWaitReason +TestUserForAdmin +WinEnumerateDevices diff --git a/lib/libc/mingw/lib-common/vcruntime140_app.def.in b/lib/libc/mingw/lib-common/vcruntime140_app.def.in new file mode 100644 index 0000000000..3ad3e51ac7 --- /dev/null +++ b/lib/libc/mingw/lib-common/vcruntime140_app.def.in @@ -0,0 +1,96 @@ +LIBRARY vcruntime140_app + +EXPORTS + +#include "func.def.in" + +_CreateFrameInfo +F_I386(_CxxThrowException@8) +F_NON_I386(_CxxThrowException) +F_I386(_EH_prolog) +_FindAndUnlinkFrame +_IsExceptionObjectToBeDestroyed +F_I386(_NLG_Dispatch2) +F_I386(_NLG_Return) +F_I386(_NLG_Return2) +_SetWinRTOutOfMemoryExceptionCallback +__AdjustPointer +__BuildCatchObject +__BuildCatchObjectHelper +F_NON_I386(__C_specific_handler) +F_NON_I386(__C_specific_handler_noexcept) +__CxxDetectRethrow +__CxxExceptionFilter +__CxxFrameHandler +__CxxFrameHandler2 +__CxxFrameHandler3 +F_I386(__CxxLongjmpUnwind@4) +__CxxQueryExceptionSize +__CxxRegisterExceptionObject +__CxxUnregisterExceptionObject +__DestructExceptionObject +__FrameUnwindFilter +__GetPlatformExceptionInfo +F_NON_I386(__NLG_Dispatch2) +F_NON_I386(__NLG_Return2) +__RTCastToVoid +__RTDynamicCast +__RTtypeid +__TypeMatch +__current_exception +__current_exception_context +F_X86_ANY(__intrinsic_setjmp) +F_ARM32(__intrinsic_setjmp) +F_NON_I386(__intrinsic_setjmpex) +F_ARM32(__jump_unwind) +__processing_throw +__report_gsfailure +__std_exception_copy +__std_exception_destroy +__std_terminate +__std_type_info_compare +__std_type_info_destroy_list +__std_type_info_hash +__std_type_info_name +__telemetry_main_invoke_trigger +__telemetry_main_return_trigger +__unDName +__unDNameEx +__uncaught_exception +__uncaught_exceptions +__vcrt_GetModuleFileNameW +__vcrt_GetModuleHandleW +__vcrt_InitializeCriticalSectionEx +__vcrt_LoadLibraryExW +F_I386(_chkesp) +F_I386(_except_handler2) +F_I386(_except_handler3) +F_I386(_except_handler4_common) +_get_purecall_handler +_get_unexpected +F_I386(_global_unwind2) +_is_exception_typeof +F_I386(_local_unwind2) +F_I386(_local_unwind4) +F_I386(_longjmpex) +F64(_local_unwind) +_purecall +F_I386(_seh_longjmp_unwind4@4) +F_I386(_seh_longjmp_unwind@4) +_set_purecall_handler +_set_se_translator +F_I386(_setjmp3) +longjmp +memchr +memcmp +memcpy +memmove +memset +set_unexpected +strchr +strrchr +strstr +unexpected +wcschr +wcsrchr +wcsstr diff --git a/lib/libc/mingw/lib-common/w32time.def b/lib/libc/mingw/lib-common/w32time.def new file mode 100644 index 0000000000..88c326a675 --- /dev/null +++ b/lib/libc/mingw/lib-common/w32time.def @@ -0,0 +1,32 @@ +; +; Definition file of w32time.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "w32time.dll" +EXPORTS +fnW32TmI_ScSetServiceBits DATA +fnW32TmRegisterServiceCtrlHandlerEx DATA +fnW32TmSetServiceStatus DATA +SvchostEntry_W32Time +SvchostPushServiceGlobals +TimeProvClose +TimeProvCommand +TimeProvOpen +W32TimeBufferFree +W32TimeDcPromo +W32TimeDeleteConfig +W32TimeGetNetlogonServiceBits +W32TimeLog +W32TimeQueryConfig +W32TimeQueryConfiguration +W32TimeQueryHardwareProviderStatus +W32TimeQueryNTPProviderStatus +W32TimeQueryNtpProviderConfiguration +W32TimeQuerySource +W32TimeQueryStatus +W32TimeSetConfig +W32TimeSyncNow +W32TimeVerifyJoinConfig +W32TimeVerifyUnjoinConfig +W32TmServiceMain diff --git a/lib/libc/mingw/lib-common/w32topl.def b/lib/libc/mingw/lib-common/w32topl.def new file mode 100644 index 0000000000..1ed5f31150 --- /dev/null +++ b/lib/libc/mingw/lib-common/w32topl.def @@ -0,0 +1,87 @@ +; +; Exports of file W32TOPL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY W32TOPL.dll +EXPORTS +ToplAddEdgeSetToGraph +ToplAddEdgeToGraph +ToplDeleteComponents +ToplDeleteGraphState +ToplDeleteSpanningTreeEdges +ToplEdgeAssociate +ToplEdgeCreate +ToplEdgeDestroy +ToplEdgeDisassociate +ToplEdgeFree +ToplEdgeGetFromVertex +ToplEdgeGetToVertex +ToplEdgeGetWeight +ToplEdgeInit +ToplEdgeSetFromVertex +ToplEdgeSetToVertex +ToplEdgeSetVtx +ToplEdgeSetWeight +ToplFree +ToplGetAlwaysSchedule +ToplGetSpanningTreeEdgesForVtx +ToplGraphAddVertex +ToplGraphCreate +ToplGraphDestroy +ToplGraphFindEdgesForMST +ToplGraphFree +ToplGraphInit +ToplGraphMakeRing +ToplGraphNumberOfVertices +ToplGraphRemoveVertex +ToplGraphSetVertexIter +ToplHeapCreate +ToplHeapDestroy +ToplHeapExtractMin +ToplHeapInsert +ToplHeapIsElementOf +ToplHeapIsEmpty +ToplIsToplException +ToplIterAdvance +ToplIterCreate +ToplIterFree +ToplIterGetObject +ToplListAddElem +ToplListCreate +ToplListFree +ToplListNumberOfElements +ToplListRemoveElem +ToplListSetIter +ToplMakeGraphState +ToplPScheduleValid +ToplSTHeapAdd +ToplSTHeapCostReduced +ToplSTHeapDestroy +ToplSTHeapExtractMin +ToplSTHeapInit +ToplScheduleCacheCreate +ToplScheduleCacheDestroy +ToplScheduleCreate +ToplScheduleDuration +ToplScheduleExportReadonly +ToplScheduleImport +ToplScheduleIsEqual +ToplScheduleMaxUnavailable +ToplScheduleMerge +ToplScheduleNumEntries +ToplScheduleValid +ToplSetAllocator +ToplVertexCreate +ToplVertexDestroy +ToplVertexFree +ToplVertexGetId +ToplVertexGetInEdge +ToplVertexGetOutEdge +ToplVertexGetParent +ToplVertexInit +ToplVertexNumberOfInEdges +ToplVertexNumberOfOutEdges +ToplVertexSetId +ToplVertexSetParent diff --git a/lib/libc/mingw/lib-common/wdigest.def b/lib/libc/mingw/lib-common/wdigest.def new file mode 100644 index 0000000000..b252fffa17 --- /dev/null +++ b/lib/libc/mingw/lib-common/wdigest.def @@ -0,0 +1,17 @@ +; +; Exports of file wdigest.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wdigest.dll +EXPORTS +SpInitialize +CredentialUpdateRegister +SsiCredentialsUpdateNotify +CredentialUpdateFree +CredentialUpdateNotify +SpLsaModeInitialize +SpUserModeInitialize +SsiCredentialsUpdateFree +SpInstanceInit diff --git a/lib/libc/mingw/lib-common/webauthn.def b/lib/libc/mingw/lib-common/webauthn.def new file mode 100644 index 0000000000..f81859a459 --- /dev/null +++ b/lib/libc/mingw/lib-common/webauthn.def @@ -0,0 +1,57 @@ +LIBRARY "webauthn.dll" +EXPORTS +CryptsvcDllCtrl +I_WebAuthNCtapDecodeGetAssertionRpcResponse +I_WebAuthNCtapDecodeMakeCredentialRpcResponse +I_WebAuthNCtapEncodeGetAssertionRpcRequest +I_WebAuthNCtapEncodeMakeCredentialRpcRequest +WebAuthNAuthenticatorGetAssertion +WebAuthNAuthenticatorMakeCredential +WebAuthNCancelCurrentOperation +WebAuthNCtapChangeClientPin +WebAuthNCtapChangeClientPinForSelectedDevice +WebAuthNCtapFreeSelectedDeviceInformation +WebAuthNCtapGetAssertion +WebAuthNCtapGetSupportedTransports +WebAuthNCtapGetWnfLocalizedString +WebAuthNCtapIsStopSendCommandError +WebAuthNCtapMakeCredential +WebAuthNCtapManageAuthenticatePin +WebAuthNCtapManageCancelEnrollFingerprint +WebAuthNCtapManageChangePin +WebAuthNCtapManageClose +WebAuthNCtapManageDeleteCredential +WebAuthNCtapManageEnrollFingerprint +WebAuthNCtapManageFreeDisplayCredentials +WebAuthNCtapManageGetDisplayCredentials +WebAuthNCtapManageRemoveFingerprints +WebAuthNCtapManageResetDevice +WebAuthNCtapManageSelect +WebAuthNCtapManageSetPin +WebAuthNCtapParseAuthenticatorData +WebAuthNCtapResetDevice +WebAuthNCtapRpcGetAssertionUserList +WebAuthNCtapRpcGetCborCommand +WebAuthNCtapRpcSelectGetAssertion +WebAuthNCtapSendCommand +WebAuthNCtapSetClientPin +WebAuthNCtapStartDeviceChangeNotify +WebAuthNCtapStopDeviceChangeNotify +WebAuthNCtapVerifyGetAssertion +WebAuthNDecodeAccountInformation +WebAuthNDeletePlatformCredential +WebAuthNEncodeAccountInformation +WebAuthNFreeAssertion +WebAuthNFreeCredentialAttestation +WebAuthNFreeDecodedAccountInformation +WebAuthNFreeEncodedAccountInformation +WebAuthNFreePlatformCredentials +WebAuthNFreeUserEntityList +WebAuthNGetApiVersionNumber +WebAuthNGetCancellationId +WebAuthNGetCoseAlgorithmIdentifier +WebAuthNGetCredentialIdFromAuthenticatorData +WebAuthNGetErrorName +WebAuthNGetPlatformCredentials +WebAuthNGetW3CExceptionDOMError +WebAuthNIsUserVerifyingPlatformAuthenticatorAvailable diff --git a/lib/libc/mingw/lib-common/webclnt.def b/lib/libc/mingw/lib-common/webclnt.def new file mode 100644 index 0000000000..edc1388fa8 --- /dev/null +++ b/lib/libc/mingw/lib-common/webclnt.def @@ -0,0 +1,12 @@ +; +; Exports of file webclnt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY webclnt.dll +EXPORTS +DavClose +DavInit +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/webservices.def b/lib/libc/mingw/lib-common/webservices.def similarity index 100% rename from lib/libc/mingw/libarm32/webservices.def rename to lib/libc/mingw/lib-common/webservices.def diff --git a/lib/libc/mingw/lib64/wer.def b/lib/libc/mingw/lib-common/wer.def similarity index 86% rename from lib/libc/mingw/lib64/wer.def rename to lib/libc/mingw/lib-common/wer.def index 3f81b5b589..ad34f57ff7 100644 --- a/lib/libc/mingw/lib64/wer.def +++ b/lib/libc/mingw/lib-common/wer.def @@ -5,6 +5,27 @@ ; LIBRARY "wer.dll" EXPORTS +WerAddExcludedApplication +WerFreeString +WerRemoveExcludedApplication +WerReportAddDump +WerReportAddFile +WerReportCloseHandle +WerReportCreate +WerReportSetParameter +WerReportSetUIOption +WerReportSubmit +WerStoreClose +WerStoreGetFirstReportKey +WerStoreGetNextReportKey +WerStoreGetReportCount +WerStoreGetSizeOnDisk +WerStoreOpen +WerStorePurge +WerStoreQueryReportMetadataV1 +WerStoreQueryReportMetadataV2 +WerStoreQueryReportMetadataV3 +WerStoreUploadReport WerSysprepCleanup WerSysprepGeneralize WerSysprepSpecialize @@ -35,6 +56,7 @@ WerpGetFilePathByIndex WerpGetNumFiles WerpGetNumSecParams WerpGetNumSigParams +WerpGetReportConsent WerpGetReportFinalConsent WerpGetReportFlags WerpGetReportInformation @@ -50,13 +72,17 @@ WerpGetTextFromReport WerpGetUIParamByIndex WerpGetUploadTime WerpGetWerStringData +WerpIsDisabled WerpIsTransportAvailable WerpLoadReport WerpOpenMachineArchive WerpOpenMachineQueue WerpOpenUserArchive +WerpOpenUserQueue +WerpPromtUser WerpReportCancel WerpRestartApplication +WerpSetCallBack WerpSetDynamicParameter WerpSetEventName WerpSetReportFlags @@ -68,17 +94,3 @@ WerpShowSecondLevelConsent WerpShowUpsellUI WerpSubmitReportFromStore WerpSvcReportFromMachineQueue -WerAddExcludedApplication -WerRemoveExcludedApplication -WerReportAddDump -WerReportAddFile -WerReportCloseHandle -WerReportCreate -WerReportSetParameter -WerReportSetUIOption -WerReportSubmit -WerpGetReportConsent -WerpIsDisabled -WerpOpenUserQueue -WerpPromtUser -WerpSetCallBack diff --git a/lib/libc/mingw/lib-common/wiashext.def b/lib/libc/mingw/lib-common/wiashext.def new file mode 100644 index 0000000000..5312561e95 --- /dev/null +++ b/lib/libc/mingw/lib-common/wiashext.def @@ -0,0 +1,17 @@ +; +; Exports of file wiashext.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wiashext.dll +EXPORTS +AddDeviceWasChosen +AddDeviceWasChosenA +AddDeviceWasChosenW +MakeFullPidlForDevice +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +DoDeleteAllItems diff --git a/lib/libc/mingw/lib-common/wimgapi.def b/lib/libc/mingw/lib-common/wimgapi.def new file mode 100644 index 0000000000..e259913b1c --- /dev/null +++ b/lib/libc/mingw/lib-common/wimgapi.def @@ -0,0 +1,67 @@ +; +; Definition file of WIMGAPI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WIMGAPI.DLL" +EXPORTS +;DllCanUnloadNow +;DllMain +WIMAddImagePath +WIMAddImagePaths +WIMAddWimbootEntry +WIMApplyImage +WIMCaptureImage +WIMCloseHandle +WIMCommitImageHandle +WIMCopyFile +WIMCreateFile +WIMCreateImageFile +WIMCreateWofCompressedFile +WIMDeleteImage +WIMDeleteImageMounts +WIMEnumImageFiles +WIMExportImage +WIMExtractImageDirectory +WIMExtractImagePath +WIMFindFirstImageFile +WIMFindNextImageFile +WIMGetAttributes +WIMGetImageCount +WIMGetImageInformation +WIMGetMessageCallbackCount +WIMGetMountedImageHandle +WIMGetMountedImageInfo +WIMGetMountedImageInfoFromHandle +WIMGetMountedImages +WIMGetWIMBootEntries +WIMGetWIMBootWIMPath +WIMInitFileIOCallbacks +WIMInitializeWofDriver +WIMIsCurrentSystemWimboot +WIMIsReferenceWim +WIMLoadImage +WIMMountImage +WIMMountImageHandle +WIMProcessCustomImage +WIMReadFileEx +WIMReadImageFile +WIMRedirectFolderBeforeApply +WIMRegisterLogFile +WIMRegisterMessageCallback +WIMRemountImage +WIMSetBootImage +WIMSetFileIOCallbackTemporaryPath +WIMSetImageInformation +WIMSetImageUserSpecifiedCreationTime +WIMSetReferenceFile +WIMSetTemporaryPath +WIMSetWimGuid +WIMSingleInstanceFile +WIMSplitFile +WIMUnmountImage +WIMUnmountImageHandle +WIMUnregisterLogFile +WIMUnregisterMessageCallback +WIMUpdateWIMBootEntry +WIMWriteFileWithIntegrity diff --git a/lib/libc/mingw/lib-common/windows.ai.machinelearning.def b/lib/libc/mingw/lib-common/windows.ai.machinelearning.def new file mode 100644 index 0000000000..6f0eca1f54 --- /dev/null +++ b/lib/libc/mingw/lib-common/windows.ai.machinelearning.def @@ -0,0 +1,5 @@ +LIBRARY windows.ai.machinelearning + +EXPORTS + +MLCreateOperatorRegistry diff --git a/lib/libc/mingw/lib-common/windows.data.pdf.def b/lib/libc/mingw/lib-common/windows.data.pdf.def new file mode 100644 index 0000000000..5e19b019b0 --- /dev/null +++ b/lib/libc/mingw/lib-common/windows.data.pdf.def @@ -0,0 +1,8 @@ +; +; Definition file of Windows.Data.Pdf.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Data.Pdf.dll" +EXPORTS +PdfCreateRenderer diff --git a/lib/libc/mingw/lib-common/windows.networking.def b/lib/libc/mingw/lib-common/windows.networking.def new file mode 100644 index 0000000000..ccfb87e9cf --- /dev/null +++ b/lib/libc/mingw/lib-common/windows.networking.def @@ -0,0 +1,8 @@ +; +; Definition file of Windows.Networking.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Networking.dll" +EXPORTS +SetSocketMediaStreamingMode diff --git a/lib/libc/mingw/lib-common/winmm.def b/lib/libc/mingw/lib-common/winmm.def index 5343fe9b4f..082b316c0c 100644 --- a/lib/libc/mingw/lib-common/winmm.def +++ b/lib/libc/mingw/lib-common/winmm.def @@ -51,7 +51,6 @@ joySetThreshold mci32Message mciDriverNotify mciDriverYield -mciExecute mciFreeCommandResource mciGetCreatorTask mciGetDeviceIDA diff --git a/lib/libc/mingw/lib-common/winrnr.def b/lib/libc/mingw/lib-common/winrnr.def new file mode 100644 index 0000000000..4dfbc313a3 --- /dev/null +++ b/lib/libc/mingw/lib-common/winrnr.def @@ -0,0 +1,11 @@ +; +; Exports of file WINRNR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WINRNR.dll +EXPORTS +InstallNTDSProvider +NSPStartup +RemoveNTDSProvider diff --git a/lib/libc/mingw/lib-common/winspool.def b/lib/libc/mingw/lib-common/winspool.def index 9509b52f85..9ef561f936 100644 --- a/lib/libc/mingw/lib-common/winspool.def +++ b/lib/libc/mingw/lib-common/winspool.def @@ -91,7 +91,6 @@ DeviceCapabilities DeviceCapabilitiesA DeviceCapabilitiesW DevicePropertySheets -DocumentEvent DocumentPropertiesA DocumentPropertiesW DocumentPropertySheets @@ -171,9 +170,6 @@ PlayGdiScriptOnPrinterIC PrinterMessageBoxA PrinterMessageBoxW PrinterProperties -QueryColorProfile -QueryRemoteFonts -QuerySpoolMode ReadPrinter RegisterForPrintAsyncNotifications ReportJobProcessingProgress @@ -196,11 +192,9 @@ SetPrinterDataExW SetPrinterDataW SetPrinterW SplDriverUnloadComplete -SpoolerDevQueryPrintW SpoolerInit SpoolerPrinterEvent StartDocDlgA -StartDocDlgW StartDocPrinterA StartDocPrinterW StartPagePrinter diff --git a/lib/libc/mingw/lib-common/winsrv.def b/lib/libc/mingw/lib-common/winsrv.def new file mode 100644 index 0000000000..2b217dea9b --- /dev/null +++ b/lib/libc/mingw/lib-common/winsrv.def @@ -0,0 +1,12 @@ +; +; Exports of file winsrv.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY winsrv.dll +EXPORTS +ConServerDllInitialization +UserServerDllInitialization +_UserSoundSentry +_UserTestTokenForInteractive diff --git a/lib/libc/mingw/lib-common/wkssvc.def b/lib/libc/mingw/lib-common/wkssvc.def new file mode 100644 index 0000000000..356718a015 --- /dev/null +++ b/lib/libc/mingw/lib-common/wkssvc.def @@ -0,0 +1,10 @@ +; +; Exports of file wkssvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wkssvc.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/wlanapi.def b/lib/libc/mingw/lib-common/wlanapi.def index 2cc27852aa..b023795799 100644 --- a/lib/libc/mingw/lib-common/wlanapi.def +++ b/lib/libc/mingw/lib-common/wlanapi.def @@ -5,9 +5,9 @@ ; LIBRARY "wlanapi.dll" EXPORTS -WFDGetSessionEndpointPairsInt QueryNetconStatus QueryNetconVirtualCharacteristic +WFDAbortSessionInt WFDAcceptConnectRequestAndOpenSessionInt WFDAcceptGroupRequestAndOpenSessionInt WFDCancelConnectorPairWithOOB @@ -21,54 +21,103 @@ WFDCloseOOBPairingSession WFDCloseSession WFDCloseSessionInt WFDConfigureFirewallForSessionInt +WFDCreateDHPrivatePublicKeyPairInt WFDDeclineConnectRequestInt WFDDeclineGroupRequestInt +WFDDiscoverDeviceServiceInformationInt +WFDDiscoverDevicesExInt WFDDiscoverDevicesInt WFDFlushVisibleDeviceListInt WFDForceDisconnectInt WFDForceDisconnectLegacyPeerInt WFDFreeMemoryInt WFDGetDefaultGroupProfileInt +WFDGetDeviceDescriptorForPendingRequestInt +WFDGetNFCCarrierConfigBlobInt WFDGetOOBBlob +WFDGetPrimaryAdapterStateInt WFDGetProfileKeyInfoInt +WFDGetSessionEndpointPairsInt +WFDGetVisibleDevicesExInt WFDGetVisibleDevicesInt WFDIsInterfaceWiFiDirect WFDIsWiFiDirectRunningOnWiFiAdapter WFDLowPrivCancelOpenSessionInt WFDLowPrivCloseHandleInt +WFDLowPrivCloseLegacySessionInt WFDLowPrivCloseSessionInt WFDLowPrivConfigureFirewallForSessionInt +WFDLowPrivDeclineDeviceApiConnectionRequestInt +WFDLowPrivGetPendingGroupRequestDetailsInt WFDLowPrivGetSessionEndpointPairsInt WFDLowPrivIsWfdSupportedInt WFDLowPrivOpenHandleInt +WFDLowPrivOpenLegacySessionInt +WFDLowPrivOpenSessionByDafObjectIdInt +WFDLowPrivQueryPropertyInt WFDLowPrivRegisterNotificationInt WFDLowPrivStartOpenSessionByInterfaceIdInt +WFDLowPrivRegisterVMgrCallerInt +WFDLowPrivSetPropertyInt +WFDLowPrivStartDeviceApiConnectionRequestListenerInt +WFDLowPrivStartUsingGroupInt +WFDLowPrivStopDeviceApiConnectionRequestListenerInt +WFDLowPrivStopUsingGroupInt +WFDLowPrivUnregisterVMgrCallerInt WFDOpenHandle WFDOpenHandleInt WFDOpenLegacySession WFDOpenLegacySessionInt WFDPairCancelByDeviceAddressInt WFDPairCancelInt +WFDPairContinuePairWithDeviceInt WFDPairEnumerateCeremoniesInt WFDPairSelectCeremonyInt WFDPairWithDeviceAndOpenSessionExInt WFDPairWithDeviceAndOpenSessionInt WFDParseOOBBlob +WFDParseOOBBlobTypeAndGetPayloadInt WFDParseProfileXmlInt +WFDParseWfaNfcCarrierConfigBlobInt WFDQueryPropertyInt WFDRegisterNotificationInt +WFDRegisterVMgrCallerInt +WFDResetSelectedWfdMgrInt WFDSetAdditionalIEsInt WFDSetPropertyInt WFDSetSecondaryDeviceTypeListInt +WFDSetSelectedWfdMgrInt +WFDStartBackgroundDiscoveryInt WFDStartConnectorPairWithOOB WFDStartListenerPairWithOOB +WFDStartOffloadedDiscoveryInt WFDStartOpenSession WFDStartOpenSessionInt +WFDStartUsingGroupExInt WFDStartUsingGroupInt +WFDStopBackgroundDiscoveryInt +WFDStopDiscoverDevicesExInt WFDStopDiscoverDevicesInt +WFDStopOffloadedDiscoveryInt WFDStopUsingGroupInt +WFDSvcLowPrivAcceptSessionInt +WFDSvcLowPrivCancelSessionInt +WFDSvcLowPrivCloseSessionInt +WFDSvcLowPrivConfigureSessionInt +WFDSvcLowPrivConnectSessionInt +WFDSvcLowPrivGetProvisioningInfoInt +WFDSvcLowPrivGetSessionEndpointPairsInt +WFDSvcLowPrivOpenAdvertiserSessionInt +WFDSvcLowPrivOpenSeekerSessionInt +WFDSvcLowPrivPublishServiceInt +WFDSvcLowPrivUnpublishServiceInt +WFDUnregisterVMgrCallerInt WFDUpdateDeviceVisibility +WiFiDisplayResetSinkStateInt +WiFiDisplaySetSinkClientHandleInt +WiFiDisplaySetSinkStateInt WlanAllocateMemory +WlanAllocateProfileIpConfiguration WlanCancelPlap WlanCloseHandle WlanConnect @@ -76,6 +125,7 @@ WlanConnectEx WlanConnectWithInput WlanDeinitPlapParams WlanDeleteProfile +WlanDeviceServiceCommand WlanDisconnect WlanDoPlap WlanDoesBssMatchSecurity @@ -85,6 +135,7 @@ WlanExtractPsdIEDataList WlanFreeMemory WlanGenerateProfileXmlBasicSettings WlanGetAvailableNetworkList +WlanGetAvailableNetworkList2 WlanGetFilterList WlanGetInterfaceCapability WlanGetMFPNegotiated @@ -96,10 +147,12 @@ WlanGetProfileIndex WlanGetProfileKeyInfo WlanGetProfileList WlanGetProfileMetadata +WlanGetProfileMetadataWithProfileGuid WlanGetProfileSsidList WlanGetRadioInformation WlanGetSecuritySettings WlanGetStoredRadioState +WlanGetSupportedDeviceServices WlanHostedNetworkForceStart WlanHostedNetworkForceStop WlanHostedNetworkFreeWCNSettings @@ -117,6 +170,11 @@ WlanHostedNetworkStartUsing WlanHostedNetworkStopUsing WlanIhvControl WlanInitPlapParams +WlanInternalCancelFTMRequest +WlanInternalGetNetworkBssListWithFTMData +WlanInternalNonDisruptiveScan +WlanInternalNonDisruptiveScanEx +WlanInternalRequestFTM WlanInternalScan WlanIsActiveConsoleUser WlanIsNetworkSuppressed @@ -124,13 +182,31 @@ WlanIsUIRequestPending WlanLowPrivCloseHandle WlanLowPrivEnumInterfaces WlanLowPrivFreeMemory +WlanLowPrivNotifyVsIeProviderInt WlanLowPrivOpenHandle WlanLowPrivQueryInterface WlanLowPrivSetInterface +WlanNotifyVsIeProviderExInt WlanNotifyVsIeProviderInt WlanOpenHandle WlanParseProfileXmlBasicSettings +WlanPrivateCanDeleteProfile +WlanPrivateClearAnqpCache +WlanPrivateDeleteProfile +WlanPrivateEnableAnqpOsuRegistration +WlanPrivateGetAnqpCacheResponse +WlanPrivateGetAnqpOSUProviderList +WlanPrivateGetAnqpOsuRegistrationStatus WlanPrivateGetAvailableNetworkList +WlanPrivateParseAnqpRawData +WlanPrivateQuery11adPairedConfig +WlanPrivateQueryInterface +WlanPrivateRefreshAnqpCache +WlanPrivateSetInterface +WlanPrivateSetProfile +WlanProfileIpConfigurationGetAddressList +WlanProfileIpConfigurationGetDnsServerList +WlanProfileIpConfigurationGetGatewayList WlanQueryAutoConfigParameter WlanQueryCreateAllUserProfileRestricted WlanQueryInterface @@ -139,6 +215,7 @@ WlanQueryPreConnectInput WlanQueryVirtualInterfaceType WlanReasonCodeToString WlanRefreshConnections +WlanRegisterDeviceServiceNotification WlanRegisterNotification WlanRegisterVirtualStationNotification WlanRemoveUIForwardingNetworkList @@ -155,23 +232,34 @@ WlanSetProfileCustomUserData WlanSetProfileEapUserData WlanSetProfileEapXmlUserData WlanSetProfileList +WlanSetProfileListForOffload WlanSetProfileMetadata WlanSetProfilePosition +WlanSetProtectedScenario WlanSetPsdIEDataList WlanSetSecuritySettings WlanSetUIForwardingNetworkList WlanSignalValueToBar +WlanSignalValueToBarEx WlanSsidToDisplayName WlanStartAP +WlanStartMovementDetector WlanStopAP +WlanStopMovementDetector WlanStoreRadioStateOnEnteringAirPlaneMode WlanStringToSsid +WlanStringToUtf8Ssid WlanTryUpgradeCurrentConnectionAuthCipher +WlanUpdateBasicProfileSecurity WlanUpdateProfileWithAuthCipher WlanUtf8SsidToDisplayName +WlanVMgrQueryCurrentScenariosInt +WlanVerifyProfileIpConfiguration +WlanWcmDisconnect WlanWcmGetInterface WlanWcmGetProfileList WlanWcmSetInterface +WlanWcmSetProfile WlanWfdGOSetWCNSettings WlanWfdGetPeerInfo WlanWfdStartGO diff --git a/lib/libc/mingw/lib-common/wlanui.def b/lib/libc/mingw/lib-common/wlanui.def new file mode 100644 index 0000000000..9286debfa1 --- /dev/null +++ b/lib/libc/mingw/lib-common/wlanui.def @@ -0,0 +1,13 @@ +; +; Definition file of wlanui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "wlanui.dll" +EXPORTS +WLInvokeProfileUI +WLInvokeProfileUIFromXMLFile +DllGetClassObject +WLFreeProfile +WLFreeProfileXml +WlanUIEditProfile diff --git a/lib/libc/mingw/lib-common/wlanutil.def b/lib/libc/mingw/lib-common/wlanutil.def new file mode 100644 index 0000000000..534f88b0eb --- /dev/null +++ b/lib/libc/mingw/lib-common/wlanutil.def @@ -0,0 +1,12 @@ +; +; Definition file of wlanutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlanutil.dll" +EXPORTS +WlanIsActiveConsoleUser +WlanSignalValueToBar +WlanSsidToDisplayName +WlanStringToSsid +WlanUtf8SsidToDisplayName diff --git a/lib/libc/mingw/lib-common/wmi.def b/lib/libc/mingw/lib-common/wmi.def new file mode 100644 index 0000000000..a061d11ea3 --- /dev/null +++ b/lib/libc/mingw/lib-common/wmi.def @@ -0,0 +1,53 @@ +; +; Exports of file WMI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WMI.dll +EXPORTS +CloseTrace +ControlTraceA +ControlTraceW +CreateTraceInstanceId +EnableTrace +GetTraceEnableFlags +GetTraceEnableLevel +GetTraceLoggerHandle +OpenTraceA +OpenTraceW +ProcessTrace +QueryAllTracesA +QueryAllTracesW +RegisterTraceGuidsA +RegisterTraceGuidsW +RemoveTraceCallback +SetTraceCallback +StartTraceA +StartTraceW +TraceEvent +TraceEventInstance +UnregisterTraceGuids +WmiCloseBlock +WmiDevInstToInstanceNameA +WmiDevInstToInstanceNameW +WmiEnumerateGuids +WmiExecuteMethodA +WmiExecuteMethodW +WmiFileHandleToInstanceNameA +WmiFileHandleToInstanceNameW +WmiFreeBuffer +WmiMofEnumerateResourcesA +WmiMofEnumerateResourcesW +WmiNotificationRegistrationA +WmiNotificationRegistrationW +WmiOpenBlock +WmiQueryAllDataA +WmiQueryAllDataW +WmiQueryGuidInformation +WmiQuerySingleInstanceA +WmiQuerySingleInstanceW +WmiSetSingleInstanceA +WmiSetSingleInstanceW +WmiSetSingleItemA +WmiSetSingleItemW diff --git a/lib/libc/mingw/lib-common/wmiprop.def b/lib/libc/mingw/lib-common/wmiprop.def new file mode 100644 index 0000000000..6efc9ad5b6 --- /dev/null +++ b/lib/libc/mingw/lib-common/wmiprop.def @@ -0,0 +1,9 @@ +; +; Definition file of WmiProp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WmiProp.dll" +EXPORTS +WmiPropCoInstaller +WmiPropPageProvider diff --git a/lib/libc/mingw/lib-common/wpd_ci.def b/lib/libc/mingw/lib-common/wpd_ci.def new file mode 100644 index 0000000000..e6bdca8559 --- /dev/null +++ b/lib/libc/mingw/lib-common/wpd_ci.def @@ -0,0 +1,12 @@ +; +; Definition file of wpd_ci.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wpd_ci.dll" +EXPORTS +CoDeviceInstall +DoCmd +MigrateMTPDevicesInstalledAsMSC +RescanBus +WpdClassInstaller diff --git a/lib/libc/mingw/lib-common/wpprecorderum.def b/lib/libc/mingw/lib-common/wpprecorderum.def new file mode 100644 index 0000000000..30c6de0ac0 --- /dev/null +++ b/lib/libc/mingw/lib-common/wpprecorderum.def @@ -0,0 +1,8 @@ +LIBRARY wpprecorderum + +EXPORTS + +WppAutoLogGetDefaultHandle +WppAutoLogStart +WppAutoLogStop +WppAutoLogTrace diff --git a/lib/libc/mingw/lib-common/ws2help.def b/lib/libc/mingw/lib-common/ws2help.def new file mode 100644 index 0000000000..fb87bb2cb1 --- /dev/null +++ b/lib/libc/mingw/lib-common/ws2help.def @@ -0,0 +1,31 @@ +; +; Definition file of WS2HELP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WS2HELP.dll" +EXPORTS +WahCloseApcHelper +WahCloseHandleHelper +WahCloseNotificationHandleHelper +WahCloseSocketHandle +WahCloseThread +WahCompleteRequest +WahCreateHandleContextTable +WahCreateNotificationHandle +WahCreateSocketHandle +WahDestroyHandleContextTable +WahDisableNonIFSHandleSupport +WahEnableNonIFSHandleSupport +WahEnumerateHandleContexts +WahInsertHandleContext +WahNotifyAllProcesses +WahOpenApcHelper +WahOpenCurrentThread +WahOpenHandleHelper +WahOpenNotificationHandleHelper +WahQueueUserApc +WahReferenceContextByHandle +WahRemoveHandleContext +WahWaitForNotification +WahWriteLSPEvent diff --git a/lib/libc/mingw/lib-common/wscsvc.def b/lib/libc/mingw/lib-common/wscsvc.def new file mode 100644 index 0000000000..9d78b196a7 --- /dev/null +++ b/lib/libc/mingw/lib-common/wscsvc.def @@ -0,0 +1,10 @@ +; +; Exports of file WSCSVC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WSCSVC.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib-common/wshbth.def b/lib/libc/mingw/lib-common/wshbth.def new file mode 100644 index 0000000000..f97dbc7ed3 --- /dev/null +++ b/lib/libc/mingw/lib-common/wshbth.def @@ -0,0 +1,25 @@ +; +; Exports of file wshbth.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wshbth.dll +EXPORTS +NSPStartup +WSHAddressToString +WSHEnumProtocols +WSHGetBroadcastSockaddr +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/lib-common/wslapi.def b/lib/libc/mingw/lib-common/wslapi.def new file mode 100644 index 0000000000..b2a81c3556 --- /dev/null +++ b/lib/libc/mingw/lib-common/wslapi.def @@ -0,0 +1,9 @@ +LIBRARY "wslapi.dll" +EXPORTS +WslConfigureDistribution +WslGetDistributionConfiguration +WslIsDistributionRegistered +WslLaunch +WslLaunchInteractive +WslRegisterDistribution +WslUnregisterDistribution diff --git a/lib/libc/mingw/lib-common/xaudio2_9.def b/lib/libc/mingw/lib-common/xaudio2_9.def new file mode 100644 index 0000000000..2e3338dab9 --- /dev/null +++ b/lib/libc/mingw/lib-common/xaudio2_9.def @@ -0,0 +1,17 @@ +; +; Definition file of XAudio2_9.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAudio2_9.dll" +EXPORTS +XAudio2Create +CreateAudioReverb +CreateAudioVolumeMeter +CreateFX +X3DAudioCalculate +X3DAudioInitialize +CreateAudioReverbV2_8 +XAudio2CreateV2_9 +XAudio2CreateWithVersionInfo +XAudio2CreateWithSharedContexts diff --git a/lib/libc/mingw/lib-common/xinputuap.def b/lib/libc/mingw/lib-common/xinputuap.def new file mode 100644 index 0000000000..ea912964af --- /dev/null +++ b/lib/libc/mingw/lib-common/xinputuap.def @@ -0,0 +1,11 @@ +LIBRARY xinputuap + +EXPORTS + +XInputEnable +XInputGetAudioDeviceIds +XInputGetBatteryInformation +XInputGetCapabilities +XInputGetKeystroke +XInputGetState +XInputSetState diff --git a/lib/libc/mingw/libarm32/xmllite.def b/lib/libc/mingw/lib-common/xmllite.def similarity index 89% rename from lib/libc/mingw/libarm32/xmllite.def rename to lib/libc/mingw/lib-common/xmllite.def index 2cf21b845b..a99294bd66 100644 --- a/lib/libc/mingw/libarm32/xmllite.def +++ b/lib/libc/mingw/lib-common/xmllite.def @@ -1,7 +1,7 @@ ; ; Definition file of XmlLite.dll ; Automatic generated by gendef -; written by Kai Tietz 2008-2014 +; written by Kai Tietz 2008 ; LIBRARY "XmlLite.dll" EXPORTS diff --git a/lib/libc/mingw/lib32/adsldpc.def b/lib/libc/mingw/lib32/adsldpc.def new file mode 100644 index 0000000000..0fd1d21b69 --- /dev/null +++ b/lib/libc/mingw/lib32/adsldpc.def @@ -0,0 +1,189 @@ +; +; Definition file of adsldpc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "adsldpc.dll" +EXPORTS +; public: __thiscall CLexer::CLexer(void) +??0CLexer@@QAE@XZ ; has WINAPI (@0) +; public: __thiscall CLexer::~CLexer(void) +??1CLexer@@QAE@XZ ; has WINAPI (@0) +ADSIPrint@0 +ADsAbandonSearch@4 +ADsCloseSearchHandle@4 +ADsCreateAttributeDefinition@8 +ADsCreateClassDefinition@8 +ADsCreateDSObject@20 +ADsCreateDSObjectExt@28 +ADsDeleteAttributeDefinition@4 +ADsDeleteClassDefinition@4 +ADsDeleteDSObject@12 +ADsEnumAttributes@44 +ADsEnumClasses@16 +ADsExecuteSearch@124 +ADsFreeColumn@4 +ADsGetColumn@20 +ADsGetFirstRow@8 +ADsGetNextColumnName@8 +ADsGetNextRow@8 +ADsGetObjectAttributes@52 +ADsGetPreviousRow@8 +ADsHelperGetCurrentRowMessage@12 +ADsObject@8 +ADsSetObjectAttributes@48 +ADsSetSearchPreference@28 +ADsWriteAttributeDefinition@8 +ADsWriteClassDefinition@8 +AdsTypeToLdapTypeCopyConstruct@20 +AdsTypeToLdapTypeCopyDNWithBinary@12 +AdsTypeToLdapTypeCopyDNWithString@12 +AdsTypeToLdapTypeCopyGeneralizedTime@12 +AdsTypeToLdapTypeCopyTime@12 +BerBvFree@4 +BerEncodingQuotaControl@12 +BuildADsParentPath@12 +BuildADsParentPathFromObjectInfo2@12 +BuildADsParentPathFromObjectInfo@20 +BuildADsPathFromLDAPPath2@24 +BuildADsPathFromLDAPPath@12 +BuildADsPathFromParent@12 +BuildLDAPPathFromADsPath2@16 +BuildLDAPPathFromADsPath@8 +ChangeSeparator@4 +Component@8 +ConvertSidToString@12 +ConvertSidToU2Trustee@20 +ConvertU2TrusteeToSid@20 +FindEntryInSearchTable@12 +FindSearchTableIndex@12 +FreeObjectInfo@4 +GetDefaultServer@28 +GetDisplayName@8 +GetDomainDNSNameForDomain@28 +GetLDAPTypeName@8 +; public: long __thiscall CLexer::GetNextToken(unsigned short *,unsigned long *) +?GetNextToken@CLexer@@QAEJPAGPAK@Z ; has WINAPI (@8) +GetServerAndPort@12 +GetSyntaxOfAttribute@8 +InitObjectInfo@8 +; public: long __thiscall CLexer::InitializePath(unsigned short *) +?InitializePath@CLexer@@QAEJPAG@Z ; has WINAPI (@4) +IsGCNamespace@4 +LdapAddExtS@20 +LdapAddS@12 +LdapAttributeFree@4 +LdapCacheAddRef@4 +LdapCloseObject@4 +LdapCompareExt@28 +LdapControlFree@4 +LdapControlsFree@4 +LdapCountEntries@8 +LdapCrackUserDNtoNTLMUser2@12 +LdapCreatePageControl@20 +LdapDeleteExtS@16 +LdapDeleteS@8 +LdapFirstAttribute@16 +LdapFirstEntry@12 +LdapGetDn@12 +LdapGetNextPageS@24 +LdapGetSchemaObjectCount@20 +LdapGetSubSchemaSubEntryPath@16 +LdapGetSyntaxIdOfAttribute@4 +LdapGetSyntaxOfAttributeOnServer@24 +LdapGetValues@20 +LdapGetValuesLen@20 +LdapInitializeSearchPreferences@8 +LdapIsClassNameValidOnServer@20 +LdapMakeSchemaCacheObsolete@12 +LdapMemFree@4 +LdapModDnS@16 +LdapModifyExtS@20 +LdapModifyS@12 +LdapMsgFree@4 +LdapNextAttribute@16 +LdapNextEntry@12 +LdapOpenObject2@24 +LdapOpenObject@20 +LdapParsePageControl@16 +LdapParseResult@32 +LdapReadAttribute2@36 +LdapReadAttribute@28 +LdapReadAttributeFast@20 +LdapRenameExtS@28 +LdapResult@24 +LdapSearch@28 +LdapSearchAbandonPage@8 +LdapSearchExtS@44 +LdapSearchInitPage@48 +LdapSearchS@28 +LdapSearchST@32 +LdapTypeBinaryToString@12 +LdapTypeCopyConstruct@16 +LdapTypeFreeLdapModList@4 +LdapTypeFreeLdapModObject@4 +LdapTypeFreeLdapObjects@4 +LdapTypeToAdsTypeDNWithBinary@8 +LdapTypeToAdsTypeDNWithString@8 +LdapTypeToAdsTypeGeneralizedTime@8 +LdapTypeToAdsTypeUTCTime@8 +LdapValueFree@4 +LdapValueFreeLen@4 +LdapcKeepHandleAround@4 +LdapcSetStickyServer@8 +PathName@8 +ReadPagingSupportedAttr@16 +ReadSecurityDescriptorControlType@16 +ReadServerSupportsIsADAMControl@16 +ReadServerSupportsIsADControl@16 +SchemaAddRef@4 +SchemaClose@4 +SchemaGetClassInfo@12 +SchemaGetClassInfoByIndex@12 +SchemaGetObjectCount@12 +SchemaGetPropertyInfo@12 +SchemaGetPropertyInfoByIndex@12 +SchemaGetStringsFromStringTable@16 +SchemaGetSyntaxOfAttribute@12 +SchemaIsClassAContainer@12 +SchemaOpen@16 +; public: void __thiscall CLexer::SetAtDisabler(int) +?SetAtDisabler@CLexer@@QAEXH@Z ; has WINAPI (@4) +; public: void __thiscall CLexer::SetExclaimnationDisabler(int) +?SetExclaimnationDisabler@CLexer@@QAEXH@Z ; has WINAPI (@4) +; public: void __thiscall CLexer::SetFSlashDisabler(int) +?SetFSlashDisabler@CLexer@@QAEXH@Z ; has WINAPI (@4) +SortAndRemoveDuplicateOIDs@8 +UnMarshallLDAPToLDAPSynID@20 +intcmp@0 +ADSIAbandonSearch@8 +ADSICloseDSObject@4 +ADSICloseSearchHandle@8 +ADSICreateDSObject@16 +ADSIDeleteDSObject@8 +ADSIExecuteSearch@20 +ADSIFreeColumn@8 +ADSIGetColumn@16 +ADSIGetFirstRow@8 +ADSIGetNextColumnName@12 +ADSIGetNextRow@8 +ADSIGetObjectAttributes@20 +ADSIGetPreviousRow@8 +ADSIModifyRdn@12 +ADSIOpenDSObject@20 +ADSISetObjectAttributes@16 +ADSISetSearchPreference@12 +ADsDecodeBinaryData@12 +ADsEncodeBinaryData@12 +ADsGetLastError@20 +ADsSetLastError@12 +AdsTypeFreeAdsObjects@8 +AllocADsMem@4 +AllocADsStr@4 +FreeADsMem@4 +FreeADsStr@4 +LdapTypeToAdsTypeCopyConstruct@28 +MapADSTypeToLDAPType@4 +MapLDAPTypeToADSType@4 +ReallocADsMem@12 +ReallocADsStr@8 diff --git a/lib/libc/mingw/lib32/advapi32.def b/lib/libc/mingw/lib32/advapi32.def index 91076556d9..5d9953bda8 100644 --- a/lib/libc/mingw/lib32/advapi32.def +++ b/lib/libc/mingw/lib32/advapi32.def @@ -67,6 +67,19 @@ AuditSetSecurity@8 AuditSetSystemPolicy@8 BackupEventLogA@8 BackupEventLogW@8 +BaseRegCloseKey@4 +BaseRegCreateKey@32 +BaseRegDeleteKeyEx@16 +BaseRegDeleteValue@8 +BaseRegFlushKey@4 +BaseRegGetVersion@8 +BaseRegLoadKey@12 +BaseRegOpenKey@20 +BaseRegRestoreKey@12 +BaseRegSaveKeyEx@16 +BaseRegSetKeySecurity@12 +BaseRegSetValue@20 +BaseRegUnLoadKey@8 BuildExplicitAccessWithNameA@20 BuildExplicitAccessWithNameW@20 BuildImpersonateExplicitAccessWithNameA@24 @@ -88,6 +101,7 @@ ChangeServiceConfig2A@12 ChangeServiceConfig2W@12 ChangeServiceConfigA@44 ChangeServiceConfigW@44 +CheckForHiberboot@8 CheckTokenMembership@12 ClearEventLogA@8 ClearEventLogW@8 @@ -106,6 +120,7 @@ ControlTraceA@20 ControlTraceW@20 ConvertAccessToSecurityDescriptorA@20 ConvertAccessToSecurityDescriptorW@20 +ConvertSDToStringSDDomainW@28 ConvertSDToStringSDRootDomainA@24 ConvertSDToStringSDRootDomainW@24 ConvertSecurityDescriptorToAccessA@28 @@ -222,6 +237,7 @@ CryptSignHashA@24 CryptSignHashW@24 CryptVerifySignatureA@24 CryptVerifySignatureW@24 +CveEventWrite@8 DecryptFileA@8 DecryptFileW@8 DeleteAce@8 @@ -261,6 +277,7 @@ EncryptedFileKeyInfo@12 EncryptionDisable@8 EnumDependentServicesA@24 EnumDependentServicesW@24 +EnumDynamicTimeZoneInformation@8 EnumServiceGroupW@36 EnumServicesStatusA@32 EnumServicesStatusExA@40 @@ -278,6 +295,7 @@ EventActivityIdControl@8 EventEnabled@12 EventProviderEnabled@20 EventRegister@16 +EventSetInformation@20 EventUnregister@8 EventWrite@20 EventWriteEndScenario@20 @@ -304,6 +322,7 @@ GetAuditedPermissionsFromAclA@16 GetAuditedPermissionsFromAclW@16 GetCurrentHwProfileA@4 GetCurrentHwProfileW@4 +GetDynamicTimeZoneInformationEffectiveYears@12 GetEffectiveRightsFromAclA@12 GetEffectiveRightsFromAclW@12 GetEncryptedFileMetadata@12 @@ -353,6 +372,7 @@ GetSidIdentifierAuthority@4 GetSidLengthRequired@4 GetSidSubAuthority@8 GetSidSubAuthorityCount@4 +GetStringConditionFromBinary@16 GetSiteDirectoryA@12 GetSiteDirectoryW@12 GetSiteNameFromSid@8 @@ -408,7 +428,7 @@ IsWellKnownSid@8 LockServiceDatabase@4 LogonUserA@24 LogonUserExA@40 -LogonUserExExW@44 +LogonUserExExW@44 LogonUserExW@40 LogonUserW@24 LookupAccountNameA@28 @@ -427,12 +447,15 @@ LsaAddAccountRights@16 LsaAddPrivilegesToAccount@8 LsaClearAuditLog@4 LsaClose@4 +LsaConfigureAutoLogonCredentials@0 LsaCreateAccount@16 LsaCreateSecret@16 LsaCreateTrustedDomain@16 LsaCreateTrustedDomainEx@20 LsaDelete@4 LsaDeleteTrustedDomain@8 +LsaDisableUserArso@4 +LsaEnableUserArso@4 LsaEnumerateAccountRights@16 LsaEnumerateAccounts@20 LsaEnumerateAccountsWithUserRight@16 @@ -441,6 +464,8 @@ LsaEnumeratePrivilegesOfAccount@8 LsaEnumerateTrustedDomains@20 LsaEnumerateTrustedDomainsEx@20 LsaFreeMemory@4 +LsaGetAppliedCAPIDs@12 +LsaGetDeviceRegistrationInfo@4 LsaGetQuotasForAccount@8 LsaGetRemoteUserName@12 LsaGetSystemAccessAccount@8 @@ -449,11 +474,15 @@ LsaICLookupNames@40 LsaICLookupNamesWithCreds@48 LsaICLookupSids@36 LsaICLookupSidsWithCreds@48 +LsaInvokeTrustScanner@16 +LsaIsUserArsoAllowed@4 +LsaIsUserArsoEnabled@8 LsaLookupNames2@24 LsaLookupNames@20 LsaLookupPrivilegeDisplayName@16 LsaLookupPrivilegeName@12 LsaLookupPrivilegeValue@12 +LsaLookupSids2@24 LsaLookupSids@20 LsaManageSidNameMapping@12 LsaNtStatusToWinError@4 @@ -463,7 +492,10 @@ LsaOpenPolicySce@16 LsaOpenSecret@16 LsaOpenTrustedDomain@16 LsaOpenTrustedDomainByName@16 +LsaProfileDeleted@4 +LsaQueryCAPs@16 LsaQueryDomainInformationPolicy@12 +LsaQueryForestTrustInformation2@16 LsaQueryForestTrustInformation@12 LsaQueryInfoTrustedDomain@12 LsaQueryInformationPolicy@12 @@ -474,7 +506,9 @@ LsaQueryTrustedDomainInfoByName@16 LsaRemoveAccountRights@20 LsaRemovePrivilegesFromAccount@12 LsaRetrievePrivateData@12 +LsaSetCAPs@12 LsaSetDomainInformationPolicy@12 +LsaSetForestTrustInformation2@24 LsaSetForestTrustInformation@20 LsaSetInformationPolicy@12 LsaSetInformationTrustedDomain@12 @@ -485,6 +519,7 @@ LsaSetSystemAccessAccount@8 LsaSetTrustedDomainInfoByName@16 LsaSetTrustedDomainInformation@16 LsaStorePrivateData@12 +LsaValidateProcUniqueLuid@4 MD4Final@4 MD4Init@4 MD4Update@12 @@ -502,6 +537,7 @@ NotifyChangeEventLog@8 NotifyServiceStatusChange@12 NotifyServiceStatusChangeA@12 NotifyServiceStatusChangeW@12 +NpGetUserName@12 ObjectCloseAuditAlarmA@12 ObjectCloseAuditAlarmW@12 ObjectDeleteAuditAlarmA@12 @@ -525,6 +561,8 @@ OpenThreadToken@16 OpenThreadWaitChainSession@8 OpenTraceA@4 OpenTraceW@4 +OperationEnd@4 +OperationStart@4 PerfAddCounters@12 PerfCloseQueryHandle@4 PerfCreateInstance@16 @@ -541,6 +579,12 @@ PerfQueryCounterData@16 PerfQueryCounterInfo@16 PerfQueryCounterSetRegistrationInfo@28 PerfQueryInstance@16 +PerfRegCloseKey@4 +PerfRegEnumKey@24 +PerfRegEnumValue@32 +PerfRegQueryInfoKey@44 +PerfRegQueryValue@28 +PerfRegSetValue@24 PerfSetCounterRefValue@16 PerfSetCounterSetInfo@12 PerfSetULongCounterValue@16 @@ -562,12 +606,14 @@ QueryServiceConfig2A@20 QueryServiceConfig2W@20 QueryServiceConfigA@16 QueryServiceConfigW@16 +QueryServiceDynamicInformation@12 QueryServiceLockStatusA@16 QueryServiceLockStatusW@16 QueryServiceObjectSecurity@20 QueryServiceStatus@8 QueryServiceStatusEx@20 QueryTraceA@16 +QueryTraceProcessingHandle@32 QueryTraceW@16 QueryUsersOnEncryptedFile@8 QueryWindows31FilesMigration@4 @@ -595,7 +641,6 @@ RegDeleteKeyTransactedA@24 RegDeleteKeyTransactedW@24 RegDeleteKeyValueA@12 RegDeleteKeyValueW@12 -RegDeleteKeyW@8 RegDeleteTreeA@8 RegDeleteTreeW@8 RegDeleteValueA@8 @@ -667,11 +712,18 @@ RegisterServiceCtrlHandlerW@8 RegisterTraceGuidsA@32 RegisterTraceGuidsW@32 RegisterWaitChainCOMCallback@8 +RemoteRegEnumKeyWrapper@20 +RemoteRegEnumValueWrapper@28 +RemoteRegQueryInfoKeyWrapper@40 +RemoteRegQueryMultipleValues2Wrapper@24 +RemoteRegQueryMultipleValuesWrapper@20 +RemoteRegQueryValueWrapper@24 RemoveTraceCallback@4 RemoveUsersFromEncryptedFile@8 ReportEventA@36 ReportEventW@36 RevertToSelf@0 +SafeBaseRegGetKeySecurity@16 SaferCloseLevel@4 SaferComputeTokenFromLevel@20 SaferCreateLevel@20 @@ -776,6 +828,7 @@ TraceEvent@12 TraceEventInstance@20 TraceMessage TraceMessageVa@24 +TraceQueryInformation@24 TraceSetInformation@20 TreeResetNamedSecurityInfoA@44 TreeResetNamedSecurityInfoW@44 @@ -791,6 +844,7 @@ UpdateTraceA@16 UpdateTraceW@16 UsePinForEncryptedFilesA@12 UsePinForEncryptedFilesW@12 +WaitServiceState@16 WmiCloseBlock@4 WmiDevInstToInstanceNameA@16 WmiDevInstToInstanceNameW@16 diff --git a/lib/libc/mingw/lib32/apcups.def b/lib/libc/mingw/lib32/apcups.def new file mode 100644 index 0000000000..b82d099914 --- /dev/null +++ b/lib/libc/mingw/lib32/apcups.def @@ -0,0 +1,8 @@ +LIBRARY apcups.dll +EXPORTS +UPSCancelWait@0 +UPSGetState@0 +UPSInit@0 +UPSStop@0 +UPSTurnOff@4 +UPSWaitForStateChange@8 diff --git a/lib/libc/mingw/lib32/api-ms-win-appmodel-runtime-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-appmodel-runtime-l1-1-1.def deleted file mode 100644 index 6366e3e48d..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-appmodel-runtime-l1-1-1.def +++ /dev/null @@ -1,19 +0,0 @@ -LIBRARY api-ms-win-appmodel-runtime-l1-1-1 - -EXPORTS - -FormatApplicationUserModelId@16 -GetCurrentApplicationUserModelId@8 -GetCurrentPackageFamilyName@8 -GetCurrentPackageId@8 -PackageFamilyNameFromFullName@12 -PackageFamilyNameFromId@12 -PackageFullNameFromId@12 -PackageIdFromFullName@16 -PackageNameAndPublisherIdFromFamilyName@20 -ParseApplicationUserModelId@20 -VerifyApplicationUserModelId@4 -VerifyPackageFamilyName@4 -VerifyPackageFullName@4 -VerifyPackageId@4 -VerifyPackageRelativeApplicationId@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-1.def deleted file mode 100644 index 66b7c52fd4..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-1.def +++ /dev/null @@ -1,23 +0,0 @@ -LIBRARY api-ms-win-core-comm-l1-1-1 - -EXPORTS - -ClearCommBreak@4 -ClearCommError@12 -EscapeCommFunction@8 -GetCommConfig@12 -GetCommMask@8 -GetCommModemStatus@8 -GetCommProperties@8 -GetCommState@8 -GetCommTimeouts@8 -OpenCommPort@ -PurgeComm@8 -SetCommBreak@4 -SetCommConfig@12 -SetCommMask@8 -SetCommState@8 -SetCommTimeouts@8 -SetupComm@12 -TransmitCommChar@8 -WaitCommEvent@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-2.def b/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-2.def deleted file mode 100644 index 2ef835d9b1..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-comm-l1-1-2.def +++ /dev/null @@ -1,24 +0,0 @@ -LIBRARY api-ms-win-core-comm-l1-1-2 - -EXPORTS - -ClearCommBreak@4 -ClearCommError@12 -EscapeCommFunction@8 -GetCommConfig@12 -GetCommMask@8 -GetCommModemStatus@8 -GetCommPorts@ -GetCommProperties@8 -GetCommState@8 -GetCommTimeouts@8 -OpenCommPort@ -PurgeComm@8 -SetCommBreak@4 -SetCommConfig@12 -SetCommMask@8 -SetCommState@8 -SetCommTimeouts@8 -SetupComm@12 -TransmitCommChar@8 -WaitCommEvent@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-errorhandling-l1-1-3.def b/lib/libc/mingw/lib32/api-ms-win-core-errorhandling-l1-1-3.def deleted file mode 100644 index de1fc9ad78..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-errorhandling-l1-1-3.def +++ /dev/null @@ -1,17 +0,0 @@ -LIBRARY api-ms-win-core-errorhandling-l1-1-3 - -EXPORTS - -AddVectoredExceptionHandler@8 -FatalAppExitA@8 -FatalAppExitW@8 -GetLastError@0 -GetThreadErrorMode@0 -RaiseException@16 -RaiseFailFastException@12 -RemoveVectoredExceptionHandler@4 -SetErrorMode@4 -SetLastError@4 -SetThreadErrorMode@8 -SetUnhandledExceptionFilter@4 -UnhandledExceptionFilter@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-0.def deleted file mode 100644 index 5cede3d02a..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-0.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-featurestaging-l1-1-0 - -EXPORTS - -GetFeatureEnabledState@8 -RecordFeatureError@8 -RecordFeatureUsage@16 -SubscribeFeatureStateChangeNotification@12 -UnsubscribeFeatureStateChangeNotification@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-1.def deleted file mode 100644 index d02a8623a0..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-featurestaging-l1-1-1.def +++ /dev/null @@ -1,10 +0,0 @@ -LIBRARY api-ms-win-core-featurestaging-l1-1-1 - -EXPORTS - -GetFeatureEnabledState@8 -GetFeatureVariant@16 -RecordFeatureError@8 -RecordFeatureUsage@16 -SubscribeFeatureStateChangeNotification@12 -UnsubscribeFeatureStateChangeNotification@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-file-fromapp-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-file-fromapp-l1-1-0.def deleted file mode 100644 index d303123871..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-file-fromapp-l1-1-0.def +++ /dev/null @@ -1,15 +0,0 @@ -LIBRARY api-ms-win-core-file-fromapp-l1-1-0 - -EXPORTS - -CopyFileFromAppW@12 -CreateDirectoryFromAppW@8 -CreateFile2FromAppW@20 -CreateFileFromAppW@28 -DeleteFileFromAppW@4 -FindFirstFileExFromAppW@24 -GetFileAttributesExFromAppW@12 -MoveFileFromAppW@8 -RemoveDirectoryFromAppW@4 -ReplaceFileFromAppW@24 -SetFileAttributesFromAppW@8 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-handle-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-handle-l1-1-0.def deleted file mode 100644 index 7d71381a51..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-handle-l1-1-0.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-handle-l1-1-0 - -EXPORTS - -CloseHandle@4 -CompareObjectHandles@8 -DuplicateHandle@28 -GetHandleInformation@8 -SetHandleInformation@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-libraryloader-l2-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-libraryloader-l2-1-0.def deleted file mode 100644 index 92382c0fb3..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-libraryloader-l2-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-libraryloader-l2-1-0 - -EXPORTS - -LoadPackagedLibrary@8 -QueryOptionalDelayLoadedAPI@16 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-3.def b/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-3.def deleted file mode 100644 index 6ca322a779..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-3.def +++ /dev/null @@ -1,35 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-3 - -EXPORTS - -CreateFileMappingFromApp@24 -CreateFileMappingW@24 -DiscardVirtualMemory@8 -FlushViewOfFile@8 -GetLargePageMinimum@0 -GetProcessWorkingSetSizeEx@16 -GetWriteWatch@24 -MapViewOfFile@20 -MapViewOfFileEx@24 -MapViewOfFileFromApp@20 -OfferVirtualMemory@12 -OpenFileMappingFromApp@12 -OpenFileMappingW@12 -ReadProcessMemory@20 -ReclaimVirtualMemory@8 -ResetWriteWatch@8 -SetProcessValidCallTargets@20 -SetProcessWorkingSetSizeEx@16 -UnmapViewOfFile@4 -UnmapViewOfFileEx@8 -VirtualAlloc@16 -VirtualAllocFromApp@16 -VirtualFree@12 -VirtualFreeEx@16 -VirtualLock@8 -VirtualProtect@16 -VirtualProtectFromApp@16 -VirtualQuery@12 -VirtualQueryEx@16 -VirtualUnlock@8 -WriteProcessMemory@20 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-4.def b/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-4.def deleted file mode 100644 index 419f4960aa..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-4.def +++ /dev/null @@ -1,35 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-4 - -EXPORTS - -CreateFileMappingFromApp@24 -CreateFileMappingW@24 -DiscardVirtualMemory@8 -FlushViewOfFile@8 -GetLargePageMinimum@0 -GetProcessWorkingSetSizeEx@16 -GetWriteWatch@24 -MapViewOfFile@20 -MapViewOfFileEx@24 -MapViewOfFileFromApp@20 -OfferVirtualMemory@12 -OpenFileMappingFromApp@12 -OpenFileMappingW@12 -ReadProcessMemory@20 -ReclaimVirtualMemory@8 -ResetWriteWatch@8 -SetProcessValidCallTargets@20 -SetProcessWorkingSetSizeEx@16 -UnmapViewOfFile@4 -UnmapViewOfFileEx@8 -VirtualAlloc@16 -VirtualAllocFromApp@16 -VirtualFree@12 -VirtualFreeEx@16 -VirtualLock@8 -VirtualProtect@16 -VirtualProtectFromApp@16 -VirtualQuery@12 -VirtualQueryEx@16 -VirtualUnlock@8 -WriteProcessMemory@20 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-5.def b/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-5.def deleted file mode 100644 index 45cd2bfb25..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-5.def +++ /dev/null @@ -1,37 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-5 - -EXPORTS - -CreateFileMappingFromApp@24 -CreateFileMappingW@24 -DiscardVirtualMemory@8 -FlushViewOfFile@8 -GetLargePageMinimum@0 -GetProcessWorkingSetSizeEx@16 -GetWriteWatch@24 -MapViewOfFile@20 -MapViewOfFileEx@24 -MapViewOfFileFromApp@20 -OfferVirtualMemory@12 -OpenFileMappingFromApp@12 -OpenFileMappingW@12 -ReadProcessMemory@20 -ReclaimVirtualMemory@8 -ResetWriteWatch@8 -SetProcessValidCallTargets -SetProcessWorkingSetSizeEx@16 -UnmapViewOfFile@4 -UnmapViewOfFile2@ -UnmapViewOfFileEx@8 -VirtualAlloc@16 -VirtualAllocFromApp@16 -VirtualFree@12 -VirtualFreeEx@16 -VirtualLock@8 -VirtualProtect@16 -VirtualProtectFromApp@16 -VirtualQuery@12 -VirtualQueryEx@16 -VirtualUnlock@8 -VirtualUnlockEx@12 -WriteProcessMemory@20 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-6.def b/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-6.def deleted file mode 100644 index d1d4d4f640..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-6.def +++ /dev/null @@ -1,39 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-6 - -EXPORTS - -CreateFileMappingFromApp@24 -CreateFileMappingW@24 -DiscardVirtualMemory@8 -FlushViewOfFile@8 -GetLargePageMinimum@0 -GetProcessWorkingSetSizeEx@16 -GetWriteWatch@24 -MapViewOfFile@20 -MapViewOfFile3FromApp@40 -MapViewOfFileEx@24 -MapViewOfFileFromApp@20 -OfferVirtualMemory@12 -OpenFileMappingFromApp@12 -OpenFileMappingW@12 -ReadProcessMemory@20 -ReclaimVirtualMemory@8 -ResetWriteWatch@8 -SetProcessValidCallTargets@20 -SetProcessWorkingSetSizeEx@16 -UnmapViewOfFile@4 -UnmapViewOfFile2@12 -UnmapViewOfFileEx@8 -VirtualAlloc@16 -VirtualAlloc2FromApp@28 -VirtualAllocFromApp@16 -VirtualFree@12 -VirtualFreeEx@16 -VirtualLock@8 -VirtualProtect@16 -VirtualProtectFromApp@16 -VirtualQuery@12 -VirtualQueryEx@16 -VirtualUnlock@8 -VirtualUnlockEx@12 -WriteProcessMemory@20 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-7.def b/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-7.def deleted file mode 100644 index db259abff4..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-memory-l1-1-7.def +++ /dev/null @@ -1,40 +0,0 @@ -LIBRARY api-ms-win-core-memory-l1-1-7 - -EXPORTS - -CreateFileMappingFromApp@24 -CreateFileMappingW@24 -DiscardVirtualMemory@8 -FlushViewOfFile@8 -GetLargePageMinimum@0 -GetProcessWorkingSetSizeEx@16 -GetWriteWatch@24 -MapViewOfFile@20 -MapViewOfFile3FromApp@40 -MapViewOfFileEx@24 -MapViewOfFileFromApp@20 -OfferVirtualMemory@12 -OpenFileMappingFromApp@12 -OpenFileMappingW@12 -ReadProcessMemory@20 -ReclaimVirtualMemory@8 -ResetWriteWatch@8 -SetProcessValidCallTargets@20 -SetProcessValidCallTargetsForMappedView@32 -SetProcessWorkingSetSizeEx@16 -UnmapViewOfFile@4 -UnmapViewOfFile2@12 -UnmapViewOfFileEx@8 -VirtualAlloc@16 -VirtualAlloc2FromApp@28 -VirtualAllocFromApp@16 -VirtualFree@12 -VirtualFreeEx@16 -VirtualLock@8 -VirtualProtect@16 -VirtualProtectFromApp@16 -VirtualQuery@12 -VirtualQueryEx@16 -VirtualUnlock@8 -VirtualUnlockEx@12 -WriteProcessMemory@20 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-path-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-path-l1-1-0.def deleted file mode 100644 index de0cf201d0..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-path-l1-1-0.def +++ /dev/null @@ -1,26 +0,0 @@ -LIBRARY api-ms-win-core-path-l1-1-0 - -EXPORTS - -PathAllocCanonicalize@12 -PathAllocCombine@16 -PathCchAddBackslash@8 -PathCchAddBackslashEx@16 -PathCchAddExtension@12 -PathCchAppend@12 -PathCchAppendEx@16 -PathCchCanonicalize@12 -PathCchCanonicalizeEx@16 -PathCchCombine@16 -PathCchCombineEx@20 -PathCchFindExtension@12 -PathCchIsRoot@4 -PathCchRemoveBackslash@8 -PathCchRemoveBackslashEx@16 -PathCchRemoveExtension@8 -PathCchRemoveFileSpec@8 -PathCchRenameExtension@12 -PathCchSkipRoot@8 -PathCchStripPrefix@8 -PathCchStripToRoot@8 -PathIsUNCEx@8 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-psm-appnotify-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-psm-appnotify-l1-1-0.def deleted file mode 100644 index a5655c65f7..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-psm-appnotify-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-psm-appnotify-l1-1-0 - -EXPORTS - -RegisterAppStateChangeNotification@12 -UnregisterAppStateChangeNotification@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-1.def deleted file mode 100644 index 3088ac9d8d..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-1.def +++ /dev/null @@ -1,9 +0,0 @@ -LIBRARY api-ms-win-core-realtime-l1-1-1 - -EXPORTS - -QueryInterruptTime@4 -QueryInterruptTimePrecise@4 -QueryThreadCycleTime@8 -QueryUnbiasedInterruptTime@4 -QueryUnbiasedInterruptTimePrecise@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-2.def b/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-2.def deleted file mode 100644 index d5b90e035f..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-realtime-l1-1-2.def +++ /dev/null @@ -1,12 +0,0 @@ -LIBRARY api-ms-win-core-realtime-l1-1-2 - -EXPORTS - -ConvertAuxiliaryCounterToPerformanceCounter@16 -ConvertPerformanceCounterToAuxiliaryCounter@16 -QueryAuxiliaryCounterFrequency@ -QueryInterruptTime@4 -QueryInterruptTimePrecise@4 -QueryThreadCycleTime@8 -QueryUnbiasedInterruptTime@4 -QueryUnbiasedInterruptTimePrecise@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-slapi-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-slapi-l1-1-0.def deleted file mode 100644 index 0d46898305..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-slapi-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-slapi-l1-1-0 - -EXPORTS - -SLQueryLicenseValueFromApp@20 -SLQueryLicenseValueFromApp2@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-synch-l1-2-0.def b/lib/libc/mingw/lib32/api-ms-win-core-synch-l1-2-0.def deleted file mode 100644 index f7e4275dc7..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-synch-l1-2-0.def +++ /dev/null @@ -1,59 +0,0 @@ -LIBRARY api-ms-win-core-synch-l1-2-0 - -EXPORTS - -AcquireSRWLockExclusive@4 -AcquireSRWLockShared@4 -CancelWaitableTimer@4 -CreateEventA@16 -CreateEventExA@16 -CreateEventExW@16 -CreateEventW@16 -CreateMutexA@12 -CreateMutexExA@16 -CreateMutexExW@16 -CreateMutexW@12 -CreateSemaphoreExW@24 -CreateWaitableTimerExW@16 -DeleteCriticalSection@4 -EnterCriticalSection@4 -InitializeConditionVariable@4 -InitializeCriticalSection@4 -InitializeCriticalSectionAndSpinCount@8 -InitializeCriticalSectionEx@12 -InitializeSRWLock@4 -InitOnceBeginInitialize@16 -InitOnceComplete@12 -InitOnceExecuteOnce@16 -InitOnceInitialize@4 -LeaveCriticalSection@4 -OpenEventA@12 -OpenEventW@12 -OpenMutexW@12 -OpenSemaphoreW@12 -OpenWaitableTimerW@12 -ReleaseMutex@4 -ReleaseSemaphore@12 -ReleaseSRWLockExclusive@4 -ReleaseSRWLockShared@4 -ResetEvent@4 -SetCriticalSectionSpinCount@8 -SetEvent@4 -SetWaitableTimer@24 -SetWaitableTimerEx@28 -SignalObjectAndWait@16 -Sleep@4 -SleepConditionVariableCS@12 -SleepConditionVariableSRW@16 -SleepEx@8 -TryAcquireSRWLockExclusive@4 -TryAcquireSRWLockShared@4 -TryEnterCriticalSection@4 -WaitForMultipleObjectsEx@20 -WaitForSingleObject@8 -WaitForSingleObjectEx@12 -WaitOnAddress@16 -WakeAllConditionVariable@4 -WakeByAddressAll@4 -WakeByAddressSingle@4 -WakeConditionVariable@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-0.def b/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-0.def deleted file mode 100644 index 25e0b0ec93..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-0.def +++ /dev/null @@ -1,31 +0,0 @@ -LIBRARY api-ms-win-core-sysinfo-l1-2-0 - -EXPORTS - -EnumSystemFirmwareTables@12 -GetComputerNameExA@12 -GetComputerNameExW@12 -GetLocalTime@4 -GetLogicalProcessorInformation@8 -GetLogicalProcessorInformationEx@12 -GetNativeSystemInfo@4 -GetProductInfo@20 -GetSystemDirectoryA@8 -GetSystemDirectoryW@8 -GetSystemFirmwareTable@16 -GetSystemInfo@4 -GetSystemTime@4 -GetSystemTimeAdjustment@12 -GetSystemTimeAsFileTime@4 -GetSystemTimePreciseAsFileTime@4 -GetTickCount@0 -GetTickCount64@0 -GetVersion@0 -GetVersionExA@4 -GetVersionExW@4 -GetWindowsDirectoryA@8 -GetWindowsDirectoryW@8 -GlobalMemoryStatusEx@4 -SetLocalTime@4 -SetSystemTime@4 -VerSetConditionMask@16 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-3.def b/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-3.def deleted file mode 100644 index fba6ab14f6..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-sysinfo-l1-2-3.def +++ /dev/null @@ -1,33 +0,0 @@ -LIBRARY api-ms-win-core-sysinfo-l1-2-3 - -EXPORTS - -EnumSystemFirmwareTables@12 -GetComputerNameExA@12 -GetComputerNameExW@12 -GetIntegratedDisplaySize@4 -GetLocalTime@4 -GetLogicalProcessorInformation@8 -GetLogicalProcessorInformationEx@12 -GetNativeSystemInfo@4 -GetPhysicallyInstalledSystemMemory@4 -GetProductInfo@20 -GetSystemDirectoryA@8 -GetSystemDirectoryW@8 -GetSystemFirmwareTable@16 -GetSystemInfo@4 -GetSystemTime@4 -GetSystemTimeAdjustment@12 -GetSystemTimeAsFileTime@4 -GetSystemTimePreciseAsFileTime@4 -GetTickCount@0 -GetTickCount64@0 -GetVersion@0 -GetVersionExA@4 -GetVersionExW@4 -GetWindowsDirectoryA@8 -GetWindowsDirectoryW@8 -GlobalMemoryStatusEx@4 -SetLocalTime@4 -SetSystemTime@4 -VerSetConditionMask@16 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-0.def deleted file mode 100644 index a5a341d225..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-0.def +++ /dev/null @@ -1,15 +0,0 @@ -LIBRARY api-ms-win-core-winrt-error-l1-1-0 - -EXPORTS - -GetRestrictedErrorInfo@4 -RoCaptureErrorContext@4 -RoFailFastWithErrorContext@4 -RoGetErrorReportingFlags@4 -RoOriginateError@8 -RoOriginateErrorW@12 -RoResolveRestrictedErrorInfoReference@8 -RoSetErrorReportingFlags@4 -RoTransformError@12 -RoTransformErrorW@16 -SetRestrictedErrorInfo@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-1.def deleted file mode 100644 index 3be66b0154..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-error-l1-1-1.def +++ /dev/null @@ -1,22 +0,0 @@ -LIBRARY api-ms-win-core-winrt-error-l1-1-1 - -EXPORTS - -GetRestrictedErrorInfo@4 -IsErrorPropagationEnabled@0 -RoCaptureErrorContext@4 -RoClearError@0 -RoFailFastWithErrorContext@4 -RoGetErrorReportingFlags@4 -RoGetMatchingRestrictedErrorInfo@8 -RoInspectCapturedStackBackTrace@24 -RoInspectThreadErrorInfo@20 -RoOriginateError@8 -RoOriginateErrorW@12 -RoOriginateLanguageException@12 -RoReportFailedDelegate@8 -RoReportUnhandledError@4 -RoSetErrorReportingFlags@4 -RoTransformError@12 -RoTransformErrorW@16 -SetRestrictedErrorInfo@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-l1-1-0.def deleted file mode 100644 index 5cafea3384..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-l1-1-0.def +++ /dev/null @@ -1,13 +0,0 @@ -LIBRARY api-ms-win-core-winrt-l1-1-0 - -EXPORTS - -RoActivateInstance@8 -RoGetActivationFactory@12 -RoGetApartmentIdentifier@4 -RoInitialize@4 -RoRegisterActivationFactories@16 -RoRegisterForApartmentShutdown@12 -RoRevokeActivationFactories@4 -RoUninitialize@0 -RoUnregisterForApartmentShutdown@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-registration-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-registration-l1-1-0.def deleted file mode 100644 index 7e9cbf3921..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-registration-l1-1-0.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-winrt-registration-l1-1-0 - -EXPORTS - -RoGetActivatableClassRegistration@8 -RoGetServerActivatableClasses@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-robuffer-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-robuffer-l1-1-0.def deleted file mode 100644 index c0a4a12043..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-robuffer-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-core-winrt-robuffer-l1-1-0 - -EXPORTS - -RoGetBufferMarshaler@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def deleted file mode 100644 index bf1217cd75..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-roparameterizediid-l1-1-0.def +++ /dev/null @@ -1,7 +0,0 @@ -LIBRARY api-ms-win-core-winrt-roparameterizediid-l1-1-0 - -EXPORTS - -RoFreeParameterizedTypeExtra@4 -RoGetParameterizedTypeInstanceIID@20 -RoParameterizedTypeExtraGetTypeSignature@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-winrt-string-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-core-winrt-string-l1-1-0.def deleted file mode 100644 index 14fa14ce93..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-winrt-string-l1-1-0.def +++ /dev/null @@ -1,30 +0,0 @@ -LIBRARY api-ms-win-core-winrt-string-l1-1-0 - -EXPORTS - -HSTRING_UserFree@8 -HSTRING_UserFree64 -HSTRING_UserMarshal@12 -HSTRING_UserMarshal64 -HSTRING_UserSize@12 -HSTRING_UserSize64 -HSTRING_UserUnmarshal@12 -HSTRING_UserUnmarshal64 -WindowsCompareStringOrdinal@12 -WindowsConcatString@12 -WindowsCreateString@12 -WindowsCreateStringReference@16 -WindowsDeleteString@4 -WindowsDeleteStringBuffer@4 -WindowsDuplicateString@8 -WindowsGetStringLen@4 -WindowsGetStringRawBuffer@8 -WindowsIsStringEmpty@4 -WindowsPreallocateStringBuffer@12 -WindowsPromoteStringBuffer@8 -WindowsReplaceString@16 -WindowsStringHasEmbeddedNull@8 -WindowsSubstring@12 -WindowsSubstringWithSpecifiedLength@16 -WindowsTrimStringEnd@12 -WindowsTrimStringStart@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-core-wow64-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-core-wow64-l1-1-1.def deleted file mode 100644 index fe4fbbce3f..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-core-wow64-l1-1-1.def +++ /dev/null @@ -1,6 +0,0 @@ -LIBRARY api-ms-win-core-wow64-l1-1-1 - -EXPORTS - -IsWow64Process@8 -IsWow64Process2@12 diff --git a/lib/libc/mingw/lib32/api-ms-win-devices-config-l1-1-1.def b/lib/libc/mingw/lib32/api-ms-win-devices-config-l1-1-1.def deleted file mode 100644 index 27ce5557de..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-devices-config-l1-1-1.def +++ /dev/null @@ -1,17 +0,0 @@ -LIBRARY api-ms-win-devices-config-l1-1-1 - -EXPORTS - -CM_Get_Device_ID_List_SizeW@12 -CM_Get_Device_ID_ListW@16 -CM_Get_Device_IDW@16 -CM_Get_Device_Interface_List_SizeW@16 -CM_Get_Device_Interface_ListW@20 -CM_Get_Device_Interface_PropertyW@24 -CM_Get_DevNode_PropertyW@24 -CM_Get_DevNode_Status@16 -CM_Get_Parent@12 -CM_Locate_DevNodeW@12 -CM_MapCrToWin32Err@8 -CM_Register_Notification@16 -CM_Unregister_Notification@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-deviceinformation-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-gaming-deviceinformation-l1-1-0.def deleted file mode 100644 index 61b62dc5c9..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-deviceinformation-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-gaming-deviceinformation-l1-1-0 - -EXPORTS - -GetGamingDeviceModelInformation@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-0.def deleted file mode 100644 index ba5e6d4065..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-0.def +++ /dev/null @@ -1,11 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-0 - -EXPORTS - -ProcessPendingGameUI@4 -ShowChangeFriendRelationshipUI@12 -ShowGameInviteUI@24 -ShowPlayerPickerUI@36 -ShowProfileCardUI@12 -ShowTitleAchievementsUI@12 -TryCancelPendingGameUI@0 diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-2.def b/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-2.def deleted file mode 100644 index 4ee72ad7d4..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-2.def +++ /dev/null @@ -1,20 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-2 - -EXPORTS - -CheckGamingPrivilegeSilently@16 -CheckGamingPrivilegeSilentlyForUser@20 -CheckGamingPrivilegeWithUI@24 -CheckGamingPrivilegeWithUIForUser@28 -ProcessPendingGameUI@4 -ShowChangeFriendRelationshipUI@12 -ShowChangeFriendRelationshipUIForUser@16 -ShowGameInviteUI@24 -ShowGameInviteUIForUser@28 -ShowPlayerPickerUI@36 -ShowPlayerPickerUIForUser@40 -ShowProfileCardUI@12 -ShowProfileCardUIForUser@16 -ShowTitleAchievementsUI@12 -ShowTitleAchievementsUIForUser@16 -TryCancelPendingGameUI@0 diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-3.def b/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-3.def deleted file mode 100644 index 4947e7af5a..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-3.def +++ /dev/null @@ -1,22 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-3 - -EXPORTS - -CheckGamingPrivilegeSilently@16 -CheckGamingPrivilegeSilentlyForUser@20 -CheckGamingPrivilegeWithUI@24 -CheckGamingPrivilegeWithUIForUser@28 -ProcessPendingGameUI@4 -ShowChangeFriendRelationshipUI@12 -ShowChangeFriendRelationshipUIForUser@16 -ShowGameInviteUI@24 -ShowGameInviteUIForUser@28 -ShowGameInviteUIWithContext@28 -ShowGameInviteUIWithContextForUser@32 -ShowPlayerPickerUI@36 -ShowPlayerPickerUIForUser@40 -ShowProfileCardUI@12 -ShowProfileCardUIForUser@16 -ShowTitleAchievementsUI@12 -ShowTitleAchievementsUIForUser@16 -TryCancelPendingGameUI@0 diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-4.def b/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-4.def deleted file mode 100644 index 1dc111e8cc..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-tcui-l1-1-4.def +++ /dev/null @@ -1,30 +0,0 @@ -LIBRARY api-ms-win-gaming-tcui-l1-1-4 - -EXPORTS - -CheckGamingPrivilegeSilently@16 -CheckGamingPrivilegeSilentlyForUser@20 -CheckGamingPrivilegeWithUI@24 -CheckGamingPrivilegeWithUIForUser@28 -ProcessPendingGameUI@4 -ShowChangeFriendRelationshipUI@12 -ShowChangeFriendRelationshipUIForUser@16 -ShowCustomizeUserProfileUI@ -ShowCustomizeUserProfileUIForUser@12 -ShowFindFriendsUI@8 -ShowFindFriendsUIForUser@12 -ShowGameInfoUI@12 -ShowGameInfoUIForUser@16 -ShowGameInviteUI@24 -ShowGameInviteUIForUser@28 -ShowGameInviteUIWithContext@28 -ShowGameInviteUIWithContextForUser@32 -ShowPlayerPickerUI@36 -ShowPlayerPickerUIForUser@40 -ShowProfileCardUI@12 -ShowProfileCardUIForUser@16 -ShowTitleAchievementsUI@12 -ShowTitleAchievementsUIForUser@16 -ShowUserSettingsUI@8 -ShowUserSettingsUIForUser@12 -TryCancelPendingGameUI@0 diff --git a/lib/libc/mingw/lib32/api-ms-win-security-isolatedcontainer-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-security-isolatedcontainer-l1-1-0.def deleted file mode 100644 index 741499b16d..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-security-isolatedcontainer-l1-1-0.def +++ /dev/null @@ -1,5 +0,0 @@ -LIBRARY api-ms-win-security-isolatedcontainer-l1-1-0 - -EXPORTS - -IsProcessInIsolatedContainer@4 diff --git a/lib/libc/mingw/lib32/api-ms-win-shcore-stream-winrt-l1-1-0.def b/lib/libc/mingw/lib32/api-ms-win-shcore-stream-winrt-l1-1-0.def deleted file mode 100644 index 5dafc212e5..0000000000 --- a/lib/libc/mingw/lib32/api-ms-win-shcore-stream-winrt-l1-1-0.def +++ /dev/null @@ -1,7 +0,0 @@ -LIBRARY api-ms-win-shcore-stream-winrt-l1-1-0 - -EXPORTS - -CreateRandomAccessStreamOnFile@16 -CreateRandomAccessStreamOverStream@16 -CreateStreamOverRandomAccessStream@12 diff --git a/lib/libc/mingw/lib32/avrt.def b/lib/libc/mingw/lib32/avrt.def new file mode 100644 index 0000000000..0cf7ffd87a --- /dev/null +++ b/lib/libc/mingw/lib32/avrt.def @@ -0,0 +1,21 @@ +; +; Definition file of AVRT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "AVRT.dll" +EXPORTS +AvQuerySystemResponsiveness@8 +AvRevertMmThreadCharacteristics@4 +AvRtCreateThreadOrderingGroup@16 +AvRtCreateThreadOrderingGroupExA@20 +AvRtCreateThreadOrderingGroupExW@20 +AvRtDeleteThreadOrderingGroup@4 +AvRtJoinThreadOrderingGroup@12 +AvRtLeaveThreadOrderingGroup@4 +AvRtWaitOnThreadOrderingGroup@4 +AvSetMmMaxThreadCharacteristicsA@12 +AvSetMmMaxThreadCharacteristicsW@12 +AvSetMmThreadCharacteristicsA@8 +AvSetMmThreadCharacteristicsW@8 +AvSetMmThreadPriority@8 diff --git a/lib/libc/mingw/lib32/bootvid.def b/lib/libc/mingw/lib32/bootvid.def new file mode 100644 index 0000000000..33b528ce73 --- /dev/null +++ b/lib/libc/mingw/lib32/bootvid.def @@ -0,0 +1,18 @@ +; +; Definition file of BOOTVID.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "BOOTVID.dll" +EXPORTS +VidBitBlt@12 +VidBufferToScreenBlt@24 +VidCleanUp@0 +VidDisplayString@4 +VidDisplayStringXY@16 +VidInitialize@8 +VidResetDisplay@4 +VidScreenToBufferBlt@24 +VidSetScrollRegion@16 +VidSetTextColor@4 +VidSolidColorFill@20 diff --git a/lib/libc/mingw/lib32/browcli.def b/lib/libc/mingw/lib32/browcli.def new file mode 100644 index 0000000000..9bcac1398e --- /dev/null +++ b/lib/libc/mingw/lib32/browcli.def @@ -0,0 +1,19 @@ +; +; Definition file of browcli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "browcli.dll" +EXPORTS +I_BrowserDebugCall@12 +I_BrowserDebugTrace@8 +I_BrowserQueryEmulatedDomains@12 +I_BrowserQueryOtherDomains@16 +I_BrowserQueryStatistics@8 +I_BrowserResetNetlogonState@4 +I_BrowserResetStatistics@4 +I_BrowserServerEnum@44 +I_BrowserSetNetlogonState@16 +NetBrowserStatisticsGet@12 +NetServerEnum@36 +NetServerEnumEx@36 diff --git a/lib/libc/mingw/lib32/cabinet.def b/lib/libc/mingw/lib32/cabinet.def index e4dc8c1a8e..6bfc3c43b2 100644 --- a/lib/libc/mingw/lib32/cabinet.def +++ b/lib/libc/mingw/lib32/cabinet.def @@ -5,17 +5,29 @@ ; LIBRARY "Cabinet.dll" EXPORTS -GetDllVersion@0 +CloseCompressor@4 +CloseDecompressor@4 +Compress@24 +CreateCompressor@12 +CreateDecompressor@12 +Decompress@24 +DeleteExtractedFiles@4 DllGetVersion@4 Extract@8 -DeleteExtractedFiles@4 -FCICreate FCIAddFile -FCIFlushFolder -FCIFlushCabinet +FCICreate FCIDestroy -FDICreate -FDIIsCabinet +FCIFlushCabinet +FCIFlushFolder FDICopy +FDICreate FDIDestroy +FDIIsCabinet FDITruncateCabinet +GetDllVersion@0 +QueryCompressorInformation@16 +QueryDecompressorInformation@16 +ResetCompressor@4 +ResetDecompressor@4 +SetCompressorInformation@16 +SetDecompressorInformation@16 diff --git a/lib/libc/mingw/lib32/cap.def b/lib/libc/mingw/lib32/cap.def new file mode 100644 index 0000000000..8732ca0cc1 --- /dev/null +++ b/lib/libc/mingw/lib32/cap.def @@ -0,0 +1,6 @@ +LIBRARY CAP.DLL +EXPORTS +DumpCAP@0 +StartCAP@0 +StopCAP@0 +_penter diff --git a/lib/libc/mingw/lib32/chakrart.def b/lib/libc/mingw/lib32/chakrart.def new file mode 100644 index 0000000000..6576280b3b --- /dev/null +++ b/lib/libc/mingw/lib32/chakrart.def @@ -0,0 +1,124 @@ +LIBRARY chakra + +EXPORTS + +JsAddRef@8 +JsBoolToBoolean@8 +JsBooleanToBool@8 +JsCallFunction@16 +JsCollectGarbage@4 +JsConstructObject@16 +JsConvertValueToBoolean@8 +JsConvertValueToNumber@8 +JsConvertValueToObject@8 +JsConvertValueToString@8 +JsCreateArray@8 +JsCreateArrayBuffer@8 +JsCreateContext@8 +JsCreateDataView@16 +JsCreateError@8 +JsCreateExternalArrayBuffer@20 +JsCreateExternalObject@12 +JsCreateFunction@12 +JsCreateNamedFunction@16 +JsCreateObject@4 +JsCreateRangeError@8 +JsCreateReferenceError@8 +JsCreateRuntime@12 +JsCreateSymbol@8 +JsCreateSyntaxError@8 +JsCreateThreadService@8 +JsCreateTypeError@8 +JsCreateTypedArray@20 +JsCreateURIError@8 +JsDefineProperty@16 +JsDeleteIndexedProperty@8 +JsDeleteProperty@16 +JsDisableRuntimeExecution@4 +JsDisposeRuntime@4 +JsDoubleToNumber@12 +JsEnableRuntimeExecution@4 +JsEnumerateHeap@4 +JsEquals@12 +JsGetAndClearException@4 +JsGetArrayBufferStorage@12 +JsGetContextData@8 +JsGetContextOfObject@8 +JsGetCurrentContext@4 +JsGetDataViewStorage@12 +JsGetExtensionAllowed@8 +JsGetExternalData@8 +JsGetFalseValue@4 +JsGetGlobalObject@4 +JsGetIndexedPropertiesExternalData@16 +JsGetIndexedProperty@12 +JsGetNullValue@4 +JsGetOwnPropertyDescriptor@12 +JsGetOwnPropertyNames@8 +JsGetOwnPropertySymbols@8 +JsGetProperty@12 +JsGetPropertyIdFromName@8 +JsGetPropertyIdFromSymbol@8 +JsGetPropertyIdType@8 +JsGetPropertyNameFromId@8 +JsGetPrototype@8 +JsGetRuntime@8 +JsGetRuntimeMemoryLimit@8 +JsGetRuntimeMemoryUsage@8 +JsGetStringLength@8 +JsGetSymbolFromPropertyId@8 +JsGetTrueValue@4 +JsGetTypedArrayInfo@20 +JsGetTypedArrayStorage@20 +JsGetUndefinedValue@4 +JsGetValueType@8 +JsHasException@4 +JsHasExternalData@8 +JsHasIndexedPropertiesExternalData@8 +JsHasIndexedProperty@12 +JsHasProperty@12 +JsIdle@4 +JsInspectableToObject@8 +JsInstanceOf@12 +JsIntToNumber@8 +JsIsEnumeratingHeap@4 +JsIsRuntimeExecutionDisabled@8 +JsNumberToDouble@8 +JsNumberToInt@8 +JsObjectToInspectable@8 +JsParseScript@16 +JsParseScriptWithAttributes@20 +JsParseSerializedScript@20 +JsParseSerializedScriptWithCallback@24 +JsPointerToString@12 +JsPreventExtension@4 +JsProjectWinRTNamespace@4 +JsRelease@8 +JsRunScript@16 +JsRunSerializedScript@20 +JsRunSerializedScriptWithCallback@24 +JsSerializeScript@12 +JsSetContextData@8 +JsSetCurrentContext@4 +JsSetException@4 +JsSetExternalData@8 +JsSetIndexedPropertiesToExternalData@16 +JsSetIndexedProperty@12 +JsSetObjectBeforeCollectCallback@12 +JsSetProjectionEnqueueCallback@8 +JsSetPromiseContinuationCallback@8 +JsSetProperty@16 +JsSetPrototype@8 +JsSetRuntimeBeforeCollectCallback@12 +JsSetRuntimeMemoryAllocationCallback@12 +JsSetRuntimeMemoryLimit@8 +JsStartDebugging@0 +JsStartProfiling@12 +JsStopProfiling@4 +JsStrictEquals@12 +JsStringToPointer@12 +JsValueToVariant@8 +JsVarAddRef@4 +JsVarRelease@4 +JsVarToExtension@8 +JsVariantToValue@8 diff --git a/lib/libc/mingw/lib32/classpnp.def b/lib/libc/mingw/lib32/classpnp.def new file mode 100644 index 0000000000..94fa7ea6e3 --- /dev/null +++ b/lib/libc/mingw/lib32/classpnp.def @@ -0,0 +1,64 @@ +; +; Definition file of CLASSPNP.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "CLASSPNP.SYS" +EXPORTS +ClassAcquireChildLock@4 +ClassAcquireRemoveLockEx@16 +ClassAsynchronousCompletion@12 +ClassBuildRequest@8 +ClassCheckMediaState@4 +ClassClaimDevice@8 +ClassCleanupMediaChangeDetection@4 +ClassCompleteRequest@12 +ClassCreateDeviceObject@20 +ClassDebugPrint +ClassDeleteSrbLookasideList@4 +ClassDeviceControl@8 +ClassDisableMediaChangeDetection@4 +ClassEnableMediaChangeDetection@4 +ClassFindModePage@16 +ClassForwardIrpSynchronous@8 +ClassGetDescriptor@12 +ClassGetDeviceParameter@16 +ClassGetDriverExtension@4 +ClassGetVpb@4 +ClassInitialize@12 +ClassInitializeEx@12 +ClassInitializeMediaChangeDetection@8 +ClassInitializeSrbLookasideList@8 +ClassInitializeTestUnitPolling@8 +ClassInternalIoControl@8 +ClassInterpretSenseInfo@28 +ClassInvalidateBusRelations@4 +ClassIoComplete@12 +ClassIoCompleteAssociated@12 +ClassMarkChildMissing@8 +ClassMarkChildrenMissing@4 +ClassModeSense@16 +ClassNotifyFailurePredicted@32 +ClassQueryTimeOutRegistryValue@4 +ClassReadDriveCapacity@4 +ClassReleaseChildLock@4 +ClassReleaseQueue@4 +ClassReleaseRemoveLock@8 +ClassRemoveDevice@8 +ClassResetMediaChangeTimer@4 +ClassScanForSpecial@12 +ClassSendDeviceIoControlSynchronous@28 +ClassSendIrpSynchronous@8 +ClassSendSrbAsynchronous@24 +ClassSendSrbSynchronous@20 +ClassSendStartUnit@4 +ClassSetDeviceParameter@16 +ClassSetFailurePredictionPoll@12 +ClassSetMediaChangeState@12 +ClassSignalCompletion@12 +ClassSpinDownPowerHandler@8 +ClassSplitRequest@12 +ClassStopUnitPowerHandler@8 +ClassUpdateInformationInRegistry@20 +ClassWmiCompleteRequest@20 +ClassWmiFireEvent@20 diff --git a/lib/libc/mingw/lib32/cmutil.def b/lib/libc/mingw/lib32/cmutil.def new file mode 100644 index 0000000000..4f25b35dc4 --- /dev/null +++ b/lib/libc/mingw/lib32/cmutil.def @@ -0,0 +1,252 @@ +; +; Definition file of cmutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "cmutil.dll" +EXPORTS +; public: __thiscall CIniA::CIniA(struct HINSTANCE__ *,char const *,char const *,char const *,char const *) +??0CIniA@@QAE@PAUHINSTANCE__@@PBD111@Z ; has WINAPI (@20) +; public: __thiscall CIniW::CIniW(struct HINSTANCE__ *,unsigned short const *,unsigned short const *,unsigned short const *,unsigned short const *) +??0CIniW@@QAE@PAUHINSTANCE__@@PBG111@Z ; has WINAPI (@20) +; public: __thiscall CRandom::CRandom(unsigned int) +??0CRandom@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall CRandom::CRandom(void) +??0CRandom@@QAE@XZ +; public: __thiscall CmLogFile::CmLogFile(void) +??0CmLogFile@@QAE@XZ +; public: __thiscall CIniA::~CIniA(void) +??1CIniA@@QAE@XZ +; public: __thiscall CIniW::~CIniW(void) +??1CIniW@@QAE@XZ +; public: __thiscall CmLogFile::~CmLogFile(void) +??1CmLogFile@@QAE@XZ +; public: class CIniA &__thiscall CIniA::operator =(class CIniA const &) +??4CIniA@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CIniW &__thiscall CIniW::operator =(class CIniW const &) +??4CIniW@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CRandom &__thiscall CRandom::operator =(class CRandom const &) +??4CRandom@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CmLogFile &__thiscall CmLogFile::operator =(class CmLogFile const &) +??4CmLogFile@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::__dflt_ctor_closure(void) +??_FCIniA@@QAEXXZ +; public: void __thiscall CIniW::__dflt_ctor_closure(void) +??_FCIniW@@QAEXXZ +; public: void __thiscall CmLogFile::Banner(void) +?Banner@CmLogFile@@QAEXXZ +; protected: int __thiscall CIniA::CIniA_DeleteEntryFromReg(struct HKEY__ *,char const *,char const *)const +?CIniA_DeleteEntryFromReg@CIniA@@IBEHPAUHKEY__@@PBD1@Z ; has WINAPI (@12) +; protected: unsigned char *__thiscall CIniA::CIniA_GetEntryFromReg(struct HKEY__ *,char const *,char const *,unsigned long,unsigned long)const +?CIniA_GetEntryFromReg@CIniA@@IBEPAEPAUHKEY__@@PBD1KK@Z ; has WINAPI (@20) +; protected: int __thiscall CIniA::CIniA_WriteEntryToReg(struct HKEY__ *,char const *,char const *,unsigned char const *,unsigned long,unsigned long)const +?CIniA_WriteEntryToReg@CIniA@@IBEHPAUHKEY__@@PBD1PBEKK@Z ; has WINAPI (@24) +; protected: int __thiscall CIniW::CIniW_DeleteEntryFromReg(struct HKEY__ *,unsigned short const *,unsigned short const *)const +?CIniW_DeleteEntryFromReg@CIniW@@IBEHPAUHKEY__@@PBG1@Z ; has WINAPI (@12) +; protected: unsigned char *__thiscall CIniW::CIniW_GetEntryFromReg(struct HKEY__ *,unsigned short const *,unsigned short const *,unsigned long,unsigned long)const +?CIniW_GetEntryFromReg@CIniW@@IBEPAEPAUHKEY__@@PBG1KK@Z ; has WINAPI (@20) +; protected: int __thiscall CIniW::CIniW_WriteEntryToReg(struct HKEY__ *,unsigned short const *,unsigned short const *,unsigned char const *,unsigned long,unsigned long)const +?CIniW_WriteEntryToReg@CIniW@@IBEHPAUHKEY__@@PBG1PBEKK@Z ; has WINAPI (@24) +; protected: static void __stdcall CIniA::CIni_SetFile(char **,char const *) +?CIni_SetFile@CIniA@@KGXPAPADPBD@Z ; has WINAPI (@8) +; protected: static void __stdcall CIniW::CIni_SetFile(unsigned short **,unsigned short const *) +?CIni_SetFile@CIniW@@KGXPAPAGPBG@Z ; has WINAPI (@8) +; public: void __thiscall CIniA::Clear(void) +?Clear@CIniA@@QAEXXZ +; public: void __thiscall CIniW::Clear(void) +?Clear@CIniW@@QAEXXZ +; public: void __thiscall CmLogFile::Clear(int) +?Clear@CmLogFile@@QAEXH@Z ; has WINAPI (@4) +; private: long __thiscall CmLogFile::CloseFile(void) +?CloseFile@CmLogFile@@AAEJXZ +CmAtolA@4 +CmAtolW@4 +CmBuildFullPathFromRelativeA@8 +CmBuildFullPathFromRelativeW@8 +CmCompareStringA@8 +CmCompareStringW@8 +CmConvertRelativePathW@8 +CmConvertStrToIPv6AddrA@8 +CmConvertStrToIPv6AddrW@8 +CmEndOfStrW@4 +CmFmtMsgA +CmFmtMsgW +CmFree@4 +CmIsDigitW@4 +CmIsIPv6AddressA@4 +CmIsIPv6AddressW@4 +CmIsSpaceW@4 +CmLoadIconA@8 +CmLoadIconW@8 +CmLoadImageW@20 +CmLoadSmallIconA@8 +CmLoadSmallIconW@8 +CmLoadStringW@8 +CmMalloc@4 +CmMoveMemory@12 +CmParsePathW@16 +CmRealloc@8 +CmStrCatAllocA@8 +CmStrCatAllocW@8 +CmStrCharCountA@8 +CmStrCharCountW@8 +CmStrCharStuffingA@8 +CmStrCharStuffingW@8 +CmStrCpyAllocA@4 +CmStrCpyAllocW@4 +CmStrStrA@8 +CmStrStrW@8 +CmStrTrimW@4 +CmStrchrA@8 +CmStrchrW@8 +CmStripFileNameW@8 +CmStripPathAndExtW@4 +CmStrrchrA@8 +CmStrrchrW@8 +CmStrtokA@8 +CmStrtokW@8 +CmWinHelp@20 +; public: long __thiscall CmLogFile::DeInit(void) +?DeInit@CmLogFile@@QAEJXZ +; private: void __thiscall CmLogFile::FormatWrite(enum _CMLOG_ITEM,unsigned short *) +?FormatWrite@CmLogFile@@AAEXW4_CMLOG_ITEM@@PAG@Z ; has WINAPI (@8) +; public: int __thiscall CIniA::GPPB(char const *,char const *,int)const +?GPPB@CIniA@@QBEHPBD0H@Z ; has WINAPI (@12) +; public: int __thiscall CIniW::GPPB(unsigned short const *,unsigned short const *,int)const +?GPPB@CIniW@@QBEHPBG0H@Z ; has WINAPI (@12) +; public: unsigned long __thiscall CIniA::GPPI(char const *,char const *,unsigned long)const +?GPPI@CIniA@@QBEKPBD0K@Z ; has WINAPI (@12) +; public: unsigned long __thiscall CIniW::GPPI(unsigned short const *,unsigned short const *,unsigned long)const +?GPPI@CIniW@@QBEKPBG0K@Z ; has WINAPI (@12) +; public: char *__thiscall CIniA::GPPS(char const *,char const *,char const *)const +?GPPS@CIniA@@QBEPADPBD00@Z ; has WINAPI (@12) +; public: unsigned short *__thiscall CIniW::GPPS(unsigned short const *,unsigned short const *,unsigned short const *)const +?GPPS@CIniW@@QBEPAGPBG00@Z ; has WINAPI (@12) +; public: int __thiscall CRandom::Generate(void) +?Generate@CRandom@@QAEHXZ +; public: char const *__thiscall CIniA::GetFile(void)const +?GetFile@CIniA@@QBEPBDXZ +; public: unsigned short const *__thiscall CIniW::GetFile(void)const +?GetFile@CIniW@@QBEPBGXZ +; public: struct HINSTANCE__ *__thiscall CIniA::GetHInst(void)const +?GetHInst@CIniA@@QBEPAUHINSTANCE__@@XZ +; public: struct HINSTANCE__ *__thiscall CIniW::GetHInst(void)const +?GetHInst@CIniW@@QBEPAUHINSTANCE__@@XZ +; public: unsigned short const *__thiscall CmLogFile::GetLogFilePath(void) +?GetLogFilePath@CmLogFile@@QAEPBGXZ +GetOSBuildNumber +GetOSMajorVersion +GetOSVersion +; public: char const *__thiscall CIniA::GetPrimaryFile(void)const +?GetPrimaryFile@CIniA@@QBEPBDXZ +; public: unsigned short const *__thiscall CIniW::GetPrimaryFile(void)const +?GetPrimaryFile@CIniW@@QBEPBGXZ +; public: char const *__thiscall CIniA::GetPrimaryRegPath(void)const +?GetPrimaryRegPath@CIniA@@QBEPBDXZ +; public: unsigned short const *__thiscall CIniW::GetPrimaryRegPath(void)const +?GetPrimaryRegPath@CIniW@@QBEPBGXZ +; public: char const *__thiscall CIniA::GetRegPath(void)const +?GetRegPath@CIniA@@QBEPBDXZ +; public: unsigned short const *__thiscall CIniW::GetRegPath(void)const +?GetRegPath@CIniW@@QBEPBGXZ +; public: char const *__thiscall CIniA::GetSection(void)const +?GetSection@CIniA@@QBEPBDXZ +; public: unsigned short const *__thiscall CIniW::GetSection(void)const +?GetSection@CIniW@@QBEPBGXZ +; public: void __thiscall CRandom::Init(unsigned long) +?Init@CRandom@@QAEXK@Z ; has WINAPI (@4) +; public: long __thiscall CmLogFile::Init(struct HINSTANCE__ *,int,char const *) +?Init@CmLogFile@@QAEJPAUHINSTANCE__@@HPBD@Z ; has WINAPI (@12) +; public: long __thiscall CmLogFile::Init(struct HINSTANCE__ *,int,unsigned short const *) +?Init@CmLogFile@@QAEJPAUHINSTANCE__@@HPBG@Z ; has WINAPI (@12) +; public: int __thiscall CmLogFile::IsEnabled(void) +?IsEnabled@CmLogFile@@QAEHXZ +IsFarEastNonOSR2Win95 +IsLogonAsSystem +; protected: char *__thiscall CIniA::LoadEntry(char const *)const +?LoadEntry@CIniA@@IBEPADPBD@Z ; has WINAPI (@4) +; protected: unsigned short *__thiscall CIniW::LoadEntry(unsigned short const *)const +?LoadEntry@CIniW@@IBEPAGPBG@Z ; has WINAPI (@4) +; public: char *__thiscall CIniA::LoadSection(char const *)const +?LoadSection@CIniA@@QBEPADPBD@Z ; has WINAPI (@4) +; public: unsigned short *__thiscall CIniW::LoadSection(unsigned short const *)const +?LoadSection@CIniW@@QBEPAGPBG@Z ; has WINAPI (@4) +; public: void __cdecl CmLogFile::Log(enum _CMLOG_ITEM,...) +?Log@CmLogFile@@QAAXW4_CMLOG_ITEM@@ZZ +MakeBold@8 +; private: long __thiscall CmLogFile::OpenFile(void) +?OpenFile@CmLogFile@@AAEJXZ +ReleaseBold@4 +; public: void __thiscall CIniA::SetEntry(char const *) +?SetEntry@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetEntry(unsigned short const *) +?SetEntry@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetEntryFromIdx(unsigned long) +?SetEntryFromIdx@CIniA@@QAEXK@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetEntryFromIdx(unsigned long) +?SetEntryFromIdx@CIniW@@QAEXK@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetFile(char const *) +?SetFile@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetFile(unsigned short const *) +?SetFile@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetHInst(struct HINSTANCE__ *) +?SetHInst@CIniA@@QAEXPAUHINSTANCE__@@@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetHInst(struct HINSTANCE__ *) +?SetHInst@CIniW@@QAEXPAUHINSTANCE__@@@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetICSDataPath(char const *) +?SetICSDataPath@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetICSDataPath(unsigned short const *) +?SetICSDataPath@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: long __thiscall CmLogFile::SetParams(int,unsigned long,char const *) +?SetParams@CmLogFile@@QAEJHKPBD@Z ; has WINAPI (@12) +; public: long __thiscall CmLogFile::SetParams(int,unsigned long,unsigned short const *) +?SetParams@CmLogFile@@QAEJHKPBG@Z ; has WINAPI (@12) +; public: void __thiscall CIniA::SetPrimaryFile(char const *) +?SetPrimaryFile@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetPrimaryFile(unsigned short const *) +?SetPrimaryFile@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetPrimaryRegPath(char const *) +?SetPrimaryRegPath@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetPrimaryRegPath(unsigned short const *) +?SetPrimaryRegPath@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetReadICSData(int) +?SetReadICSData@CIniA@@QAEXH@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetReadICSData(int) +?SetReadICSData@CIniW@@QAEXH@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetRegPath(char const *) +?SetRegPath@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetRegPath(unsigned short const *) +?SetRegPath@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetSection(char const *) +?SetSection@CIniA@@QAEXPBD@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetSection(unsigned short const *) +?SetSection@CIniW@@QAEXPBG@Z ; has WINAPI (@4) +; public: void __thiscall CIniA::SetWriteICSData(int) +?SetWriteICSData@CIniA@@QAEXH@Z ; has WINAPI (@4) +; public: void __thiscall CIniW::SetWriteICSData(int) +?SetWriteICSData@CIniW@@QAEXH@Z ; has WINAPI (@4) +; public: long __thiscall CmLogFile::Start(int) +?Start@CmLogFile@@QAEJH@Z ; has WINAPI (@4) +; public: long __thiscall CmLogFile::Stop(void) +?Stop@CmLogFile@@QAEJXZ +SzToWz@12 +SzToWzWithAlloc@4 +UpdateFont@4 +; public: void __thiscall CIniA::WPPB(char const *,char const *,int) +?WPPB@CIniA@@QAEXPBD0H@Z ; has WINAPI (@12) +; public: void __thiscall CIniW::WPPB(unsigned short const *,unsigned short const *,int) +?WPPB@CIniW@@QAEXPBG0H@Z ; has WINAPI (@12) +; public: void __thiscall CIniA::WPPI(char const *,char const *,unsigned long) +?WPPI@CIniA@@QAEXPBD0K@Z ; has WINAPI (@12) +; public: void __thiscall CIniW::WPPI(unsigned short const *,unsigned short const *,unsigned long) +?WPPI@CIniW@@QAEXPBG0K@Z ; has WINAPI (@12) +; public: void __thiscall CIniA::WPPS(char const *,char const *,char const *) +?WPPS@CIniA@@QAEXPBD00@Z ; has WINAPI (@12) +; public: void __thiscall CIniW::WPPS(unsigned short const *,unsigned short const *,unsigned short const *) +?WPPS@CIniW@@QAEXPBG00@Z ; has WINAPI (@12) +; private: long __thiscall CmLogFile::Write(unsigned short *) +?Write@CmLogFile@@AAEJPAG@Z ; has WINAPI (@4) +WzToSz@12 +WzToSzWithAlloc@4 +; public: static unsigned long const CIniW::kMaxValueLength +?kMaxValueLength@CIniW@@2KB diff --git a/lib/libc/mingw/lib32/comctl32.def b/lib/libc/mingw/lib32/comctl32.def index c7b8d6ffe4..65b58dda6d 100644 --- a/lib/libc/mingw/lib32/comctl32.def +++ b/lib/libc/mingw/lib32/comctl32.def @@ -1,70 +1,53 @@ -LIBRARY COMCTL32.DLL +LIBRARY COMCTL32.dll EXPORTS -_TrackMouseEvent@4 -AddMRUData@12 -AddMRUStringA@8 -AddMRUStringW@8 -Alloc@4 -CreateMRUListA@4 -CreateMRUListW@4 +MenuHelp@28 +ShowHideMenuCtl@12 +GetEffectiveClientRect@12 +DrawStatusTextA@16 +CreateStatusWindowA@16 +CreateToolbar@32 CreateMappedBitmap@20 -CreatePage@8 +DPA_LoadStream@16 +DPA_SaveStream@16 +DPA_Merge@24 CreatePropertySheetPage@4 +MakeDragList@4 +LBItemFromPt@16 +DrawInsert@12 +CreateUpDownControl@48 +InitCommonControls@0 CreatePropertySheetPageA@4 CreatePropertySheetPageW@4 -CreateProxyPage@8 CreateStatusWindow@16 -CreateStatusWindowA@16 CreateStatusWindowW@16 -CreateToolbar@32 CreateToolbarEx@52 -CreateUpDownControl@48 -DPA_Clone@8 -DPA_Create@4 -DPA_CreateEx@8 -DPA_DeleteAllPtrs@4 -DPA_DeletePtr@8 -DPA_Destroy@4 -DPA_GetPtr@8 -DPA_GetPtrIndex@8 -DPA_Grow@8 -DPA_InsertPtr@12 -DPA_Search@24 -DPA_SetPtr@12 -DPA_Sort@12 -DSA_Create@8 -DSA_DeleteAllItems@4 -DSA_DeleteItem@8 -DSA_Destroy@4 -DSA_GetItem@12 -DSA_GetItemPtr@8 -DSA_InsertItem@12 -DSA_SetItem@12 -DefSubclassProc@16 -DelMRUString@8 DestroyPropertySheetPage@4 -DrawInsert@12 +DllGetVersion@4 +DllInstall@8 +DrawShadowText@36 DrawStatusText@16 -DrawStatusTextA@16 DrawStatusTextW@16 -EnumMRUListA@16 -EnumMRUListW@16 -FindMRUData@16 -FindMRUStringA@12 -FindMRUStringW@12 -Free@4 -FreeMRUList@4 -GetEffectiveClientRect@12 +FlatSB_EnableScrollBar@12 +FlatSB_GetScrollInfo@12 +FlatSB_GetScrollPos@8 +FlatSB_GetScrollProp@12 +FlatSB_GetScrollRange@16 +FlatSB_SetScrollInfo@16 +FlatSB_SetScrollPos@16 +FlatSB_SetScrollProp@16 +FlatSB_SetScrollRange@20 +FlatSB_ShowScrollBar@12 GetMUILanguage@0 -GetSize@4 -GetWindowSubclass@16 +HIMAGELIST_QueryInterface@12 ImageList_Add@12 ImageList_AddIcon@8 ImageList_AddMasked@12 ImageList_BeginDrag@16 +ImageList_CoCreateInstance@16 ImageList_Copy@20 ImageList_Create@20 ImageList_Destroy@4 +ImageList_DestroyShared@4 ImageList_DragEnter@12 ImageList_DragLeave@4 ImageList_DragMove@8 @@ -76,6 +59,7 @@ ImageList_Duplicate@4 ImageList_EndDrag@0 ImageList_GetBkColor@4 ImageList_GetDragImage@8 +ImageList_GetFlags@4 ImageList_GetIcon@12 ImageList_GetIconSize@12 ImageList_GetImageCount@4 @@ -86,34 +70,80 @@ ImageList_LoadImageA@28 ImageList_LoadImageW@28 ImageList_Merge@24 ImageList_Read@4 +ImageList_ReadEx@16 ImageList_Remove@8 ImageList_Replace@16 ImageList_ReplaceIcon@12 +ImageList_Resize@12 ImageList_SetBkColor@8 ImageList_SetDragCursorImage@16 +ImageList_SetFilter@12 +ImageList_SetFlags@8 ImageList_SetIconSize@12 ImageList_SetImageCount@8 ImageList_SetOverlayImage@12 ImageList_Write@8 -InitCommonControls@0 +ImageList_WriteEx@12 InitCommonControlsEx@4 InitMUILanguage@4 -LBItemFromPt@16 -LoadIconMetric@16 -MakeDragList@4 -MenuHelp@28 +InitializeFlatSB@4 PropertySheet@4 PropertySheetA@4 PropertySheetW@4 -ReAlloc@8 -RemoveWindowSubclass@12 -SendNotify@16 -SendNotifyEx@20 -SetWindowSubclass@16 -ShowHideMenuCtl@12 -Str_GetPtrA@12 -Str_GetPtrW@12 -Str_SetPtrA@8 +RegisterClassNameW@4 +UninitializeFlatSB@4 +_TrackMouseEvent@4 +FreeMRUList@4 +DrawSizeBox@16 +DrawScrollBar@16 +SizeBoxHwnd@4 +ScrollBar_MouseMove@12 +ScrollBar_Menu@16 +HandleScrollCmd@12 +DetachScrollBars@4 +AttachScrollBars@4 +CCSetScrollInfo@16 +CCGetScrollInfo@12 +CCEnableScrollBar@12 Str_SetPtrW@8 +DSA_Create@8 +DSA_Destroy@4 +DSA_GetItem@12 +DSA_GetItemPtr@8 +DSA_InsertItem@12 +DSA_SetItem@12 +DSA_DeleteItem@8 +DSA_DeleteAllItems@4 +DPA_Create@4 +DPA_Destroy@4 +DPA_Grow@8 +DPA_Clone@8 +DPA_GetPtr@8 +DPA_GetPtrIndex@8 +DPA_InsertPtr@12 +DPA_SetPtr@12 +DPA_DeletePtr@8 +DPA_DeleteAllPtrs@4 +DPA_Sort@12 +DPA_Search@24 +DPA_CreateEx@8 +DSA_Clone@4 TaskDialog@32 TaskDialogIndirect@16 +DSA_Sort@12 +DPA_GetSize@4 +DSA_GetSize@4 +LoadIconMetric@16 +LoadIconWithScaleDown@20 +DPA_EnumCallback@12 +DPA_DestroyCallback@12 +DSA_EnumCallback@12 +DSA_DestroyCallback@12 +QuerySystemGestureStatus@16 +CreateMRUListW@4 +AddMRUStringW@8 +EnumMRUListW@16 +SetWindowSubclass@16 +GetWindowSubclass@16 +RemoveWindowSubclass@12 +DefSubclassProc@16 diff --git a/lib/libc/mingw/lib32/connect.def b/lib/libc/mingw/lib32/connect.def new file mode 100644 index 0000000000..5e1c49cc47 --- /dev/null +++ b/lib/libc/mingw/lib32/connect.def @@ -0,0 +1,20 @@ +; +; Definition file of connect.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "connect.dll" +EXPORTS +AddConnectionOptionListEntries@12 +CreateVPNConnection@24 +DllCanUnloadNow@0 +DllGetClassObject@12 +GetInternetConnected@24 +GetNetworkConnected@24 +GetVPNConnected@24 +IsInternetConnected@0 +IsInternetConnectedGUID@8 +IsUniqueConnectionName@4 +RegisterPageWithPage@28 +UnregisterPage@8 +UnregisterPagesLink@8 diff --git a/lib/libc/mingw/lib32/coremessaging.def b/lib/libc/mingw/lib32/coremessaging.def new file mode 100644 index 0000000000..1a56dfecea --- /dev/null +++ b/lib/libc/mingw/lib32/coremessaging.def @@ -0,0 +1,33 @@ +LIBRARY coremessaging + +EXPORTS + +CoreUICallComputeMaximumMessageSize +CoreUICallCreateConversationHost +CoreUICallCreateEndpointHost +CoreUICallCreateEndpointHostWithSendPriority +CoreUICallGetAddressOfParameterInBuffer +CoreUICallReceive +CoreUICallSend +CoreUICallSendVaList +CoreUIConfigureTestHost@0 +CoreUIConfigureUserIntegration@4 +CoreUICreate@4 +CoreUICreateAnonymousStream@4 +CoreUICreateClientWindowIDManager@4 +CoreUICreateEx@8 +CoreUICreateSystemWindowIDManager@4 +CoreUIInitializeTestService@12 +CoreUIOpenExisting@4 +CoreUIRouteToTestRegistrar@8 +CoreUIUninitializeTestService@0 +CreateDispatcherQueueController@16 +CreateDispatcherQueueForCurrentThread@4 +GetDispatcherQueueForCurrentThread@4 +MsgBlobCreateShared@12 +MsgBlobCreateStack@16 +MsgBufferShare@8 +MsgRelease@4 +MsgStringCreateShared@12 +MsgStringCreateStack@16 +ServiceMain@8 diff --git a/lib/libc/mingw/lib32/crtdll.def.in b/lib/libc/mingw/lib32/crtdll.def.in new file mode 100644 index 0000000000..d8b5bd8211 --- /dev/null +++ b/lib/libc/mingw/lib32/crtdll.def.in @@ -0,0 +1,726 @@ +; +;* crtdll.def +;* This file has no copyright assigned and is placed in the Public Domain. +;* This file is part of the mingw-runtime package. +;* No warranty is given; refer to the file DISCLAIMER.PD within the package. +; +; Exports from crtdll.dll from Windows 95 SYSTEM directory. Hopefully this +; should also work with the crtdll provided with Windows NT. +; +; NOTE: The crtdll is OBSOLETE and msvcrt should be used instead. The msvcrt +; is available for free download from Microsoft Corporation and will work on +; Windows 95. Support for the crtdll is deprecated and this file may be +; deleted in future versions. +; +; These three functions appear to be name mangled in some way, so GCC is +; probably not going to be able to use them in any case. +; +; ??2@YAPAXI@Z +; ??3@YAXPAX@Z +; ?_set_new_handler@@YAP6AHI@ZP6AHI@Z@Z +; +; These are functions for which I have not yet written prototypes or +; otherwise set up (they are still included below though unlike those +; first three). +; +; _CIacos +; _CIasin +; _CIatan +; _CIatan2 +; _CIcos +; _CIcosh +; _CIexp +; _CIfmod +; _CIlog +; _CIlog10 +; _CIpow +; _CIsin +; _CIsinh +; _CIsqrt +; _CItan +; _CItanh +; __dllonexit +; __mb_cur_max_dll +; __threadhandle +; __threadid +; _abnormal_termination +; _acmdln_dll +; _aexit_rtn_dll +; _amsg_exit +; _commit +; _commode_dll +; _cpumode_dll +; _ctype +; _expand +; _fcloseall +; _filbuf +; _fileinfo_dll +; _flsbuf +; _flushall +; _fmode_dll +; _fpieee_flt +; _fsopen +; _ftol +; _getdiskfree +; _getdllprocaddr +; _getdrive +; _getdrives +; _getsystime +; _initterm +; _ismbbalnum +; _ismbbalpha +; _ismbbgraph +; _ismbbkalnum +; _ismbbkana +; _ismbbkpunct +; _ismbblead +; _ismbbprint +; _ismbbpunct +; _ismbbtrail +; _ismbcalpha +; _ismbcdigit +; _ismbchira +; _ismbckata +; _ismbcl0 +; _ismbcl1 +; _ismbcl2 +; _ismbclegal +; _ismbclower +; _ismbcprint +; _ismbcspace +; _ismbcsymbol +; _ismbcupper +; _ismbslead +; _ismbstrail +; _lfind +; _loaddll +; _lrotl +; _lrotr +; _lsearch +; _makepath +; _matherr +; _mbbtombc +; _mbbtype +; _mbccpy +; _mbcjistojms +; _mbcjmstojis +; _mbclen +; _mbctohira +; _mbctokata +; _mbctolower +; _mbctombb +; _mbctoupper +; _mbctype +; _mbsbtype +; _mbscat +; _mbscmp +; _mbscpy +; _mbscspn +; _mbsdec +; _mbsdup +; _mbsicmp +; _mbsinc +; _mbslen +; _mbslwr +; _mbsnbcat +; _mbsnbcmp +; _mbsnbcnt +; _mbsnbcpy +; _mbsnbicmp +; _mbsnbset +; _mbsnccnt +; _mbsncmp +; _mbsncpy +; _mbsnextc +; _mbsnicmp +; _mbsninc +; _mbsnset +; _mbspbrk +; _mbsrchr +; _mbsrev +; _mbsset +; _mbsspn +; _mbsspnp +; _mbsstr +; _mbstrlen +; _mbsupr +; _onexit +; _osversion_dll +; _pctype_dll +; _purecall +; _pwctype_dll +; _rmtmp +; _rotl +; _rotr +; _setsystime +; _snprintf +; _snwprintf +; _splitpath +; _strdate +; _strdec +; _strinc +; _strncnt +; _strnextc +; _strninc +; _strspnp +; _strtime +; _tempnam +; _ultoa +; _unloaddll +; _vsnprintf +; _vsnwprintf +; _wtoi +; _wtol +; +LIBRARY "crtdll.dll" +EXPORTS + +#include "msvcrt-common.def.in" + +_CIacos +_CIasin +_CIatan +_CIatan2 +_CIcos +_CIcosh +_CIexp +_CIfmod +_CIlog +_CIlog10 +_CIpow +_CIsin +_CIsinh +_CIsqrt +_CItan +_CItanh +_HUGE_dll DATA +_HUGE DATA == _HUGE_dll +_XcptFilter +__GetMainArgs +__argc_dll DATA +__argc DATA == __argc_dll +__argv_dll DATA +__argv DATA == __argv_dll +__dllonexit +__doserrno +__fpecode +__isascii +__iscsym +__iscsymf +__mb_cur_max_dll DATA +__mb_cur_max DATA == __mb_cur_max_dll +__pxcptinfoptrs +__threadhandle +__threadid +__toascii +_abnormal_termination +_access +_acmdln_dll DATA +_acmdln DATA == _acmdln_dll +_aexit_rtn_dll DATA +_aexit_rtn DATA == _aexit_rtn_dll +_amsg_exit +_assert +_basemajor_dll DATA +_baseminor_dll DATA +_baseversion_dll DATA +_beep +_beginthread +_c_exit +_cabs DATA +_cexit +_cgets +_chdir +_chdrive +_chgsign +_chmod +_chsize +_clearfp +_close +_commit +_commode_dll DATA +_commode DATA == _commode_dll +_control87 +_controlfp +_copysign +_cprintf +_cpumode_dll DATA +_cputs +_creat +_cscanf +_ctype DATA +_cwait +_daylight_dll DATA +_daylight DATA == _daylight_dll +_dup +_dup2 +_ecvt +_endthread +_environ_dll DATA +_environ DATA == _environ_dll +_eof +_errno +_except_handler2 +_execl +_execle +_execlp +_execlpe +_execv +_execve +_execvp +_execvpe +_exit +_expand +_fcloseall +_fcvt +_fdopen +_fgetchar +_fgetwchar +_filbuf +_fileinfo_dll DATA +_fileinfo DATA == _fileinfo_dll +_filelength +_fileno +_findclose +_findfirst +_findnext +_finite +_flsbuf +_flushall +_fmode_dll DATA +_fmode DATA == _fmode_dll +_fpclass +_fpieee_flt +_fpreset DATA +_fputchar +_fputwchar +_fsopen +_fstat +_ftime +_ftol +_fullpath +_futime +_gcvt +_get_osfhandle +_getch +_getche +_getcwd +_getdcwd +_getdiskfree +_getdllprocaddr +_getdrive +_getdrives +_getpid +_getsystime +_getw +_global_unwind2 +_heapchk +_heapmin +_heapset +_heapwalk +_hypot +_initterm +_iob DATA +_isatty +_isctype +_ismbbalnum +_ismbbalpha +_ismbbgraph +_ismbbkalnum +_ismbbkana +_ismbbkpunct +_ismbblead +_ismbbprint +_ismbbpunct +_ismbbtrail +_ismbcalpha +_ismbcdigit +_ismbchira +_ismbckata +_ismbcl0 +_ismbcl1 +_ismbcl2 +_ismbclegal +_ismbclower +_ismbcprint +_ismbcspace +_ismbcsymbol +_ismbcupper +_ismbslead +_ismbstrail +_isnan +_itoa +_j0 +_j1 +_jn +_kbhit +_lfind +_loaddll +_local_unwind2 +_locking +_logb +_lrotl +_lrotr +_lsearch +_lseek +_ltoa +_makepath +_matherr +_mbbtombc +_mbbtype +_mbccpy +_mbcjistojms +_mbcjmstojis +_mbclen +_mbctohira +_mbctokata +_mbctolower +_mbctombb +_mbctoupper +_mbctype DATA +_mbsbtype +_mbscat +_mbschr +_mbscmp +_mbscpy +_mbscspn +_mbsdec +_mbsdup +_mbsicmp +_mbsinc +_mbslen +_mbslwr +_mbsnbcat +_mbsnbcmp +_mbsnbcnt +_mbsnbcpy +_mbsnbicmp +_mbsnbset +_mbsncat +_mbsnccnt +_mbsncmp +_mbsncpy +_mbsnextc +_mbsnicmp +_mbsninc +_mbsnset +_mbspbrk +_mbsrchr +_mbsrev +_mbsset +_mbsspn +_mbsspnp +_mbsstr +_mbstok +_mbstrlen +_mbsupr +_memccpy +_memicmp +_mkdir +_mktemp +_msize +_nextafter +_onexit +_open +_open_osfhandle +_osmajor_dll DATA +_osminor_dll DATA +_osmode_dll DATA +_osver_dll DATA +_osver DATA == _osver_dll +_osversion_dll DATA +_pclose +_pctype_dll DATA +_pctype DATA == _pctype_dll +_pgmptr_dll DATA +_pgmptr DATA == _pgmptr_dll +_pipe +_popen +_purecall +_putch +_putenv +_putw +_pwctype_dll DATA +_pwctype DATA == _pwctype_dll +_read +_rmdir +_rmtmp +_rotl +_rotr +_scalb +_searchenv +_seterrormode +_setjmp +_setmode +_setsystime +_sleep +_snprintf +_snwprintf +_sopen +_spawnl +_spawnle +_spawnlp +_spawnlpe +_spawnv +_spawnve +_spawnvp +_spawnvpe +_splitpath +_stat +_statusfp +_strcmpi +_strdate +_strdec +_strdup +_strerror +_stricmp +_stricoll +_strinc +_strlwr +strlwr == _strlwr +_strncnt +_strnextc +_strnicmp +_strninc +_strnset +_strrev +_strset +_strspnp +_strtime +_strupr +_swab +_sys_errlist DATA +_sys_nerr_dll DATA +_sys_nerr DATA == _sys_nerr_dll +_tell +_tempnam +_timezone_dll DATA +_timezone DATA == _timezone_dll +_tolower +_toupper +_tzname DATA +_tzset +_ultoa +_umask +_ungetch +_unlink +_unloaddll +_utime +_vsnprintf +_vsnwprintf +_wcsdup +_wcsicmp +_wcsicoll +_wcslwr +wcslwr == _wcslwr +_wcsnicmp +_wcsnset +_wcsrev +_wcsset +_wcsupr +_winmajor_dll DATA +_winmajor DATA == _winmajor_dll +_winminor_dll DATA +_winminor DATA == _winminor_dll +_winver_dll DATA +_winver DATA == _winver_dll +_write +_wtoi +_wtol +_y0 +_y1 +_yn +abort +abs +acos +asctime +asin DATA +atan DATA +atan2 DATA +atexit DATA +atof +atoi +atol +bsearch +calloc +ceil +clearerr +clock +cos DATA +cosh +ctime DATA +;_ctime32 = ctime +difftime +div +exit +exp DATA +fabs DATA +fclose +feof +ferror +fflush +fgetc +fgetpos +fgets +fgetwc +floor +fmod +fopen +fprintf +fputc +fputs +fputwc +fread +free +freopen +frexp +fscanf +fseek +fsetpos +ftell +fwprintf +fwrite +fwscanf +getc +getchar +getenv +gets +gmtime DATA +;_gmtime32 = gmtime +is_wctype +isalnum +isalpha +iscntrl +isdigit +isgraph +isleadbyte +islower +isprint +ispunct +isspace +isupper +iswalnum +iswalpha +iswascii +iswcntrl +iswctype +iswdigit +iswgraph +iswlower +iswprint +iswpunct +iswspace +iswupper +iswxdigit +isxdigit +labs +ldexp DATA +ldiv +localeconv +localtime DATA +;_localtime32 = localtime +log +log10 +longjmp +malloc +mblen +mbstowcs +mbtowc +memchr +memcmp +memcpy +memmove +memset +mktime DATA +;_mktime32 = mktime +modf +perror +pow +printf +putc +putchar +puts +qsort +raise +rand +realloc +remove +rename +rewind +scanf +setbuf +setlocale +setvbuf +signal +sin +sinh +sprintf +sqrt +srand +sscanf +strcat +strchr +strcmp +strcoll +strcpy +strcspn +strerror +strftime +strlen +strncat +strncmp +strncpy +strpbrk +strrchr +strspn +strstr +strtod +strtok +strtol +strtoul +strxfrm +swprintf +swscanf +system +tan +tanh +time DATA +;_time32 = time +tmpfile +tmpnam +tolower +toupper +towlower +towupper +ungetc +ungetwc +vfprintf +vfwprintf +vprintf +vsprintf +vswprintf +vwprintf +wcscat +wcschr +wcscmp +wcscoll +wcscpy +wcscspn +wcsftime +wcslen +wcsncat +wcsncmp +wcsncpy +wcspbrk +wcsrchr +wcsspn +wcsstr +wcstod +wcstok +wcstol +wcstombs +wcstoul +wcsxfrm +wctomb +wprintf +wscanf diff --git a/lib/libc/mingw/lib32/cryptsp.def b/lib/libc/mingw/lib32/cryptsp.def new file mode 100644 index 0000000000..56d12e419b --- /dev/null +++ b/lib/libc/mingw/lib32/cryptsp.def @@ -0,0 +1,48 @@ +; +; Definition file of CRYPTSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "CRYPTSP.dll" +EXPORTS +CheckSignatureInFile@4 +CryptAcquireContextA@20 +CryptAcquireContextW@20 +CryptContextAddRef@12 +CryptCreateHash@20 +CryptDecrypt@24 +CryptDeriveKey@20 +CryptDestroyHash@4 +CryptDestroyKey@4 +CryptDuplicateHash@16 +CryptDuplicateKey@16 +CryptEncrypt@28 +CryptEnumProviderTypesA@24 +CryptEnumProviderTypesW@24 +CryptEnumProvidersA@24 +CryptEnumProvidersW@24 +CryptExportKey@24 +CryptGenKey@16 +CryptGenRandom@12 +CryptGetDefaultProviderA@20 +CryptGetDefaultProviderW@20 +CryptGetHashParam@20 +CryptGetKeyParam@20 +CryptGetProvParam@20 +CryptGetUserKey@12 +CryptHashData@16 +CryptHashSessionKey@12 +CryptImportKey@24 +CryptReleaseContext@8 +CryptSetHashParam@16 +CryptSetKeyParam@16 +CryptSetProvParam@16 +CryptSetProviderA@8 +CryptSetProviderExA@16 +CryptSetProviderExW@16 +CryptSetProviderW@8 +CryptSignHashA@24 +CryptSignHashW@24 +CryptVerifySignatureA@24 +CryptVerifySignatureW@24 +SystemFunction035@4 diff --git a/lib/libc/mingw/lib32/ctl3d32.def b/lib/libc/mingw/lib32/ctl3d32.def new file mode 100644 index 0000000000..130c0a567f --- /dev/null +++ b/lib/libc/mingw/lib32/ctl3d32.def @@ -0,0 +1,27 @@ +LIBRARY CTL3D32.DLL +EXPORTS +BtnWndProc3d@16 +ComboWndProc3d@16 +Ctl3dAutoSubclass@4 +Ctl3dAutoSubclassEx@8 +Ctl3dColorChange@0 +Ctl3dCtlColor@8 +Ctl3dCtlColorEx@12 +Ctl3dDlgFramePaint@16 +Ctl3dDlgProc@16 +Ctl3dEnabled@0 +Ctl3dGetVer@0 +Ctl3dIsAutoSubclass@0 +Ctl3dRegister@4 +Ctl3dSetStyle@12 +Ctl3dSubclassCtl@4 +Ctl3dSubclassCtlEx@8 +Ctl3dSubclassDlg@8 +Ctl3dSubclassDlgEx@8 +Ctl3dUnAutoSubclass@0 +Ctl3dUnregister@4 +Ctl3dUnsubclassCtl@4 +Ctl3dWinIniChange@0 +EditWndProc3d@16 +ListWndProc3d@16 +StaticWndProc3d@16 diff --git a/lib/libc/mingw/lib32/d2d1.def b/lib/libc/mingw/lib32/d2d1.def index 846e49ba8a..49c0627401 100644 --- a/lib/libc/mingw/lib32/d2d1.def +++ b/lib/libc/mingw/lib32/d2d1.def @@ -5,8 +5,16 @@ ; LIBRARY "d2d1.dll" EXPORTS +D2D1ComputeMaximumScaleFactor@4 +D2D1ConvertColorSpace@12 +D2D1CreateDevice@12 +D2D1CreateDeviceContext@12 D2D1CreateFactory@16 +D2D1GetGradientMeshInteriorPointsFromCoonsPatch@64 +D2D1InvertMatrix@4 +D2D1IsMatrixInvertible@4 D2D1MakeRotateMatrix@16 D2D1MakeSkewMatrix@20 -D2D1IsMatrixInvertible@4 -D2D1InvertMatrix@4 +D2D1SinCos@12 +D2D1Tan@4 +D2D1Vec3Length@12 diff --git a/lib/libc/mingw/lib32/d3d11.def b/lib/libc/mingw/lib32/d3d11.def index 7bc60078ee..5f4dda3d06 100644 --- a/lib/libc/mingw/lib32/d3d11.def +++ b/lib/libc/mingw/lib32/d3d11.def @@ -43,7 +43,6 @@ D3DKMTGetSharedPrimaryHandle@4 D3DKMTLock@4 D3DKMTOpenAdapterFromHdc@4 D3DKMTOpenResource@4 -D3DKMTPresent@4 D3DKMTQueryAllocationResidency@4 D3DKMTQueryResourceInfo@4 D3DKMTRender@4 diff --git a/lib/libc/mingw/lib32/d3d8.def b/lib/libc/mingw/lib32/d3d8.def new file mode 100644 index 0000000000..cb0912c0ed --- /dev/null +++ b/lib/libc/mingw/lib32/d3d8.def @@ -0,0 +1,6 @@ +LIBRARY d3d8.dll +EXPORTS +ValidatePixelShader@16 +ValidateVertexShader@20 +;DebugSetMute@0 ;unknown +Direct3DCreate8@4 diff --git a/lib/libc/mingw/lib32/d3dcompiler_33.def b/lib/libc/mingw/lib32/d3dcompiler_33.def new file mode 100644 index 0000000000..c767dbe4be --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_33.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_34.def b/lib/libc/mingw/lib32/d3dcompiler_34.def new file mode 100644 index 0000000000..c767dbe4be --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_34.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_35.def b/lib/libc/mingw/lib32/d3dcompiler_35.def new file mode 100644 index 0000000000..c767dbe4be --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_35.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_36.def b/lib/libc/mingw/lib32/d3dcompiler_36.def new file mode 100644 index 0000000000..c767dbe4be --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_36.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_37.def b/lib/libc/mingw/lib32/d3dcompiler_37.def new file mode 100644 index 0000000000..0bbb4b0282 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_37.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_37.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_38.def b/lib/libc/mingw/lib32/d3dcompiler_38.def new file mode 100644 index 0000000000..725a802f37 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_38.def @@ -0,0 +1,18 @@ +; +; Definition file of D3DCompiler_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_38.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +D3DReturnFailure1@12 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_39.def b/lib/libc/mingw/lib32/d3dcompiler_39.def new file mode 100644 index 0000000000..3c126f706b --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_39.def @@ -0,0 +1,18 @@ +; +; Definition file of D3DCompiler_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_39.dll" +EXPORTS +D3DCompileFromMemory@44 +D3DDisassembleCode@20 +D3DDisassembleEffect@12 +D3DGetCodeDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocessFromMemory@28 +D3DReflectCode@16 +D3DReturnFailure1@12 +DebugSetMute@0 diff --git a/lib/libc/mingw/lib32/d3dcompiler_40.def b/lib/libc/mingw/lib32/d3dcompiler_40.def new file mode 100644 index 0000000000..87785fb04b --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_40.def @@ -0,0 +1,19 @@ +; +; Definition file of D3DCompiler_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_40.dll" +EXPORTS +DebugSetMute@0 +D3DCompile@44 +D3DDisassemble10Effect@12 +D3DDisassemble@20 +D3DGetDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocess@28 +D3DReflect@16 +D3DReturnFailure1@12 +D3DStripShader@16 diff --git a/lib/libc/mingw/lib32/d3dcompiler_41.def b/lib/libc/mingw/lib32/d3dcompiler_41.def new file mode 100644 index 0000000000..da9d10a408 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_41.def @@ -0,0 +1,20 @@ +; +; Definition file of D3DCompiler_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_41.dll" +EXPORTS +D3DAssemble@32 +DebugSetMute@0 +D3DCompile@44 +D3DDisassemble10Effect@12 +D3DDisassemble@20 +D3DGetDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocess@28 +D3DReflect@16 +D3DReturnFailure1@12 +D3DStripShader@16 diff --git a/lib/libc/mingw/lib32/d3dcompiler_42.def b/lib/libc/mingw/lib32/d3dcompiler_42.def new file mode 100644 index 0000000000..168163aa97 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_42.def @@ -0,0 +1,20 @@ +; +; Definition file of D3DCompiler_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_42.dll" +EXPORTS +D3DAssemble@32 +DebugSetMute@0 +D3DCompile@44 +D3DDisassemble10Effect@12 +D3DDisassemble@20 +D3DGetDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocess@28 +D3DReflect@16 +D3DReturnFailure1@12 +D3DStripShader@16 diff --git a/lib/libc/mingw/lib32/d3dcompiler_43.def b/lib/libc/mingw/lib32/d3dcompiler_43.def new file mode 100644 index 0000000000..35e98a19cb --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_43.def @@ -0,0 +1,24 @@ +; +; Definition file of D3DCOMPILER_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCOMPILER_43.dll" +EXPORTS +D3DAssemble@32 +DebugSetMute@0 +D3DCompile@44 +D3DCompressShaders@16 +D3DCreateBlob@8 +D3DDecompressShaders@32 +D3DDisassemble10Effect@12 +D3DDisassemble@20 +D3DGetBlobPart@20 +D3DGetDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DPreprocess@28 +D3DReflect@16 +D3DReturnFailure1@12 +D3DStripShader@16 diff --git a/lib/libc/mingw/lib32/d3dcompiler_46.def b/lib/libc/mingw/lib32/d3dcompiler_46.def new file mode 100644 index 0000000000..f1f3153b99 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcompiler_46.def @@ -0,0 +1,32 @@ +; +; Definition file of D3DCOMPILER_46.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCOMPILER_46.dll" +EXPORTS +D3DAssemble@32 +DebugSetMute@0 +D3DCompile2@56 +D3DCompile@44 +D3DCompileFromFile@36 +D3DCompressShaders@16 +D3DCreateBlob@8 +D3DDecompressShaders@32 +D3DDisassemble10Effect@12 +D3DDisassemble11Trace@28 +D3DDisassemble@20 +D3DDisassembleRegion@32 +D3DGetBlobPart@20 +D3DGetDebugInfo@12 +D3DGetInputAndOutputSignatureBlob@12 +D3DGetInputSignatureBlob@12 +D3DGetOutputSignatureBlob@12 +D3DGetTraceInstructionOffsets@28 +D3DPreprocess@28 +D3DReadFileToBlob@8 +D3DReflect@16 +D3DReturnFailure1@12 +D3DSetBlobPart@28 +D3DStripShader@16 +D3DWriteBlobToFile@12 diff --git a/lib/libc/mingw/lib32/d3dcsx_46.def b/lib/libc/mingw/lib32/d3dcsx_46.def new file mode 100644 index 0000000000..bce0e795f8 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcsx_46.def @@ -0,0 +1,16 @@ +; +; Definition file of d3dcsx_46.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dcsx_46.dll" +EXPORTS +D3DX11CreateFFT1DComplex@20 +D3DX11CreateFFT1DReal@20 +D3DX11CreateFFT2DComplex@24 +D3DX11CreateFFT2DReal@24 +D3DX11CreateFFT3DComplex@28 +D3DX11CreateFFT3DReal@28 +D3DX11CreateFFT@20 +D3DX11CreateScan@16 +D3DX11CreateSegmentedScan@12 diff --git a/lib/libc/mingw/lib32/d3dcsxd_43.def b/lib/libc/mingw/lib32/d3dcsxd_43.def new file mode 100644 index 0000000000..d223f4679a --- /dev/null +++ b/lib/libc/mingw/lib32/d3dcsxd_43.def @@ -0,0 +1,16 @@ +; +; Definition file of d3dcsxd_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dcsxd_43.dll" +EXPORTS +D3DX11CreateFFT1DComplex@20 +D3DX11CreateFFT1DReal@20 +D3DX11CreateFFT2DComplex@24 +D3DX11CreateFFT2DReal@24 +D3DX11CreateFFT3DComplex@28 +D3DX11CreateFFT3DReal@28 +D3DX11CreateFFT@20 +D3DX11CreateScan@16 +D3DX11CreateSegmentedScan@12 diff --git a/lib/libc/mingw/lib32/d3dim.def b/lib/libc/mingw/lib32/d3dim.def new file mode 100644 index 0000000000..62083d755c --- /dev/null +++ b/lib/libc/mingw/lib32/d3dim.def @@ -0,0 +1,15 @@ +LIBRARY d3dim.dll +EXPORTS +;D3DFree +;D3DMalloc +;D3DRealloc +Direct3DCreate@12 +;Direct3DCreateDevice +;Direct3DCreateTexture +;Direct3DGetSWRastZPixFmts +Direct3D_HALCleanUp@8 +FlushD3DDevices@4 +FlushD3DDevices2@4 +PaletteAssociateNotify@16 +PaletteUpdateNotify@20 +SurfaceFlipNotify@4 diff --git a/lib/libc/mingw/lib32/d3drm.def b/lib/libc/mingw/lib32/d3drm.def new file mode 100644 index 0000000000..47e363a3f9 --- /dev/null +++ b/lib/libc/mingw/lib32/d3drm.def @@ -0,0 +1,23 @@ +LIBRARY d3drm.dll +EXPORTS +D3DRMColorGetAlpha@4 +D3DRMColorGetBlue@4 +D3DRMColorGetGreen@4 +D3DRMColorGetRed@4 +D3DRMCreateColorRGB@12 +D3DRMCreateColorRGBA@16 +D3DRMMatrixFromQuaternion@8 +D3DRMQuaternionFromRotation@12 +D3DRMQuaternionMultiply@12 +D3DRMQuaternionSlerp@16 +D3DRMVectorAdd@12 +D3DRMVectorCrossProduct@12 +D3DRMVectorDotProduct@8 +D3DRMVectorModulus@4 +D3DRMVectorNormalize@4 +D3DRMVectorRandom@4 +D3DRMVectorReflect@12 +D3DRMVectorRotate@16 +D3DRMVectorScale@12 +D3DRMVectorSubtract@12 +Direct3DRMCreate@4 diff --git a/lib/libc/mingw/lib32/d3dx10_33.def b/lib/libc/mingw/lib32/d3dx10_33.def new file mode 100644 index 0000000000..cdf56a66b2 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_33.def @@ -0,0 +1,184 @@ +; +; Definition file of d3dx10_33.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_33.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetDriverLevel@4 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_34.def b/lib/libc/mingw/lib32/d3dx10_34.def new file mode 100644 index 0000000000..bad131fd63 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_34.def @@ -0,0 +1,184 @@ +; +; Definition file of d3dx10_34.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_34.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetDriverLevel@4 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_35.def b/lib/libc/mingw/lib32/d3dx10_35.def new file mode 100644 index 0000000000..aff0fc1585 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_35.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_35.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_35.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetDriverLevel@4 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_36.def b/lib/libc/mingw/lib32/d3dx10_36.def new file mode 100644 index 0000000000..177cbfb8ef --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_36.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_36.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_36.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetDriverLevel@4 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_37.def b/lib/libc/mingw/lib32/d3dx10_37.def new file mode 100644 index 0000000000..ed800a398a --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_37.def @@ -0,0 +1,188 @@ +; +; Definition file of d3dx10_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_37.dll" +EXPORTS +D3DX10CreateReduction@12 +D3DX10CreateThreadPump@12 +D3DX10GetDriverLevel@4 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_38.def b/lib/libc/mingw/lib32/d3dx10_38.def new file mode 100644 index 0000000000..24dca654f0 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_38.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_38.dll" +EXPORTS +D3DX10CreateReduction@12 +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_39.def b/lib/libc/mingw/lib32/d3dx10_39.def new file mode 100644 index 0000000000..e6dbf447cb --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_39.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_39.dll" +EXPORTS +D3DX10CreateReduction@12 +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10DisassembleEffect@12 +D3DX10DisassembleShader@20 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10ReflectShader@12 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_40.def b/lib/libc/mingw/lib32/d3dx10_40.def new file mode 100644 index 0000000000..3d5af59f89 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_40.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_40.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_41.def b/lib/libc/mingw/lib32/d3dx10_41.def new file mode 100644 index 0000000000..d57d1de2d8 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_41.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_41.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_42.def b/lib/libc/mingw/lib32/d3dx10_42.def new file mode 100644 index 0000000000..75a71a4a8b --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_42.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_42.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx10_43.def b/lib/libc/mingw/lib32/d3dx10_43.def new file mode 100644 index 0000000000..b9aacbe889 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx10_43.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_43.dll" +EXPORTS +D3DX10CreateThreadPump@12 +D3DX10CheckVersion@8 +D3DX10CompileFromFileA@44 +D3DX10CompileFromFileW@44 +D3DX10CompileFromMemory@52 +D3DX10CompileFromResourceA@52 +D3DX10CompileFromResourceW@52 +D3DX10ComputeNormalMap@20 +D3DX10CreateAsyncCompilerProcessor@40 +D3DX10CreateAsyncEffectCreateProcessor@40 +D3DX10CreateAsyncEffectPoolCreateProcessor@36 +D3DX10CreateAsyncFileLoaderA@8 +D3DX10CreateAsyncFileLoaderW@8 +D3DX10CreateAsyncMemoryLoader@12 +D3DX10CreateAsyncResourceLoaderA@12 +D3DX10CreateAsyncResourceLoaderW@12 +D3DX10CreateAsyncShaderPreprocessProcessor@24 +D3DX10CreateAsyncShaderResourceViewProcessor@12 +D3DX10CreateAsyncTextureInfoProcessor@8 +D3DX10CreateAsyncTextureProcessor@12 +D3DX10CreateDevice@20 +D3DX10CreateDeviceAndSwapChain@28 +D3DX10CreateEffectFromFileA@48 +D3DX10CreateEffectFromFileW@48 +D3DX10CreateEffectFromMemory@56 +D3DX10CreateEffectFromResourceA@56 +D3DX10CreateEffectFromResourceW@56 +D3DX10CreateEffectPoolFromFileA@44 +D3DX10CreateEffectPoolFromFileW@44 +D3DX10CreateEffectPoolFromMemory@52 +D3DX10CreateEffectPoolFromResourceA@52 +D3DX10CreateEffectPoolFromResourceW@52 +D3DX10CreateFontA@48 +D3DX10CreateFontIndirectA@12 +D3DX10CreateFontIndirectW@12 +D3DX10CreateFontW@48 +D3DX10CreateMesh@32 +D3DX10CreateShaderResourceViewFromFileA@24 +D3DX10CreateShaderResourceViewFromFileW@24 +D3DX10CreateShaderResourceViewFromMemory@28 +D3DX10CreateShaderResourceViewFromResourceA@28 +D3DX10CreateShaderResourceViewFromResourceW@28 +D3DX10CreateSkinInfo@4 +D3DX10CreateSprite@12 +D3DX10CreateTextureFromFileA@24 +D3DX10CreateTextureFromFileW@24 +D3DX10CreateTextureFromMemory@28 +D3DX10CreateTextureFromResourceA@28 +D3DX10CreateTextureFromResourceW@28 +D3DX10FilterTexture@12 +D3DX10GetFeatureLevel1@8 +D3DX10GetImageInfoFromFileA@16 +D3DX10GetImageInfoFromFileW@16 +D3DX10GetImageInfoFromMemory@20 +D3DX10GetImageInfoFromResourceA@20 +D3DX10GetImageInfoFromResourceW@20 +D3DX10LoadTextureFromTexture@12 +D3DX10PreprocessShaderFromFileA@28 +D3DX10PreprocessShaderFromFileW@28 +D3DX10PreprocessShaderFromMemory@36 +D3DX10PreprocessShaderFromResourceA@36 +D3DX10PreprocessShaderFromResourceW@36 +D3DX10SHProjectCubeMap@20 +D3DX10SaveTextureToFileA@12 +D3DX10SaveTextureToFileW@12 +D3DX10SaveTextureToMemory@16 +D3DX10UnsetAllDeviceObjects@4 +D3DXBoxBoundProbe@16 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXCpuOptimizations@4 +D3DXCreateMatrixStack@8 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFresnelTerm@8 +D3DXIntersectTri@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSphereBoundProbe@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 diff --git a/lib/libc/mingw/lib32/d3dx11_42.def b/lib/libc/mingw/lib32/d3dx11_42.def new file mode 100644 index 0000000000..c2a79a7210 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx11_42.def @@ -0,0 +1,51 @@ +; +; Definition file of d3dx11_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx11_42.dll" +EXPORTS +D3DX11CheckVersion@8 +D3DX11CompileFromFileA@44 +D3DX11CompileFromFileW@44 +D3DX11CompileFromMemory@52 +D3DX11CompileFromResourceA@52 +D3DX11CompileFromResourceW@52 +D3DX11ComputeNormalMap@24 +D3DX11CreateAsyncCompilerProcessor@40 +D3DX11CreateAsyncFileLoaderA@8 +D3DX11CreateAsyncFileLoaderW@8 +D3DX11CreateAsyncMemoryLoader@12 +D3DX11CreateAsyncResourceLoaderA@12 +D3DX11CreateAsyncResourceLoaderW@12 +D3DX11CreateAsyncShaderPreprocessProcessor@24 +D3DX11CreateAsyncShaderResourceViewProcessor@12 +D3DX11CreateAsyncTextureInfoProcessor@8 +D3DX11CreateAsyncTextureProcessor@12 +D3DX11CreateShaderResourceViewFromFileA@24 +D3DX11CreateShaderResourceViewFromFileW@24 +D3DX11CreateShaderResourceViewFromMemory@28 +D3DX11CreateShaderResourceViewFromResourceA@28 +D3DX11CreateShaderResourceViewFromResourceW@28 +D3DX11CreateTextureFromFileA@24 +D3DX11CreateTextureFromFileW@24 +D3DX11CreateTextureFromMemory@28 +D3DX11CreateTextureFromResourceA@28 +D3DX11CreateTextureFromResourceW@28 +D3DX11CreateThreadPump@12 +D3DX11FilterTexture@16 +D3DX11GetImageInfoFromFileA@16 +D3DX11GetImageInfoFromFileW@16 +D3DX11GetImageInfoFromMemory@20 +D3DX11GetImageInfoFromResourceA@20 +D3DX11GetImageInfoFromResourceW@20 +D3DX11LoadTextureFromTexture@16 +D3DX11PreprocessShaderFromFileA@28 +D3DX11PreprocessShaderFromFileW@28 +D3DX11PreprocessShaderFromMemory@36 +D3DX11PreprocessShaderFromResourceA@36 +D3DX11PreprocessShaderFromResourceW@36 +D3DX11SHProjectCubeMap@24 +D3DX11SaveTextureToFileA@16 +D3DX11SaveTextureToFileW@16 +D3DX11SaveTextureToMemory@20 diff --git a/lib/libc/mingw/lib32/d3dx11_43.def b/lib/libc/mingw/lib32/d3dx11_43.def new file mode 100644 index 0000000000..1fcc1f2996 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx11_43.def @@ -0,0 +1,51 @@ +; +; Definition file of d3dx11_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx11_43.dll" +EXPORTS +D3DX11CheckVersion@8 +D3DX11CompileFromFileA@44 +D3DX11CompileFromFileW@44 +D3DX11CompileFromMemory@52 +D3DX11CompileFromResourceA@52 +D3DX11CompileFromResourceW@52 +D3DX11ComputeNormalMap@24 +D3DX11CreateAsyncCompilerProcessor@40 +D3DX11CreateAsyncFileLoaderA@8 +D3DX11CreateAsyncFileLoaderW@8 +D3DX11CreateAsyncMemoryLoader@12 +D3DX11CreateAsyncResourceLoaderA@12 +D3DX11CreateAsyncResourceLoaderW@12 +D3DX11CreateAsyncShaderPreprocessProcessor@24 +D3DX11CreateAsyncShaderResourceViewProcessor@12 +D3DX11CreateAsyncTextureInfoProcessor@8 +D3DX11CreateAsyncTextureProcessor@12 +D3DX11CreateShaderResourceViewFromFileA@24 +D3DX11CreateShaderResourceViewFromFileW@24 +D3DX11CreateShaderResourceViewFromMemory@28 +D3DX11CreateShaderResourceViewFromResourceA@28 +D3DX11CreateShaderResourceViewFromResourceW@28 +D3DX11CreateTextureFromFileA@24 +D3DX11CreateTextureFromFileW@24 +D3DX11CreateTextureFromMemory@28 +D3DX11CreateTextureFromResourceA@28 +D3DX11CreateTextureFromResourceW@28 +D3DX11CreateThreadPump@12 +D3DX11FilterTexture@16 +D3DX11GetImageInfoFromFileA@16 +D3DX11GetImageInfoFromFileW@16 +D3DX11GetImageInfoFromMemory@20 +D3DX11GetImageInfoFromResourceA@20 +D3DX11GetImageInfoFromResourceW@20 +D3DX11LoadTextureFromTexture@16 +D3DX11PreprocessShaderFromFileA@28 +D3DX11PreprocessShaderFromFileW@28 +D3DX11PreprocessShaderFromMemory@36 +D3DX11PreprocessShaderFromResourceA@36 +D3DX11PreprocessShaderFromResourceW@36 +D3DX11SHProjectCubeMap@24 +D3DX11SaveTextureToFileA@16 +D3DX11SaveTextureToFileW@16 +D3DX11SaveTextureToMemory@20 diff --git a/lib/libc/mingw/lib32/d3dx8d.def b/lib/libc/mingw/lib32/d3dx8d.def new file mode 100644 index 0000000000..17660fff02 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx8d.def @@ -0,0 +1,208 @@ +LIBRARY d3dx8d.dll +EXPORTS +D3DXAssembleShader@24 +D3DXAssembleShaderFromFileA@20 +D3DXAssembleShaderFromFileW@20 +D3DXAssembleShaderFromResourceA@24 +D3DXAssembleShaderFromResourceW@24 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@20 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileEffect@16 +D3DXCompileEffectFromFileA@12 +D3DXCompileEffectFromFileW@12 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@28 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@20 +D3DXCreateEffectFromFileA@16 +D3DXCreateEffectFromFileW@16 +D3DXCreateEffectFromResourceA@16 +D3DXCreateEffectFromResourceW@16 +D3DXCreateFont@12 +D3DXCreateFontIndirect@12 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreatePMeshFromStream@24 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@24 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinMesh@28 +D3DXCreateSkinMeshFVF@28 +D3DXCreateSkinMeshFromMesh@12 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@56 +D3DXCreateVolumeTextureFromFileExW@56 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@60 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@60 +D3DXCreateVolumeTextureFromResourceExW@60 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDeclaratorFromFVF@8 +D3DXFVFFromDeclarator@8 +D3DXFilterCubeTexture@16 +D3DXFillCubeTexture@12 +D3DXFillTexture@12 +D3DXFillVolumeTexture@12 +D3DXFilterTexture@16 +D3DXFresnelTerm@8 +D3DXFilterVolumeTexture@16 +D3DXGeneratePMesh@28 +D3DXGetErrorStringA@12 +D3DXGetErrorStringW@12 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromX@28 +D3DXLoadMeshFromXInMemory@32 +D3DXLoadMeshFromXResource@36 +D3DXLoadMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation@20 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXMatrixfDeterminant@4 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXSaveMeshToX@24 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXTesselateMesh@20 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXValidMesh@12 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformCoord@12 +D3DXVec2TransformNormal@12 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3Transform@12 +D3DXVec3TransformCoord@12 +D3DXVec3TransformNormal@12 +D3DXVec3Unproject@24 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXWeldVertices@24 diff --git a/lib/libc/mingw/lib32/d3dx9_24.def b/lib/libc/mingw/lib32/d3dx9_24.def new file mode 100644 index 0000000000..ab05b13276 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_24.def @@ -0,0 +1,327 @@ +; +; Definition file of d3dx9_24.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_24.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_25.def b/lib/libc/mingw/lib32/d3dx9_25.def new file mode 100644 index 0000000000..fa74d320b2 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_25.def @@ -0,0 +1,330 @@ +; +; Definition file of d3dx9_25.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_25.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_26.def b/lib/libc/mingw/lib32/d3dx9_26.def new file mode 100644 index 0000000000..0626a17b85 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_26.def @@ -0,0 +1,334 @@ +; +; Definition file of d3dx9_26.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_26.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_27.def b/lib/libc/mingw/lib32/d3dx9_27.def new file mode 100644 index 0000000000..93234c8aca --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_27.def @@ -0,0 +1,334 @@ +; +; Definition file of d3dx9_27.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_27.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_28.def b/lib/libc/mingw/lib32/d3dx9_28.def new file mode 100644 index 0000000000..46060ca1d7 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_28.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_28.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_28.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_29.def b/lib/libc/mingw/lib32/d3dx9_29.def new file mode 100644 index 0000000000..b17663f3f2 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_29.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_29.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_29.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_30.def b/lib/libc/mingw/lib32/d3dx9_30.def new file mode 100644 index 0000000000..43af6c0dfc --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_30.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_30.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_30.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_31.def b/lib/libc/mingw/lib32/d3dx9_31.def new file mode 100644 index 0000000000..79a7c7e032 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_31.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_31.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_31.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_32.def b/lib/libc/mingw/lib32/d3dx9_32.def new file mode 100644 index 0000000000..1f663e16bc --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_32.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_32.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_33.def b/lib/libc/mingw/lib32/d3dx9_33.def new file mode 100644 index 0000000000..b372dae116 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_33.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_33.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_33.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_34.def b/lib/libc/mingw/lib32/d3dx9_34.def new file mode 100644 index 0000000000..d8c6a00f9a --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_34.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_34.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_34.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_35.def b/lib/libc/mingw/lib32/d3dx9_35.def new file mode 100644 index 0000000000..edfa96a7a2 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_35.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_35.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_35.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_36.def b/lib/libc/mingw/lib32/d3dx9_36.def new file mode 100644 index 0000000000..1f1dda13d3 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_36.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_36.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_36.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_37.def b/lib/libc/mingw/lib32/d3dx9_37.def new file mode 100644 index 0000000000..94348b8ac2 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_37.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_37.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_38.def b/lib/libc/mingw/lib32/d3dx9_38.def new file mode 100644 index 0000000000..1a0eacf119 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_38.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_38.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_39.def b/lib/libc/mingw/lib32/d3dx9_39.def new file mode 100644 index 0000000000..6a537b42db --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_39.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_39.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_40.def b/lib/libc/mingw/lib32/d3dx9_40.def new file mode 100644 index 0000000000..0f51bd5558 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_40.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_40.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_41.def b/lib/libc/mingw/lib32/d3dx9_41.def new file mode 100644 index 0000000000..b29d6ed04b --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_41.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_41.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateFragmentLinker@12 +D3DXCreateFragmentLinkerEx@16 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_42.def b/lib/libc/mingw/lib32/d3dx9_42.def new file mode 100644 index 0000000000..31b492ed1c --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_42.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_42.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9_43.def b/lib/libc/mingw/lib32/d3dx9_43.def new file mode 100644 index 0000000000..b3c78e248c --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9_43.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_43.dll" +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@24 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeIMTFromPerTexelSignal@44 +D3DXComputeIMTFromPerVertexSignal@32 +D3DXComputeIMTFromSignal@40 +D3DXComputeIMTFromTexture@28 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXComputeTangentFrame@8 +D3DXComputeTangentFrameEx@64 +D3DXConcatenateMeshes@32 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCreateAnimationController@20 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCompressedAnimationSet@32 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectEx@40 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileExA@36 +D3DXCreateEffectFromFileExW@36 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceExA@40 +D3DXCreateEffectFromResourceExW@40 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFontA@48 +D3DXCreateFontIndirectA@12 +D3DXCreateFontIndirectW@12 +D3DXCreateFontW@48 +D3DXCreateKeyframedAnimationSet@32 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePRTBuffer@16 +D3DXCreatePRTBufferTex@20 +D3DXCreatePRTCompBuffer@28 +D3DXCreatePRTEngine@20 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTextureGutterHelper@20 +D3DXCreateTextureShader@8 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDebugMute@4 +D3DXDeclaratorFromFVF@8 +D3DXDisassembleEffect@12 +D3DXDisassembleShader@16 +D3DXFVFFromDeclarator@8 +D3DXFileCreate@4 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@8 +D3DXFillTexture@12 +D3DXFillTextureTX@8 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@8 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetDriverLevel@4 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetPixelShaderProfile@4 +D3DXGetShaderConstantTable@8 +D3DXGetShaderConstantTableEx@12 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetShaderSize@4 +D3DXGetShaderVersion@4 +D3DXGetVertexShaderProfile@4 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPRTBufferFromFileA@8 +D3DXLoadPRTBufferFromFileW@8 +D3DXLoadPRTCompBufferFromFileA@8 +D3DXLoadPRTCompBufferFromFileW@8 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation2D@20 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDecompose@16 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation2D@28 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXOptimizeFaces@20 +D3DXOptimizeVertices@20 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXPreprocessShader@24 +D3DXPreprocessShaderFromFileA@20 +D3DXPreprocessShaderFromFileW@20 +D3DXPreprocessShaderFromResourceA@24 +D3DXPreprocessShaderFromResourceW@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSHAdd@16 +D3DXSHDot@12 +D3DXSHEvalConeLight@36 +D3DXSHEvalDirection@12 +D3DXSHEvalDirectionalLight@32 +D3DXSHEvalHemisphereLight@52 +D3DXSHEvalSphericalLight@36 +D3DXSHMultiply2@12 +D3DXSHMultiply3@12 +D3DXSHMultiply4@12 +D3DXSHMultiply5@12 +D3DXSHMultiply6@12 +D3DXSHPRTCompSplitMeshSC@64 +D3DXSHPRTCompSuperCluster@24 +D3DXSHProjectCubeMap@20 +D3DXSHRotate@16 +D3DXSHRotateZ@16 +D3DXSHScale@16 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSavePRTBufferToFileA@8 +D3DXSavePRTBufferToFileW@8 +D3DXSavePRTCompBufferToFileA@8 +D3DXSavePRTCompBufferToFileW@8 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileInMemory@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileInMemory@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileInMemory@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXUVAtlasCreate@76 +D3DXUVAtlasPack@44 +D3DXUVAtlasPartition@68 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dx9d.def b/lib/libc/mingw/lib32/d3dx9d.def new file mode 100644 index 0000000000..f8aeaec5ec --- /dev/null +++ b/lib/libc/mingw/lib32/d3dx9d.def @@ -0,0 +1,269 @@ +LIBRARY d3dx9d.dll +EXPORTS +D3DXAssembleShader@28 +D3DXAssembleShaderFromFileA@24 +D3DXAssembleShaderFromFileW@24 +D3DXAssembleShaderFromResourceA@28 +D3DXAssembleShaderFromResourceW@28 +D3DXBoxBoundProbe@16 +D3DXCheckCubeTextureRequirements@24 +D3DXCheckTextureRequirements@28 +D3DXCheckVersion@8 +D3DXCheckVolumeTextureRequirements@32 +D3DXCleanMesh@20 +D3DXColorAdjustContrast@12 +D3DXColorAdjustSaturation@12 +D3DXCompileShader@40 +D3DXCompileShaderFromFileA@36 +D3DXCompileShaderFromFileW@36 +D3DXCompileShaderFromResourceA@40 +D3DXCompileShaderFromResourceW@40 +D3DXComputeBoundingBox@20 +D3DXComputeBoundingSphere@20 +D3DXComputeNormalMap@24 +D3DXComputeNormals@8 +D3DXComputeTangent@24 +D3DXConvertMeshSubsetToSingleStrip@20 +D3DXConvertMeshSubsetToStrips@28 +D3DXCpuOptimizations@4 +D3DXCreateAnimationController@20 +D3DXCreateAnimationSet@16 +D3DXCreateBox@24 +D3DXCreateBuffer@8 +D3DXCreateCubeTexture@28 +D3DXCreateCubeTextureFromFileA@12 +D3DXCreateCubeTextureFromFileExA@52 +D3DXCreateCubeTextureFromFileExW@52 +D3DXCreateCubeTextureFromFileInMemory@16 +D3DXCreateCubeTextureFromFileInMemoryEx@56 +D3DXCreateCubeTextureFromFileW@12 +D3DXCreateCubeTextureFromResourceA@16 +D3DXCreateCubeTextureFromResourceExA@56 +D3DXCreateCubeTextureFromResourceExW@56 +D3DXCreateCubeTextureFromResourceW@16 +D3DXCreateCylinder@32 +D3DXCreateEffect@36 +D3DXCreateEffectCompiler@28 +D3DXCreateEffectCompilerFromFileA@24 +D3DXCreateEffectCompilerFromFileW@24 +D3DXCreateEffectCompilerFromResourceA@28 +D3DXCreateEffectCompilerFromResourceW@28 +D3DXCreateEffectFromFileA@32 +D3DXCreateEffectFromFileW@32 +D3DXCreateEffectFromResourceA@36 +D3DXCreateEffectFromResourceW@36 +D3DXCreateEffectPool@4 +D3DXCreateFont@12 +D3DXCreateFontIndirect@12 +D3DXCreateFragmentLinker@12 +D3DXCreateKeyFrameInterpolator@40 +D3DXCreateLine@8 +D3DXCreateMatrixStack@8 +D3DXCreateMesh@24 +D3DXCreateMeshFVF@24 +D3DXCreateNPatchMesh@8 +D3DXCreatePMeshFromStream@28 +D3DXCreatePatchMesh@28 +D3DXCreatePolygon@20 +D3DXCreateRenderToEnvMap@28 +D3DXCreateRenderToSurface@28 +D3DXCreateSPMesh@20 +D3DXCreateSkinInfo@16 +D3DXCreateSkinInfoFVF@16 +D3DXCreateSkinInfoFromBlendedMesh@16 +D3DXCreateSphere@24 +D3DXCreateSprite@8 +D3DXCreateTeapot@12 +D3DXCreateTextA@32 +D3DXCreateTextW@32 +D3DXCreateTexture@32 +D3DXCreateTextureFromFileA@12 +D3DXCreateTextureFromFileExA@56 +D3DXCreateTextureFromFileExW@56 +D3DXCreateTextureFromFileInMemory@16 +D3DXCreateTextureFromFileInMemoryEx@60 +D3DXCreateTextureFromFileW@12 +D3DXCreateTextureFromResourceA@16 +D3DXCreateTextureFromResourceExA@60 +D3DXCreateTextureFromResourceExW@60 +D3DXCreateTextureFromResourceW@16 +D3DXCreateTorus@28 +D3DXCreateVolumeTexture@36 +D3DXCreateVolumeTextureFromFileA@12 +D3DXCreateVolumeTextureFromFileExA@60 +D3DXCreateVolumeTextureFromFileExW@60 +D3DXCreateVolumeTextureFromFileInMemory@16 +D3DXCreateVolumeTextureFromFileInMemoryEx@64 +D3DXCreateVolumeTextureFromFileW@12 +D3DXCreateVolumeTextureFromResourceA@16 +D3DXCreateVolumeTextureFromResourceExA@64 +D3DXCreateVolumeTextureFromResourceExW@64 +D3DXCreateVolumeTextureFromResourceW@16 +D3DXDeclaratorFromFVF@8 +D3DXFVFFromDeclarator@8 +D3DXFillCubeTexture@12 +D3DXFillCubeTextureTX@16 +D3DXFillTexture@12 +D3DXFillTextureTX@16 +D3DXFillVolumeTexture@12 +D3DXFillVolumeTextureTX@16 +D3DXFilterTexture@16 +D3DXFindShaderComment@16 +D3DXFloat16To32Array@12 +D3DXFloat32To16Array@12 +D3DXFrameAppendChild@8 +D3DXFrameCalculateBoundingSphere@12 +D3DXFrameDestroy@8 +D3DXFrameFind@8 +D3DXFrameNumNamedMatrices@4 +D3DXFrameRegisterNamedMatrices@8 +D3DXFresnelTerm@8 +D3DXGatherFragments@28 +D3DXGatherFragmentsFromFileA@24 +D3DXGatherFragmentsFromFileW@24 +D3DXGatherFragmentsFromResourceA@28 +D3DXGatherFragmentsFromResourceW@28 +D3DXGenerateOutputDecl@8 +D3DXGeneratePMesh@28 +D3DXGetDeclLength@4 +D3DXGetDeclVertexSize@8 +D3DXGetFVFVertexSize@4 +D3DXGetImageInfoFromFileA@8 +D3DXGetImageInfoFromFileInMemory@12 +D3DXGetImageInfoFromFileW@8 +D3DXGetImageInfoFromResourceA@12 +D3DXGetImageInfoFromResourceW@12 +D3DXGetShaderConstantTable@8 +D3DXGetShaderDebugInfo@8 +D3DXGetShaderInputSemantics@12 +D3DXGetShaderOutputSemantics@12 +D3DXGetShaderSamplers@12 +D3DXGetTargetDescByName@12 +D3DXGetTargetDescByVersion@12 +D3DXIntersect@40 +D3DXIntersectSubset@44 +D3DXIntersectTri@32 +D3DXLoadMeshFromXA@32 +D3DXLoadMeshFromXInMemory@36 +D3DXLoadMeshFromXResource@40 +D3DXLoadMeshFromXW@32 +D3DXLoadMeshFromXof@32 +D3DXLoadMeshHierarchyFromXA@28 +D3DXLoadMeshHierarchyFromXInMemory@32 +D3DXLoadMeshHierarchyFromXW@28 +D3DXLoadPatchMeshFromXof@28 +D3DXLoadSkinMeshFromXof@36 +D3DXLoadSurfaceFromFileA@32 +D3DXLoadSurfaceFromFileInMemory@36 +D3DXLoadSurfaceFromFileW@32 +D3DXLoadSurfaceFromMemory@40 +D3DXLoadSurfaceFromResourceA@36 +D3DXLoadSurfaceFromResourceW@36 +D3DXLoadSurfaceFromSurface@32 +D3DXLoadVolumeFromFileA@32 +D3DXLoadVolumeFromFileInMemory@36 +D3DXLoadVolumeFromFileW@32 +D3DXLoadVolumeFromMemory@44 +D3DXLoadVolumeFromResourceA@36 +D3DXLoadVolumeFromResourceW@36 +D3DXLoadVolumeFromVolume@32 +D3DXMatrixAffineTransformation@20 +D3DXMatrixDeterminant@4 +D3DXMatrixInverse@12 +D3DXMatrixLookAtLH@16 +D3DXMatrixLookAtRH@16 +D3DXMatrixMultiply@12 +D3DXMatrixMultiplyTranspose@12 +D3DXMatrixOrthoLH@20 +D3DXMatrixOrthoOffCenterLH@28 +D3DXMatrixOrthoOffCenterRH@28 +D3DXMatrixOrthoRH@20 +D3DXMatrixPerspectiveFovLH@20 +D3DXMatrixPerspectiveFovRH@20 +D3DXMatrixPerspectiveLH@20 +D3DXMatrixPerspectiveOffCenterLH@28 +D3DXMatrixPerspectiveOffCenterRH@28 +D3DXMatrixPerspectiveRH@20 +D3DXMatrixReflect@8 +D3DXMatrixRotationAxis@12 +D3DXMatrixRotationQuaternion@8 +D3DXMatrixRotationX@8 +D3DXMatrixRotationY@8 +D3DXMatrixRotationYawPitchRoll@16 +D3DXMatrixRotationZ@8 +D3DXMatrixScaling@16 +D3DXMatrixShadow@12 +D3DXMatrixTransformation@28 +D3DXMatrixTranslation@16 +D3DXMatrixTranspose@8 +D3DXPlaneFromPointNormal@12 +D3DXPlaneFromPoints@16 +D3DXPlaneIntersectLine@16 +D3DXPlaneNormalize@8 +D3DXPlaneTransform@12 +D3DXPlaneTransformArray@24 +D3DXQuaternionBaryCentric@24 +D3DXQuaternionExp@8 +D3DXQuaternionInverse@8 +D3DXQuaternionLn@8 +D3DXQuaternionMultiply@12 +D3DXQuaternionNormalize@8 +D3DXQuaternionRotationAxis@12 +D3DXQuaternionRotationMatrix@8 +D3DXQuaternionRotationYawPitchRoll@16 +D3DXQuaternionSlerp@16 +D3DXQuaternionSquad@24 +D3DXQuaternionSquadSetup@28 +D3DXQuaternionToAxisAngle@12 +D3DXRectPatchSize@12 +D3DXSaveMeshHierarchyToFileA@20 +D3DXSaveMeshHierarchyToFileW@20 +D3DXSaveMeshToXA@28 +D3DXSaveMeshToXW@28 +D3DXSaveSurfaceToFileA@20 +D3DXSaveSurfaceToFileW@20 +D3DXSaveTextureToFileA@16 +D3DXSaveTextureToFileW@16 +D3DXSaveVolumeToFileA@20 +D3DXSaveVolumeToFileW@20 +D3DXSimplifyMesh@28 +D3DXSphereBoundProbe@16 +D3DXSplitMesh@36 +D3DXTessellateNPatches@24 +D3DXTessellateRectPatch@20 +D3DXTessellateTriPatch@20 +D3DXTriPatchSize@12 +D3DXValidMesh@12 +D3DXValidPatchMesh@16 +D3DXVec2BaryCentric@24 +D3DXVec2CatmullRom@24 +D3DXVec2Hermite@24 +D3DXVec2Normalize@8 +D3DXVec2Transform@12 +D3DXVec2TransformArray@24 +D3DXVec2TransformCoord@12 +D3DXVec2TransformCoordArray@24 +D3DXVec2TransformNormal@12 +D3DXVec2TransformNormalArray@24 +D3DXVec3BaryCentric@24 +D3DXVec3CatmullRom@24 +D3DXVec3Hermite@24 +D3DXVec3Normalize@8 +D3DXVec3Project@24 +D3DXVec3ProjectArray@36 +D3DXVec3Transform@12 +D3DXVec3TransformArray@24 +D3DXVec3TransformCoord@12 +D3DXVec3TransformCoordArray@24 +D3DXVec3TransformNormal@12 +D3DXVec3TransformNormalArray@24 +D3DXVec3Unproject@24 +D3DXVec3UnprojectArray@36 +D3DXVec4BaryCentric@24 +D3DXVec4CatmullRom@24 +D3DXVec4Cross@16 +D3DXVec4Hermite@24 +D3DXVec4Normalize@8 +D3DXVec4Transform@12 +D3DXVec4TransformArray@24 +D3DXWeldVertices@28 diff --git a/lib/libc/mingw/lib32/d3dxof.def b/lib/libc/mingw/lib32/d3dxof.def new file mode 100644 index 0000000000..674139d6a8 --- /dev/null +++ b/lib/libc/mingw/lib32/d3dxof.def @@ -0,0 +1,3 @@ +LIBRARY d3dxof.dll +EXPORTS +DirectXFileCreate@4 diff --git a/lib/libc/mingw/lib32/davhlpr.def b/lib/libc/mingw/lib32/davhlpr.def new file mode 100644 index 0000000000..07ea851c90 --- /dev/null +++ b/lib/libc/mingw/lib32/davhlpr.def @@ -0,0 +1,19 @@ +; +; Definition file of DAVHLPR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DAVHLPR.dll" +EXPORTS +DavAddConnection@24 +DavCheckAndConvertHttpUrlToUncName@32 +DavDeleteConnection@4 +DavFlushFile@4 +DavGetExtendedError@16 +DavGetHTTPFromUNCPath@12 +DavGetServerPortAndPhysicalName@20 +DavGetUNCFromHTTPPath@12 +DavRemoveDummyShareFromFileName@4 +DavRemoveDummyShareFromFileNameEx@8 +UtfUrlStrToWideStr@16 +WideStrToUtfUrlStr@16 diff --git a/lib/libc/mingw/lib32/dbgeng.def b/lib/libc/mingw/lib32/dbgeng.def new file mode 100644 index 0000000000..70bc4e89fe --- /dev/null +++ b/lib/libc/mingw/lib32/dbgeng.def @@ -0,0 +1,10 @@ +; +; Definition file of dbgeng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "dbgeng.dll" +EXPORTS +DebugConnect@12 +DebugConnectWide@12 +DebugCreate@8 diff --git a/lib/libc/mingw/lib32/devmgr.def b/lib/libc/mingw/lib32/devmgr.def new file mode 100644 index 0000000000..6403b261f8 --- /dev/null +++ b/lib/libc/mingw/lib32/devmgr.def @@ -0,0 +1,26 @@ +; +; Definition file of DEVMGR.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DEVMGR.DLL" +EXPORTS +DeviceProperties_RunDLLA@16 +DeviceProperties_RunDLLW@16 +DevicePropertiesA@16 +DevicePropertiesW@16 +DeviceManager_ExecuteA@16 +DeviceManager_ExecuteW@16 +DeviceProblemTextA@20 +DeviceProblemTextW@20 +DeviceProblemWizardA@12 +DeviceProblemWizardW@12 +DeviceAdvancedPropertiesA@12 +DeviceAdvancedPropertiesW@12 +DeviceCreateHardwarePage@8 +DeviceCreateHardwarePageEx@16 +DevicePropertiesExA@20 +DevicePropertiesExW@20 +DeviceProblenWizard_RunDLLA@16 +DeviceProblenWizard_RunDLLW@16 +DeviceCreateHardwarePageCustom@20 diff --git a/lib/libc/mingw/lib32/devobj.def b/lib/libc/mingw/lib32/devobj.def new file mode 100644 index 0000000000..6394983421 --- /dev/null +++ b/lib/libc/mingw/lib32/devobj.def @@ -0,0 +1,55 @@ +; +; Definition file of DEVOBJ.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DEVOBJ.dll" +EXPORTS +DevObjBuildClassInfoList@24 +DevObjClassGuidsFromName@24 +DevObjClassNameFromGuid@24 +DevObjCreateDevRegKey@24 +DevObjCreateDeviceInfo@24 +DevObjCreateDeviceInfoList@20 +DevObjCreateDeviceInterface@24 +DevObjCreateDeviceInterfaceRegKey@20 +DevObjDeleteAllInterfacesForDevice@8 +DevObjDeleteDevRegKey@20 +DevObjDeleteDevice@8 +DevObjDeleteDeviceInfo@8 +DevObjDeleteDeviceInterfaceData@8 +DevObjDeleteDeviceInterfaceRegKey@12 +DevObjDestroyDeviceInfoList@4 +DevObjEnumDeviceInfo@12 +DevObjEnumDeviceInterfaces@20 +DevObjGetClassDescription@24 +DevObjGetClassDevs@24 +DevObjGetClassProperty@36 +DevObjGetClassPropertyKeys@28 +DevObjGetClassRegistryProperty@32 +DevObjGetDeviceInfoDetail@12 +DevObjGetDeviceInfoListClass@8 +DevObjGetDeviceInfoListDetail@8 +DevObjGetDeviceInstanceId@20 +DevObjGetDeviceInterfaceAlias@16 +DevObjGetDeviceInterfaceDetail@24 +DevObjGetDeviceInterfaceProperty@32 +DevObjGetDeviceInterfacePropertyKeys@24 +DevObjGetDeviceProperty@32 +DevObjGetDevicePropertyKeys@24 +DevObjGetDeviceRegistryProperty@28 +DevObjLocateDevice@16 +DevObjOpenClassRegKey@20 +DevObjOpenDevRegKey@24 +DevObjOpenDeviceInfo@20 +DevObjOpenDeviceInterface@16 +DevObjOpenDeviceInterfaceRegKey@16 +DevObjRegisterDeviceInfo@24 +DevObjRemoveDeviceInterface@8 +DevObjSetClassProperty@32 +DevObjSetClassRegistryProperty@24 +DevObjSetDeviceInfoDetail@12 +DevObjSetDeviceInterfaceDefault@16 +DevObjSetDeviceInterfaceProperty@28 +DevObjSetDeviceProperty@28 +DevObjSetDeviceRegistryProperty@20 diff --git a/lib/libc/mingw/lib32/devrtl.def b/lib/libc/mingw/lib32/devrtl.def new file mode 100644 index 0000000000..6197743b16 --- /dev/null +++ b/lib/libc/mingw/lib32/devrtl.def @@ -0,0 +1,36 @@ +; +; Definition file of DEVRTL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DEVRTL.dll" +EXPORTS +DevRtlCloseTextLogSection@12 +DevRtlCreateTextLogSectionA@16 +DevRtlCreateTextLogSectionW@16 +DevRtlGetThreadLogToken@0 +DevRtlSetThreadLogToken@8 +DevRtlWriteTextLog@0 +DevRtlWriteTextLogError@0 +NdxTableAddObject@16 +NdxTableAddObjectToList@12 +NdxTableClose@8 +NdxTableFirstObject@12 +NdxTableFirstObjectInList@12 +NdxTableGetObjectName@16 +NdxTableGetObjectType@8 +NdxTableGetObjectTypeCount@8 +NdxTableGetObjectTypeName@20 +NdxTableGetPropertyTypeClass@16 +NdxTableGetPropertyTypeCount@12 +NdxTableGetPropertyTypeName@24 +NdxTableGetPropertyValue@20 +NdxTableNextObject@4 +NdxTableObjectFromName@16 +NdxTableObjectFromPointer@12 +NdxTableOpen@16 +NdxTableRemoveObject@4 +NdxTableRemoveObjectFromList@12 +NdxTableSetObjectPointer@12 +NdxTableSetPropertyValue@16 +NdxTableSetTypeDefinition@16 diff --git a/lib/libc/mingw/lib32/dhcpcsvc.def b/lib/libc/mingw/lib32/dhcpcsvc.def index d1e733caf4..e6cb1ad9dc 100644 --- a/lib/libc/mingw/lib32/dhcpcsvc.def +++ b/lib/libc/mingw/lib32/dhcpcsvc.def @@ -11,6 +11,7 @@ DhcpDeRegisterOptions@4 DhcpDeRegisterParamChange@12 DhcpDelPersistentRequestParams@8 DhcpEnableDhcp@8 +DhcpEnableDhcpAdvanced@24 DhcpEnableTracing@4 DhcpEnumClasses@16 DhcpEnumInterfaces@4 @@ -31,6 +32,7 @@ DhcpGlobalServiceSyncEvent DATA DhcpGlobalTerminateEvent DATA DhcpHandlePnPEvent@20 DhcpIsEnabled@8 +DhcpIsMeteredDetected@8 DhcpLeaseIpAddress@24 DhcpLeaseIpAddressEx@32 DhcpNotifyConfigChange@28 diff --git a/lib/libc/mingw/lib32/dhcpcsvc6.def b/lib/libc/mingw/lib32/dhcpcsvc6.def index 00ff21a136..dd4d043611 100644 --- a/lib/libc/mingw/lib32/dhcpcsvc6.def +++ b/lib/libc/mingw/lib32/dhcpcsvc6.def @@ -6,12 +6,25 @@ LIBRARY "dhcpcsvc6.DLL" EXPORTS Dhcpv6AcquireParameters@4 +Dhcpv6CApiCleanup@0 +Dhcpv6CApiInitialize@4 +Dhcpv6CancelOperation@0 +Dhcpv6EnableDhcp@8 +Dhcpv6EnableTracing@4 Dhcpv6FreeLeaseInfo@4 +Dhcpv6FreeLeaseInfoArray@8 +Dhcpv6GetTraceArray@4 +Dhcpv6GetUserClasses@16 Dhcpv6IsEnabled@8 Dhcpv6Main@4 Dhcpv6QueryLeaseInfo@8 +Dhcpv6QueryLeaseInfoArray@12 Dhcpv6ReleaseParameters@4 Dhcpv6ReleasePrefix@12 +Dhcpv6ReleasePrefixEx@16 Dhcpv6RenewPrefix@20 +Dhcpv6RenewPrefixEx@24 Dhcpv6RequestParams@32 Dhcpv6RequestPrefix@16 +Dhcpv6RequestPrefixEx@20 +Dhcpv6SetUserClass@12 diff --git a/lib/libc/mingw/lib32/diagnosticdataquery.def b/lib/libc/mingw/lib32/diagnosticdataquery.def new file mode 100644 index 0000000000..c2932571f5 --- /dev/null +++ b/lib/libc/mingw/lib32/diagnosticdataquery.def @@ -0,0 +1,39 @@ +LIBRARY "DiagnosticDataQuery.dll" +EXPORTS +DdqCancelDiagnosticRecordOperation@4 +DdqCloseSession@4 +DdqCreateSession@8 +DdqExtractDiagnosticReport@16 +DdqFreeDiagnosticRecordLocaleTags@4 +DdqFreeDiagnosticRecordPage@4 +DdqFreeDiagnosticRecordProducerCategories@4 +DdqFreeDiagnosticRecordProducers@4 +DdqFreeDiagnosticReport@4 +DdqGetDiagnosticDataAccessLevelAllowed@4 +DdqGetDiagnosticRecordAtIndex@12 +DdqGetDiagnosticRecordBinaryDistribution@24 +DdqGetDiagnosticRecordCategoryAtIndex@12 +DdqGetDiagnosticRecordCategoryCount@8 +DdqGetDiagnosticRecordCount@8 +DdqGetDiagnosticRecordLocaleTagAtIndex@12 +DdqGetDiagnosticRecordLocaleTagCount@8 +DdqGetDiagnosticRecordLocaleTags@12 +DdqGetDiagnosticRecordPage@28 +DdqGetDiagnosticRecordPayload@16 +DdqGetDiagnosticRecordProducerAtIndex@12 +DdqGetDiagnosticRecordProducerCategories@12 +DdqGetDiagnosticRecordProducerCount@8 +DdqGetDiagnosticRecordProducers@8 +DdqGetDiagnosticRecordStats@20 +DdqGetDiagnosticRecordSummary@16 +DdqGetDiagnosticRecordTagDistribution@20 +DdqGetDiagnosticReport@12 +DdqGetDiagnosticReportAtIndex@12 +DdqGetDiagnosticReportCount@8 +DdqGetDiagnosticReportStoreReportCount@12 +DdqGetSessionAccessLevel@8 +DdqGetTranscriptConfiguration@8 +DdqIsDiagnosticRecordSampledIn@36 +DdqSetTranscriptConfiguration@8 +UtcSendTraceLogging2@56 +UtcSendTraceLogging@40 diff --git a/lib/libc/mingw/lib32/dinput.def b/lib/libc/mingw/lib32/dinput.def new file mode 100644 index 0000000000..249f56b605 --- /dev/null +++ b/lib/libc/mingw/lib32/dinput.def @@ -0,0 +1,5 @@ +LIBRARY dinput.dll +EXPORTS +DirectInputCreateA@16 +DirectInputCreateEx@20 +DirectInputCreateW@16 diff --git a/lib/libc/mingw/lib32/dinput8.def b/lib/libc/mingw/lib32/dinput8.def index a36cc53e04..07d8439131 100644 --- a/lib/libc/mingw/lib32/dinput8.def +++ b/lib/libc/mingw/lib32/dinput8.def @@ -1,3 +1,13 @@ -LIBRARY dinput8.dll +; +; Definition file of DINPUT8.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DINPUT8.dll" EXPORTS DirectInput8Create@20 +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +GetdfDIJoystick@0 diff --git a/lib/libc/mingw/lib32/directml.def b/lib/libc/mingw/lib32/directml.def new file mode 100644 index 0000000000..96ee8073b3 --- /dev/null +++ b/lib/libc/mingw/lib32/directml.def @@ -0,0 +1,6 @@ +LIBRARY directml + +EXPORTS + +DMLCreateDevice1@20 +DMLCreateDevice@16 diff --git a/lib/libc/mingw/lib32/dismapi.def b/lib/libc/mingw/lib32/dismapi.def new file mode 100644 index 0000000000..a85146f0e2 --- /dev/null +++ b/lib/libc/mingw/lib32/dismapi.def @@ -0,0 +1,102 @@ +; +; Definition file of DismApi.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DismApi.DLL" +EXPORTS +DismAddCapability@32 +DismAddDriver@12 +DismAddPackage@28 +DismApplyUnattend@12 +DismCheckImageHealth@24 +DismCleanupMountpoints@0 +DismCloseSession@4 +DismCommitImage@20 +DismDelete@4 +DismDisableFeature@28 +DismEnableFeature@44 +DismGetCapabilities@12 +DismGetCapabilityInfo@12 +DismGetDriverInfo@20 +DismGetDrivers@16 +DismGetFeatureInfo@20 +DismGetFeatureParent@24 +DismGetFeatures@20 +DismGetImageInfo@12 +DismGetLastErrorMessage@4 +DismGetMountedImageInfo@8 +DismGetPackageInfo@16 +DismGetPackageInfoEx@16 +DismGetPackages@12 +DismGetReservedStorageState@8 +DismInitialize@12 +DismMountImage@36 +DismOpenSession@16 +DismRemountImage@4 +DismRemoveCapability@20 +DismRemoveDriver@8 +DismRemovePackage@24 +DismRestoreImageHealth@28 +DismSetReservedStorageState@8 +DismShutdown@0 +DismUnmountImage@20 +_DismAddCapabilityEx@32 +_DismAddDriverEx@24 +_DismAddPackageEx@40 +_DismAddPackageFamilyToUninstallBlocklist@8 +_DismAddProvisionedAppxPackage@48 +_DismApplyCustomDataImage@24 +_DismApplyFfuImage@12 +_DismApplyProvisioningPackage@20 +_DismCleanImage@24 +_DismEnableDisableFeature@48 +_DismExportDriver@20 +_DismExportSource@28 +_DismExportSourceEx@28 +_DismGetCapabilitiesEx@24 +_DismGetCapabilityInfoEx@24 +_DismGetCurrentEdition@8 +_DismGetDriversEx@24 +_DismGetEffectiveSystemUILanguage@8 +_DismGetFeaturesEx@20 +_DismGetInstallLanguage@8 +_DismGetKCacheBinaryValue@16 +_DismGetKCacheDwordValue@12 +_DismGetKCacheStringValue@12 +_DismGetLastCBSSessionID@8 +_DismGetNonRemovableAppsPolicy@12 +_DismGetOSUninstallWindow@8 +_DismGetOsInfo@8 +_DismGetProductKeyInfo@16 +_DismGetProvisionedAppxPackages@12 +_DismGetProvisioningPackageInfo@12 +_DismGetRegistryMountPoint@12 +_DismGetStateFromCBSSessionID@16 +_DismGetTargetCompositionEditions@12 +_DismGetTargetEditions@12 +_DismGetTargetVirtualEditions@16 +_DismGetUsedSpace@12 +_DismInitiateOSUninstall@8 +_DismOptimizeImage@20 +_DismOptimizeProvisionedAppxPackages@4 +_DismRemoveOSUninstall@4 +_DismRemovePackageFamilyFromUninstallBlocklist@8 +_DismRemoveProvisionedAppxPackage@8 +_DismRemoveProvisionedAppxPackageAllUsers@12 +_DismRevertPendingActions@16 +_DismSetAllIntlSettings@8 +_DismSetAppXProvisionedDataFile@12 +_DismSetEdition2@24 +_DismSetEdition@24 +_DismSetFirstBootCommandLine@12 +_DismSetMachineName@8 +_DismSetOSUninstallWindow@8 +_DismSetProductKey@8 +_DismSetSkuIntlDefaults@8 +_DismSplitFfuImage@16 +_DismStage@4 +_DismSysprepCleanup@24 +_DismSysprepGeneralize@28 +_DismSysprepSpecialize@20 +_DismValidateProductKey@8 diff --git a/lib/libc/mingw/lib32/dlcapi.def b/lib/libc/mingw/lib32/dlcapi.def new file mode 100644 index 0000000000..501ecd7662 --- /dev/null +++ b/lib/libc/mingw/lib32/dlcapi.def @@ -0,0 +1,5 @@ +LIBRARY DLCAPI.DLL +EXPORTS +AcsLan@8 +DlcCallDriver@24 +NtAcsLan@16 diff --git a/lib/libc/mingw/lib32/dnsapi.def b/lib/libc/mingw/lib32/dnsapi.def index 89b70ecda7..9cee071ed0 100644 --- a/lib/libc/mingw/lib32/dnsapi.def +++ b/lib/libc/mingw/lib32/dnsapi.def @@ -40,6 +40,7 @@ DnsAsyncRegisterTerm DnsCancelQuery@4 DnsCheckNrptRuleIntegrity@4 DnsCheckNrptRules@12 +DnsCleanupTcpConnections@4 DnsConnectionDeletePolicyEntries@4 DnsConnectionDeletePolicyEntriesPrivate@8 DnsConnectionDeleteProxyInfo@8 diff --git a/lib/libc/mingw/lib32/dnsperf.def b/lib/libc/mingw/lib32/dnsperf.def new file mode 100644 index 0000000000..1694af420d --- /dev/null +++ b/lib/libc/mingw/lib32/dnsperf.def @@ -0,0 +1,7 @@ +LIBRARY dnsperf + +EXPORTS + +CloseDnsPerformanceData@0 +CollectDnsPerformanceData@16 +OpenDnsPerformanceData@4 diff --git a/lib/libc/mingw/lib32/dpapi.def b/lib/libc/mingw/lib32/dpapi.def new file mode 100644 index 0000000000..118e6f5f2f --- /dev/null +++ b/lib/libc/mingw/lib32/dpapi.def @@ -0,0 +1,14 @@ +; +; Definition file of DPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DPAPI.dll" +EXPORTS +CryptProtectDataNoUI@36 +CryptProtectMemory@12 +CryptResetMachineCredentials@4 +CryptUnprotectDataNoUI@36 +CryptUnprotectMemory@12 +CryptUpdateProtectedState@20 +iCryptIdentifyProtection@20 diff --git a/lib/libc/mingw/lib32/dplayx.def b/lib/libc/mingw/lib32/dplayx.def new file mode 100644 index 0000000000..7916007f93 --- /dev/null +++ b/lib/libc/mingw/lib32/dplayx.def @@ -0,0 +1,8 @@ +LIBRARY dplayx.dll +EXPORTS +DirectPlayCreate@12 +DirectPlayEnumerate@8 +DirectPlayEnumerateA@8 +DirectPlayEnumerateW@8 +DirectPlayLobbyCreateA@20 +DirectPlayLobbyCreateW@20 diff --git a/lib/libc/mingw/lib32/dpnaddr.def b/lib/libc/mingw/lib32/dpnaddr.def new file mode 100644 index 0000000000..c025df552a --- /dev/null +++ b/lib/libc/mingw/lib32/dpnaddr.def @@ -0,0 +1,3 @@ +LIBRARY dpnaddr.dll +EXPORTS +DirectPlay8AddressCreate@12 diff --git a/lib/libc/mingw/lib32/dpnet.def b/lib/libc/mingw/lib32/dpnet.def new file mode 100644 index 0000000000..b8ee12594e --- /dev/null +++ b/lib/libc/mingw/lib32/dpnet.def @@ -0,0 +1,3 @@ +LIBRARY dpnet.dll +EXPORTS +DirectPlay8Create@12 diff --git a/lib/libc/mingw/lib32/dpnlobby.def b/lib/libc/mingw/lib32/dpnlobby.def new file mode 100644 index 0000000000..18ac165501 --- /dev/null +++ b/lib/libc/mingw/lib32/dpnlobby.def @@ -0,0 +1,3 @@ +LIBRARY dpnlobby.def +EXPORTS +DirectPlay8LobbyCreate@12 diff --git a/lib/libc/mingw/lib32/dpvoice.def b/lib/libc/mingw/lib32/dpvoice.def new file mode 100644 index 0000000000..ac5d5b3884 --- /dev/null +++ b/lib/libc/mingw/lib32/dpvoice.def @@ -0,0 +1,3 @@ +LIBRARY dpvoice.dll +EXPORTS +DirectPlayVoiceCreate@12 diff --git a/lib/libc/mingw/lib32/dsetup.def b/lib/libc/mingw/lib32/dsetup.def new file mode 100644 index 0000000000..776234a00c --- /dev/null +++ b/lib/libc/mingw/lib32/dsetup.def @@ -0,0 +1,20 @@ +LIBRARY dsetup.dll +EXPORTS +DirectXDeviceDriverSetupA@16 +DirectXDeviceDriverSetupW@16 +DirectXLoadString@12 +DirectXRegisterApplicationA@8 +DirectXRegisterApplicationW@8 +DirectXSetupA@12 +DirectXSetupCallback@20 +DirectXSetupGetEULAA@12 +DirectXSetupGetEULAW@12 +DirectXSetupGetFileVersion@12 +DirectXSetupGetVersion@8 +DirectXSetupIsEng@0 +DirectXSetupIsJapan@0 +DirectXSetupIsJapanNec@0 +DirectXSetupSetCallback@4 +DirectXSetupShowEULA@4 +DirectXSetupW@12 +DirectXUnRegisterApplication@8 diff --git a/lib/libc/mingw/lib32/dsparse.def b/lib/libc/mingw/lib32/dsparse.def new file mode 100644 index 0000000000..2a33277d1e --- /dev/null +++ b/lib/libc/mingw/lib32/dsparse.def @@ -0,0 +1,22 @@ +LIBRARY "dsparse.dll" +EXPORTS +DsCrackSpn2A@36 +DsCrackSpn2W@36 +DsCrackSpn3W@44 +DsCrackSpn4W@48 +DsCrackSpnA@32 +DsCrackSpnW@32 +DsCrackUnquotedMangledRdnA@16 +DsCrackUnquotedMangledRdnW@16 +DsGetRdnW@24 +DsIsMangledDnA@8 +DsIsMangledDnW@8 +DsIsMangledRdnValueA@12 +DsIsMangledRdnValueW@12 +DsMakeSpn2W@32 +DsMakeSpnA@28 +DsMakeSpnW@28 +DsQuoteRdnValueA@16 +DsQuoteRdnValueW@16 +DsUnquoteRdnValueA@16 +DsUnquoteRdnValueW@16 diff --git a/lib/libc/mingw/lib32/dxapi.def b/lib/libc/mingw/lib32/dxapi.def new file mode 100644 index 0000000000..7881c17571 --- /dev/null +++ b/lib/libc/mingw/lib32/dxapi.def @@ -0,0 +1,9 @@ +LIBRARY dxapi.sys +EXPORTS +_DxApi@20 +_DxApiGetVersion@0 +;_DxApiInitialize@32 +;_DxAutoflipUpdate@20 +;_DxEnableIRQ@8 +;_DxLoseObject@8 +;_DxUpdateCapture@12 diff --git a/lib/libc/mingw/lib32/dxcore.def b/lib/libc/mingw/lib32/dxcore.def new file mode 100644 index 0000000000..570b32f247 --- /dev/null +++ b/lib/libc/mingw/lib32/dxcore.def @@ -0,0 +1,5 @@ +LIBRARY dxcore + +EXPORTS + +DXCoreCreateAdapterFactory@8 diff --git a/lib/libc/mingw/lib32/eappgnui.def b/lib/libc/mingw/lib32/eappgnui.def new file mode 100644 index 0000000000..196a0e8cda --- /dev/null +++ b/lib/libc/mingw/lib32/eappgnui.def @@ -0,0 +1,14 @@ +; +; Definition file of GenericUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "GenericUI.dll" +EXPORTS +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@4 +DllUnregisterServer@4 +EapPeerFreeErrorMemory@4 +EapPeerFreeMemory@4 +EapPeerInvokeIdentityUI@44 diff --git a/lib/libc/mingw/lib32/eapphost.def b/lib/libc/mingw/lib32/eapphost.def new file mode 100644 index 0000000000..a64c5f25d9 --- /dev/null +++ b/lib/libc/mingw/lib32/eapphost.def @@ -0,0 +1,13 @@ +; +; Definition file of eapphost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "eapphost.dll" +EXPORTS +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +InitializeEapHost@0 +UninitializeEapHost@0 diff --git a/lib/libc/mingw/lib32/esent.def b/lib/libc/mingw/lib32/esent.def index f0b3b6ccf8..165360ea67 100644 --- a/lib/libc/mingw/lib32/esent.def +++ b/lib/libc/mingw/lib32/esent.def @@ -5,249 +5,18 @@ ; LIBRARY "ESENT.dll" EXPORTS -JetAddColumnA@28@28 -JetAddColumnW@28@28 -JetAttachDatabase2A@16@16 -JetAttachDatabase2W@16@16 -JetAttachDatabaseA@12@12 -JetAttachDatabaseW@12@12 -JetAttachDatabaseWithStreamingA@24@24 -JetAttachDatabaseWithStreamingW@24@24 -JetBackupA@12@12 -JetBackupInstanceA@16@16 -JetBackupInstanceW@16@16 -JetBackupW@12@12 -JetBeginExternalBackup@4@4 -JetBeginExternalBackupInstance@8@8 -JetBeginSessionA@16@16 -JetBeginSessionW@16@16 -JetBeginTransaction2@8@8 -JetBeginTransaction@4@4 -JetCloseDatabase@12@12 -JetCloseFile@4@4 -JetCloseFileInstance@8@8 -JetCloseTable@8@8 -JetCommitTransaction@8@8 -JetCompactA@24@24 -JetCompactW@24@24 -JetComputeStats@8@8 -JetConvertDDLA@20@20 -JetConvertDDLW@20@20 -JetCreateDatabase2A@20@20 -JetCreateDatabase2W@20@20 -JetCreateDatabaseA@20@20 -JetCreateDatabaseW@20@20 -JetCreateDatabaseWithStreamingA@28@28 -JetCreateDatabaseWithStreamingW@28@28 -JetCreateIndex2A@16@16 -JetCreateIndex2W@16@16 -JetCreateIndexA@28@28 -JetCreateIndexW@28@28 -JetCreateInstance2A@16@16 -JetCreateInstance2W@16@16 -JetCreateInstanceA@8@8 -JetCreateInstanceW@8@8 -JetCreateTableA@24@24 -JetCreateTableColumnIndex2A@12@12 -JetCreateTableColumnIndex2W@12@12 -JetCreateTableColumnIndexA@12@12 -JetCreateTableColumnIndexW@12@12 -JetCreateTableW@24@24 -JetDBUtilitiesA@4@4 -JetDBUtilitiesW@4@4 -JetDefragment2A@28@28 -JetDefragment2W@28@28 -JetDefragment3A@32@32 -JetDefragment3W@32@32 -JetDefragmentA@24@24 -JetDefragmentW@24@24 -JetDelete@8@8 -JetDeleteColumn2A@16@16 -JetDeleteColumn2W@16@16 -JetDeleteColumnA@12@12 -JetDeleteColumnW@12@12 -JetDeleteIndexA@12@12 -JetDeleteIndexW@12@12 -JetDeleteTableA@12@12 -JetDeleteTableW@12@12 -JetDetachDatabase2A@12@12 -JetDetachDatabase2W@12@12 -JetDetachDatabaseA@8@8 -JetDetachDatabaseW@8@8 -JetDupCursor@16@16 -JetDupSession@8@8 -JetEnableMultiInstanceA@12@12 -JetEnableMultiInstanceW@12@12 -JetEndExternalBackup@0@0 -JetEndExternalBackupInstance2@8@8 -JetEndExternalBackupInstance@4@4 -JetEndSession@8@8 -JetEnumerateColumns@40@40 -JetEscrowUpdate@36@36 -JetExternalRestore2A@40@40 -JetExternalRestore2W@40@40 -JetExternalRestoreA@32@32 -JetExternalRestoreW@32@32 -JetFreeBuffer@4@4 -JetGetAttachInfoA@12@12 -JetGetAttachInfoInstanceA@16@16 -JetGetAttachInfoInstanceW@16@16 -JetGetAttachInfoW@12@12 -JetGetBookmark@20@20 -JetGetColumnInfoA@28@28 -JetGetColumnInfoW@28@28 -JetGetCounter@12@12 -JetGetCurrentIndexA@16@16 -JetGetCurrentIndexW@16@16 -JetGetCursorInfo@20@20 -JetGetDatabaseFileInfoA@16@16 -JetGetDatabaseFileInfoW@16@16 -JetGetDatabaseInfoA@20@20 -JetGetDatabaseInfoW@20@20 -JetGetDatabasePages@28@28 -JetGetIndexInfoA@28@28 -JetGetIndexInfoW@28@28 -JetGetInstanceInfoA@8@8 -JetGetInstanceInfoW@8@8 -JetGetInstanceMiscInfo@16@16 -JetGetLS@16@16 -JetGetLock@12@12 -JetGetLogFileInfoA@16@16 -JetGetLogFileInfoW@16@16 -JetGetLogInfoA@12@12 -JetGetLogInfoInstance2A@20@20 -JetGetLogInfoInstance2W@20@20 -JetGetLogInfoInstanceA@16@16 -JetGetLogInfoInstanceW@16@16 -JetGetLogInfoW@12@12 -JetGetMaxDatabaseSize@16@16 -JetGetObjectInfoA@32@32 -JetGetObjectInfoW@32@32 -JetGetPageInfo@24@24 -JetGetRecordPosition@16@16 -JetGetRecordSize@16@16 -JetGetResourceParam@16@16 -JetGetSecondaryIndexBookmark@36@36 -JetGetSessionInfo@16@16 -JetGetSystemParameterA@24@24 -JetGetSystemParameterW@24@24 -JetGetTableColumnInfoA@24@24 -JetGetTableColumnInfoW@24@24 -JetGetTableIndexInfoA@24@24 -JetGetTableIndexInfoW@24@24 -JetGetTableInfoA@20@20 -JetGetTableInfoW@20@20 -JetGetThreadStats@8@8 -JetGetTruncateLogInfoInstanceA@16@16 -JetGetTruncateLogInfoInstanceW@16@16 -JetGetVersion@8@8 -JetGotoBookmark@16@16 -JetGotoPosition@12@12 -JetGotoSecondaryIndexBookmark@28@28 -JetGrowDatabase@16@16 -JetIdle@8@8 -JetIndexRecordCount@16@16 -JetInit2@8@8 -JetInit3A@12@12 -JetInit3W@12@12 -JetInit@4@4 -JetIntersectIndexes@20@20 -JetMakeKey@20@20 -JetMove@16@16 -JetOSSnapshotAbort@8@8 -JetOSSnapshotEnd@8@8 -JetOSSnapshotFreezeA@16@16 -JetOSSnapshotFreezeW@16@16 -JetOSSnapshotGetFreezeInfoA@16@16 -JetOSSnapshotGetFreezeInfoW@16@16 -JetOSSnapshotPrepare@8@8 -JetOSSnapshotPrepareInstance@12@12 -JetOSSnapshotThaw@8@8 -JetOSSnapshotTruncateLog@8@8 -JetOSSnapshotTruncateLogInstance@12@12 -JetOpenDatabaseA@20@20 -JetOpenDatabaseW@20@20 -JetOpenFileA@16@16 -JetOpenFileInstanceA@20@20 -JetOpenFileInstanceW@20@20 -JetOpenFileSectionInstanceA@28@28 -JetOpenFileSectionInstanceW@28@28 -JetOpenFileW@16@16 -JetOpenTableA@28@28 -JetOpenTableW@28@28 -JetOpenTempTable2@28@28 -JetOpenTempTable3@28@28 -JetOpenTempTable@24@24 -JetOpenTemporaryTable@8@8 -JetPrepareToCommitTransaction@16@16 -JetPrepareUpdate@12@12 -JetReadFile@16@16 -JetReadFileInstance@20@20 -JetRegisterCallback@24@24 -JetRenameColumnA@20@20 -JetRenameColumnW@20@20 -JetRenameTableA@16@16 -JetRenameTableW@16@16 -JetResetCounter@8@8 -JetResetSessionContext@4@4 -JetResetTableSequential@12@12 -JetRestore2A@12@12 -JetRestore2W@12@12 -JetRestoreA@8@8 -JetRestoreInstanceA@16@16 -JetRestoreInstanceW@16@16 -JetRestoreW@8@8 -JetRetrieveColumn@32@32 -JetRetrieveColumns@16@16 -JetRetrieveKey@24@24 -JetRetrieveTaggedColumnList@28@28 -JetRollback@8@8 -JetSeek@12@12 -JetSetColumn@28@28 -JetSetColumnDefaultValueA@28@28 -JetSetColumnDefaultValueW@28@28 -JetSetColumns@16@16 -JetSetCurrentIndex2A@16@16 -JetSetCurrentIndex2W@16@16 -JetSetCurrentIndex3A@20@20 -JetSetCurrentIndex3W@20@20 -JetSetCurrentIndex4A@24@24 -JetSetCurrentIndex4W@24@24 -JetSetCurrentIndexA@12@12 -JetSetCurrentIndexW@12@12 -JetSetDatabaseSizeA@16@16 -JetSetDatabaseSizeW@16@16 -JetSetIndexRange@12@12 -JetSetLS@16@16 -JetSetMaxDatabaseSize@16@16 -JetSetResourceParam@16@16 -JetSetSessionContext@8@8 -JetSetSystemParameterA@20@20 -JetSetSystemParameterW@20@20 -JetSetTableSequential@12@12 -JetSnapshotStartA@12@12 -JetSnapshotStartW@12@12 -JetSnapshotStop@8@8 -JetStopBackup@0@0 -JetStopBackupInstance@4@4 -JetStopService@0@0 -JetStopServiceInstance@4@4 -JetTerm2@8@8 -JetTerm@4@4 -JetTracing@12@12 -JetTruncateLog@0@0 -JetTruncateLogInstance@4@4 -JetUnregisterCallback@16@16 -JetUpdate2@24@24 -JetUpdate@20@20 -JetUpgradeDatabaseA@16@16 -JetUpgradeDatabaseW@16@16 +DebugExtensionInitialize@8 +DebugExtensionNotify@12 +DebugExtensionUninitialize@0 JetAddColumn@28 JetAddColumnA@28 JetAddColumnW@28 JetAttachDatabase2@16 JetAttachDatabase2A@16 JetAttachDatabase2W@16 +JetAttachDatabase3@20 +JetAttachDatabase3A@20 +JetAttachDatabase3W@20 JetAttachDatabase@12 JetAttachDatabaseA@12 JetAttachDatabaseW@12 @@ -260,37 +29,53 @@ JetBackupInstance@16 JetBackupInstanceA@16 JetBackupInstanceW@16 JetBackupW@12 +JetBeginDatabaseIncrementalReseed@12 +JetBeginDatabaseIncrementalReseedA@12 +JetBeginDatabaseIncrementalReseedW@12 JetBeginExternalBackup@4 JetBeginExternalBackupInstance@8 JetBeginSession@16 JetBeginSessionA@16 JetBeginSessionW@16 +JetBeginSurrogateBackup@16 JetBeginTransaction2@8 +JetBeginTransaction3@16 JetBeginTransaction@4 JetCloseDatabase@12 JetCloseFile@4 JetCloseFileInstance@8 JetCloseTable@8 +JetCommitTransaction2@16 JetCommitTransaction@8 JetCompact@24 JetCompactA@24 JetCompactW@24 JetComputeStats@8 +JetConfigureProcessForCrashDump@4 +JetConsumeLogData@20 JetConvertDDL@20 JetConvertDDLA@20 JetConvertDDLW@20 JetCreateDatabase2@20 JetCreateDatabase2A@20 JetCreateDatabase2W@20 +JetCreateDatabase3@24 +JetCreateDatabase3A@24 +JetCreateDatabase3W@24 JetCreateDatabase@20 JetCreateDatabaseA@20 JetCreateDatabaseW@20 JetCreateDatabaseWithStreaming@28 JetCreateDatabaseWithStreamingA@28 JetCreateDatabaseWithStreamingW@28 +JetCreateEncryptionKey@16 JetCreateIndex2@16 JetCreateIndex2A@16 JetCreateIndex2W@16 +JetCreateIndex3A@16 +JetCreateIndex3W@16 +JetCreateIndex4A@16 +JetCreateIndex4W@16 JetCreateIndex@28 JetCreateIndexA@28 JetCreateIndexW@28 @@ -305,6 +90,12 @@ JetCreateTableA@24 JetCreateTableColumnIndex2@12 JetCreateTableColumnIndex2A@12 JetCreateTableColumnIndex2W@12 +JetCreateTableColumnIndex3A@12 +JetCreateTableColumnIndex3W@12 +JetCreateTableColumnIndex4A@12 +JetCreateTableColumnIndex4W@12 +JetCreateTableColumnIndex5A@12 +JetCreateTableColumnIndex5W@12 JetCreateTableColumnIndex@12 JetCreateTableColumnIndexA@12 JetCreateTableColumnIndexW@12 @@ -312,6 +103,7 @@ JetCreateTableW@24 JetDBUtilities@4 JetDBUtilitiesA@4 JetDBUtilitiesW@4 +JetDatabaseScan@24 JetDefragment2@28 JetDefragment2A@28 JetDefragment2W@28 @@ -345,10 +137,14 @@ JetDupSession@8 JetEnableMultiInstance@12 JetEnableMultiInstanceA@12 JetEnableMultiInstanceW@12 +JetEndDatabaseIncrementalReseed@24 +JetEndDatabaseIncrementalReseedA@24 +JetEndDatabaseIncrementalReseedW@24 JetEndExternalBackup@0 JetEndExternalBackupInstance2@8 JetEndExternalBackupInstance@4 JetEndSession@8 +JetEndSurrogateBackup@8 JetEnumerateColumns@40 JetEscrowUpdate@36 JetExternalRestore2@40 @@ -379,7 +175,8 @@ JetGetDatabaseFileInfoW@16 JetGetDatabaseInfo@20 JetGetDatabaseInfoA@20 JetGetDatabaseInfoW@20 -JetGetDatabasePages@28 +JetGetDatabasePages@32 +JetGetErrorInfoW@20 JetGetIndexInfo@28 JetGetIndexInfoA@28 JetGetIndexInfoW@28 @@ -405,12 +202,15 @@ JetGetMaxDatabaseSize@16 JetGetObjectInfo@32 JetGetObjectInfoA@32 JetGetObjectInfoW@32 +JetGetPageInfo2@24 JetGetPageInfo@24 JetGetRecordPosition@16 +JetGetRecordSize2@16 JetGetRecordSize@16 JetGetResourceParam@16 JetGetSecondaryIndexBookmark@36 JetGetSessionInfo@16 +JetGetSessionParameter@20 JetGetSystemParameter@24 JetGetSystemParameterA@24 JetGetSystemParameterW@24 @@ -433,11 +233,15 @@ JetGotoPosition@12 JetGotoSecondaryIndexBookmark@28 JetGrowDatabase@16 JetIdle@8 +JetIndexRecordCount2@20 JetIndexRecordCount@16 JetInit2@8 JetInit3@12 JetInit3A@12 JetInit3W@12 +JetInit4@12 +JetInit4A@12 +JetInit4W@12 JetInit@4 JetIntersectIndexes@20 JetMakeKey@20 @@ -455,6 +259,7 @@ JetOSSnapshotPrepareInstance@12 JetOSSnapshotThaw@8 JetOSSnapshotTruncateLog@8 JetOSSnapshotTruncateLogInstance@12 +JetOnlinePatchDatabasePage@32 JetOpenDatabase@20 JetOpenDatabaseA@20 JetOpenDatabaseW@20 @@ -463,9 +268,9 @@ JetOpenFileA@16 JetOpenFileInstance@20 JetOpenFileInstanceA@20 JetOpenFileInstanceW@20 -JetOpenFileSectionInstance@28 -JetOpenFileSectionInstanceA@28 -JetOpenFileSectionInstanceW@28 +JetOpenFileSectionInstance@36 +JetOpenFileSectionInstanceA@36 +JetOpenFileSectionInstanceW@36 JetOpenFileW@16 JetOpenTable@28 JetOpenTableA@28 @@ -473,12 +278,23 @@ JetOpenTableW@28 JetOpenTempTable2@28 JetOpenTempTable3@28 JetOpenTempTable@24 +JetOpenTemporaryTable2@8 JetOpenTemporaryTable@8 +JetPatchDatabasePages@28 +JetPatchDatabasePagesA@28 +JetPatchDatabasePagesW@28 JetPrepareToCommitTransaction@16 JetPrepareUpdate@12 +JetPrereadColumnsByReference@36 +JetPrereadIndexRange@28 +JetPrereadIndexRanges@32 +JetPrereadKeys@28 +JetPrereadTablesW@20 JetReadFile@16 JetReadFileInstance@20 JetRegisterCallback@24 +JetRemoveLogfileA@12 +JetRemoveLogfileW@12 JetRenameColumn@20 JetRenameColumnA@20 JetRenameColumnW@20 @@ -488,6 +304,7 @@ JetRenameTableW@16 JetResetCounter@8 JetResetSessionContext@4 JetResetTableSequential@12 +JetResizeDatabase@20 JetRestore2@12 JetRestore2A@12 JetRestore2W@12 @@ -498,6 +315,8 @@ JetRestoreInstanceA@16 JetRestoreInstanceW@16 JetRestoreW@8 JetRetrieveColumn@32 +JetRetrieveColumnByReference@36 +JetRetrieveColumnFromRecordStream@28 JetRetrieveColumns@16 JetRetrieveKey@24 JetRetrieveTaggedColumnList@28 @@ -520,6 +339,7 @@ JetSetCurrentIndex4W@24 JetSetCurrentIndex@12 JetSetCurrentIndexA@12 JetSetCurrentIndexW@12 +JetSetCursorFilter@20 JetSetDatabaseSize@16 JetSetDatabaseSizeA@16 JetSetDatabaseSizeW@16 @@ -528,9 +348,13 @@ JetSetLS@16 JetSetMaxDatabaseSize@16 JetSetResourceParam@16 JetSetSessionContext@8 +JetSetSessionParameter@16 JetSetSystemParameter@20 JetSetSystemParameterA@20 JetSetSystemParameterW@20 +JetSetTableInfo@20 +JetSetTableInfoA@20 +JetSetTableInfoW@20 JetSetTableSequential@12 JetSnapshotStart@12 JetSnapshotStartA@12 @@ -539,9 +363,12 @@ JetSnapshotStop@8 JetStopBackup@0 JetStopBackupInstance@4 JetStopService@0 +JetStopServiceInstance2@8 JetStopServiceInstance@4 +JetStreamRecords@32 JetTerm2@8 JetTerm@4 +JetTestHook@8 JetTracing@12 JetTruncateLog@0 JetTruncateLogInstance@4 @@ -551,7 +378,4 @@ JetUpdate@20 JetUpgradeDatabase@16 JetUpgradeDatabaseA@16 JetUpgradeDatabaseW@16 -ese@20 -esent@12 -ese@20@20 -esent@12@12 +ese@8 diff --git a/lib/libc/mingw/lib32/feclient.def b/lib/libc/mingw/lib32/feclient.def new file mode 100644 index 0000000000..c4948e5fe1 --- /dev/null +++ b/lib/libc/mingw/lib32/feclient.def @@ -0,0 +1,43 @@ +; +; Definition file of FeClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "FeClient.dll" +EXPORTS +EfsUtilGetCurrentKey@16 +EdpContainerizeFile@20 +EdpCredentialCreate@16 +EdpCredentialDelete@20 +EdpCredentialExists@16 +EdpCredentialQuery@16 +EdpDecontainerizeFile@12 +EdpDplPolicyEnabledForUser@8 +EdpDplUpgradePinInfo@16 +EdpDplUpgradeVerifyUser@16 +EdpDplUserCredentialsSet@16 +EdpDplUserUnlockComplete@12 +EdpDplUserUnlockStart@20 +EdpFree@4 +EdpGetContainerIdentity@8 +EdpGetCredServiceState@36 +EdpQueryCredServiceInfo@20 +EdpQueryDplEnforcedPolicyOwnerIds@8 +EdpQueryRevokedPolicyOwnerIds@12 +EdpRmsClearKeys +EdpSetCredServiceInfo@20 +EfsClientCloseFileRaw@4 +EfsClientDecryptFile@8 +EfsClientDuplicateEncryptionInfo@20 +EfsClientEncryptFileEx@8 +EfsClientFileEncryptionStatus@8 +EfsClientFreeProtectorList@4 +EfsClientGetEncryptedFileVersion@12 +EfsClientOpenFileRaw@12 +EfsClientQueryProtectors@8 +EfsClientReadFileRaw@12 +EfsClientWriteFileRaw@12 +EfsClientWriteFileWithHeaderRaw@32 +FeClientInitialize@8 +GetLockSessionUnwrappedKey@28 +GetLockSessionWrappedKey@28 diff --git a/lib/libc/mingw/lib32/fontsub.def b/lib/libc/mingw/lib32/fontsub.def new file mode 100644 index 0000000000..ac26b54c1a --- /dev/null +++ b/lib/libc/mingw/lib32/fontsub.def @@ -0,0 +1,4 @@ +LIBRARY "fontsub.dll" +EXPORTS +CreateFontPackage +MergeFontPackage diff --git a/lib/libc/mingw/lib32/api-ms-win-gaming-expandedresources-l1-1-0.def b/lib/libc/mingw/lib32/gamemode.def similarity index 65% rename from lib/libc/mingw/lib32/api-ms-win-gaming-expandedresources-l1-1-0.def rename to lib/libc/mingw/lib32/gamemode.def index b0cbea3d32..9a11ad6ad1 100644 --- a/lib/libc/mingw/lib32/api-ms-win-gaming-expandedresources-l1-1-0.def +++ b/lib/libc/mingw/lib32/gamemode.def @@ -1,4 +1,4 @@ -LIBRARY api-ms-win-gaming-expandedresources-l1-1-0 +LIBRARY gamemode.dll EXPORTS diff --git a/lib/libc/mingw/lib32/gdi32.def b/lib/libc/mingw/lib32/gdi32.def index 0843af95da..d511d8514c 100644 --- a/lib/libc/mingw/lib32/gdi32.def +++ b/lib/libc/mingw/lib32/gdi32.def @@ -738,8 +738,6 @@ RemoveFontResourceExA@12 RemoveFontResourceExW@12 RemoveFontResourceTracking@8 RemoveFontResourceW@4 -RemoveFontResourceExA@12 -RemoveFontResourceExW@12 ResetDCA@8 ResetDCW@8 ResizePalette@8 diff --git a/lib/libc/mingw/lib32/glaux.def b/lib/libc/mingw/lib32/glaux.def new file mode 100644 index 0000000000..87f72371ed --- /dev/null +++ b/lib/libc/mingw/lib32/glaux.def @@ -0,0 +1,173 @@ +LIBRARY GLAUX.DLL +EXPORTS +AllocateMemory@4 +AllocateZeroedMemory@4 +CleanUp@0 +ComponentFromIndex@12 +CreateCIPalette@4 +CreateRGBPalette@4 +DelayPaletteRealization@0 +DestroyThisWindow@4 +FillRgbPaletteEntries@12 +FindBestPixelFormat@12 +FindExactPixelFormat@12 +FindPixelFormat@8 +FlushPalette@8 +ForceRedraw@4 +FreeMemory@4 +GetRegistrySysColors@8 +GrabStaticEntries@4 +IsPixelFormatValid@12 +PixelFormatDescriptorFromDc@8 +PrintMessage +RealizePaletteNow@12 +ReleaseStaticEntries@4 +UpdateStaticMapping@4 +tkCloseWindow@0 +tkDisplayFunc@4 +tkErrorPopups@4 +tkExec@0 +tkExposeFunc@4 +tkGetColorMapSize@0 +tkGetDisplayMode@0 +tkGetDisplayModeID@0 +tkGetDisplayModePolicy@0 +tkGetHDC@0 +tkGetHRC@0 +tkGetHWND@0 +tkGetMouseLoc@8 +tkIdleFunc@4 +tkInitDisplayMode@4 +tkInitDisplayModeID@4 +tkInitDisplayModePolicy@4 +tkInitPosition@16 +tkInitWindow@4 +tkInitWindowAW@8 +tkKeyDownFunc@4 +tkMouseDownFunc@4 +tkMouseMoveFunc@4 +tkMouseUpFunc@4 +tkQuit@0 +tkReshapeFunc@4 +tkSetFogRamp@8 +tkSetGreyRamp@0 +tkSetOneColor@16 +tkSetRGBMap@8 +tkSwapBuffers@0 +tkWndProc@16 +RawImageClose@4 +RawImageGetData@8 +RawImageGetRow@16 +RawImageOpenAW@8 +tkRGBImageLoad@4 +tkRGBImageLoadAW@8 +tkCreateBitmapFont@4 +tkCreateFilledFont@4 +tkCreateOutlineFont@4 +tkCreateStrokeFont@4 +tkDrawStr@8 +DibNumColors@4 +tkDIBImageLoad@4 +tkDIBImageLoadAW@8 +m_popmatrix@0 +m_pushmatrix@0 +m_scale@24 +m_translate@24 +m_xformpt@16 +m_xformptonly@8 +add3@12 +copy3@8 +copymat3@8 +crossprod@12 +diff3@12 +dist3@8 +dot3@8 +error@4 +identifymat3@4 +length3@4 +normalize@4 +perpnorm@16 +samepoint@8 +scalarmult@16 +seterrorfunc@4 +xformvec3@12 +auxSolidTeapot@8 +auxWireTeapot@8 +solidTeapot@12 +wireTeapot@12 +auxSolidBox@24 +auxSolidCone@16 +auxSolidCube@8 +auxSolidCylinder@16 +auxSolidDodecahedron@8 +auxSolidIcosahedron@8 +auxSolidOctahedron@8 +auxSolidSphere@8 +auxSolidTetrahedron@8 +auxSolidTorus@16 +auxWireBox@24 +auxWireCone@16 +auxWireCube@8 +auxWireCylinder@16 +auxWireDodecahedron@8 +auxWireIcosahedron@8 +auxWireOctahedron@8 +auxWireSphere@8 +auxWireTetrahedron@8 +auxWireTorus@16 +compareParams@12 +dodecahedron@16 +doughnut@28 +drawbox@52 +drawtriangle@32 +findList@12 +icosahedron@16 +initdodec@0 +makeModelPtr@12 +octahedron@16 +pentagon@24 +recorditem@32 +subdivide@36 +tetrahedron@16 +auxDIBImageLoadA@4 +auxDIBImageLoadW@4 +auxRGBImageLoadA@4 +auxRGBImageLoadW@4 +auxCreateFont@0 +auxDrawStrA@4 +auxDrawStrAW@8 +auxDrawStrW@4 +DefaultHandleExpose@8 +DefaultHandleReshape@8 +KeyDown@8 +MouseDown@12 +MouseLoc@12 +MouseUp@12 +auxCloseWindow@0 +auxExposeFunc@4 +auxGetColorMapSize@0 +auxGetDisplayMode@0 +auxGetDisplayModeID@0 +auxGetDisplayModePolicy@0 +auxGetHDC@0 +auxGetHGLRC@0 +auxGetHWND@0 +auxGetMouseLoc@8 +auxIdleFunc@4 +auxInitDisplayMode@4 +auxInitDisplayModeID@4 +auxInitDisplayModePolicy@4 +auxInitPosition@16 +auxInitWindowA@4 +auxInitWindowAW@8 +auxInitWindowW@4 +auxKeyFunc@8 +auxMainLoop@4 +auxMouseFunc@12 +auxQuit@0 +auxReshapeFunc@4 +auxSetFogRamp@8 +auxSetGreyRamp@0 +auxSetOneColor@16 +auxSetRGBMap@8 +auxSwapBuffers@0 diff --git a/lib/libc/mingw/lib32/glut.def b/lib/libc/mingw/lib32/glut.def new file mode 100644 index 0000000000..369ca5d145 --- /dev/null +++ b/lib/libc/mingw/lib32/glut.def @@ -0,0 +1,116 @@ +LIBRARY glut.dll +EXPORTS +glutAddMenuEntry@8 +glutAddSubMenu@8 +glutAttachMenu@4 +glutBitmapCharacter@8 +glutBitmapLength@8 +glutBitmapWidth@8 +glutButtonBoxFunc@4 +glutChangeToMenuEntry@12 +glutChangeToSubMenu@12 +glutCopyColormap@4 +glutCreateMenu@4 +glutCreateSubWindow@20 +glutCreateWindow@4 +glutDestroyMenu@4 +glutDestroyWindow@4 +glutDetachMenu@4 +glutDeviceGet@4 +glutDialsFunc@4 +glutDisplayFunc@4 +glutEnterGameMode@0 +glutEntryFunc@4 +glutEstablishOverlay@0 +glutExtensionSupported@4 +glutForceJoystickFunc@0 +glutFullScreen@0 +glutGameModeGet@4 +glutGameModeString@4 +glutGet@4 +glutGetColor@8 +glutGetMenu@0 +glutGetModifiers@0 +glutGetWindow@0 +glutHideOverlay@0 +glutHideWindow@0 +glutIconifyWindow@0 +glutIdleFunc@4 +glutIgnoreKeyRepeat@4 +glutInit@8 +glutInitDisplayMode@4 +glutInitDisplayString@4 +glutInitWindowPosition@8 +glutInitWindowSize@8 +glutJoystickFunc@8 +glutKeyboardFunc@4 +glutKeyboardUpFunc@4 +glutLayerGet@4 +glutLeaveGameMode@0 +glutMainLoop@0 +glutMenuStateFunc@4 +glutMenuStatusFunc@4 +glutMotionFunc@4 +glutMouseFunc@4 +glutOverlayDisplayFunc@4 +glutPassiveMotionFunc@4 +glutPopWindow@0 +glutPositionWindow@8 +glutPostOverlayRedisplay@0 +glutPostRedisplay@0 +glutPostWindowOverlayRedisplay@4 +glutPostWindowRedisplay@4 +glutPushWindow@0 +glutRemoveMenuItem@4 +glutRemoveOverlay@0 +glutReportErrors@0 +glutReshapeFunc@4 +glutReshapeWindow@8 +glutSetColor@16 +glutSetCursor@4 +glutSetIconTitle@4 +glutSetKeyRepeat@4 +glutSetMenu@4 +glutSetWindow@4 +glutSetWindowTitle@4 +glutSetupVideoResizing@0 +glutShowOverlay@0 +glutShowWindow@0 +glutSolidCone@24 +glutSolidCube@8 +glutSolidDodecahedron@0 +glutSolidIcosahedron@0 +glutSolidOctahedron@0 +glutSolidSphere@16 +glutSolidTeapot@8 +glutSolidTetrahedron@0 +glutSolidTorus@24 +glutSpaceballButtonFunc@4 +glutSpaceballMotionFunc@4 +glutSpaceballRotateFunc@4 +glutSpecialFunc@4 +glutSpecialUpFunc@4 +glutStopVideoResizing@0 +glutStrokeCharacter@8 +glutStrokeLength@8 +glutStrokeWidth@8 +glutSwapBuffers@0 +glutTabletButtonFunc@4 +glutTabletMotionFunc@4 +glutTimerFunc@12 +glutUseLayer@4 +glutVideoPan@16 +glutVideoResize@16 +glutVideoResizeGet@4 +glutVisibilityFunc@4 +glutWarpPointer@8 +glutWindowStatusFunc@4 +glutWireCone@24 +glutWireCube@8 +glutWireDodecahedron@0 +glutWireIcosahedron@0 +glutWireOctahedron@0 +glutWireSphere@16 +glutWireTeapot@8 +glutWireTetrahedron@0 +glutWireTorus@24 diff --git a/lib/libc/mingw/lib32/glut32.def b/lib/libc/mingw/lib32/glut32.def new file mode 100644 index 0000000000..427e32bc39 --- /dev/null +++ b/lib/libc/mingw/lib32/glut32.def @@ -0,0 +1,116 @@ +LIBRARY glut32.dll +EXPORTS +glutAddMenuEntry@8 +glutAddSubMenu@8 +glutAttachMenu@4 +glutBitmapCharacter@8 +glutBitmapLength@8 +glutBitmapWidth@8 +glutButtonBoxFunc@4 +glutChangeToMenuEntry@12 +glutChangeToSubMenu@12 +glutCopyColormap@4 +glutCreateMenu@4 +glutCreateSubWindow@20 +glutCreateWindow@4 +glutDestroyMenu@4 +glutDestroyWindow@4 +glutDetachMenu@4 +glutDeviceGet@4 +glutDialsFunc@4 +glutDisplayFunc@4 +glutEnterGameMode@0 +glutEntryFunc@4 +glutEstablishOverlay@0 +glutExtensionSupported@4 +glutForceJoystickFunc@0 +glutFullScreen@0 +glutGameModeGet@4 +glutGameModeString@4 +glutGet@4 +glutGetColor@8 +glutGetMenu@0 +glutGetModifiers@0 +glutGetWindow@0 +glutHideOverlay@0 +glutHideWindow@0 +glutIconifyWindow@0 +glutIdleFunc@4 +glutIgnoreKeyRepeat@4 +glutInit@8 +glutInitDisplayMode@4 +glutInitDisplayString@4 +glutInitWindowPosition@8 +glutInitWindowSize@8 +glutJoystickFunc@8 +glutKeyboardFunc@4 +glutKeyboardUpFunc@4 +glutLayerGet@4 +glutLeaveGameMode@0 +glutMainLoop@0 +glutMenuStateFunc@4 +glutMenuStatusFunc@4 +glutMotionFunc@4 +glutMouseFunc@4 +glutOverlayDisplayFunc@4 +glutPassiveMotionFunc@4 +glutPopWindow@0 +glutPositionWindow@8 +glutPostOverlayRedisplay@0 +glutPostRedisplay@0 +glutPostWindowOverlayRedisplay@4 +glutPostWindowRedisplay@4 +glutPushWindow@0 +glutRemoveMenuItem@4 +glutRemoveOverlay@0 +glutReportErrors@0 +glutReshapeFunc@4 +glutReshapeWindow@8 +glutSetColor@16 +glutSetCursor@4 +glutSetIconTitle@4 +glutSetKeyRepeat@4 +glutSetMenu@4 +glutSetWindow@4 +glutSetWindowTitle@4 +glutSetupVideoResizing@0 +glutShowOverlay@0 +glutShowWindow@0 +glutSolidCone@24 +glutSolidCube@8 +glutSolidDodecahedron@0 +glutSolidIcosahedron@0 +glutSolidOctahedron@0 +glutSolidSphere@16 +glutSolidTeapot@8 +glutSolidTetrahedron@0 +glutSolidTorus@24 +glutSpaceballButtonFunc@4 +glutSpaceballMotionFunc@4 +glutSpaceballRotateFunc@4 +glutSpecialFunc@4 +glutSpecialUpFunc@4 +glutStopVideoResizing@0 +glutStrokeCharacter@8 +glutStrokeLength@8 +glutStrokeWidth@8 +glutSwapBuffers@0 +glutTabletButtonFunc@4 +glutTabletMotionFunc@4 +glutTimerFunc@12 +glutUseLayer@4 +glutVideoPan@16 +glutVideoResize@16 +glutVideoResizeGet@4 +glutVisibilityFunc@4 +glutWarpPointer@8 +glutWindowStatusFunc@4 +glutWireCone@24 +glutWireCube@8 +glutWireDodecahedron@0 +glutWireIcosahedron@0 +glutWireOctahedron@0 +glutWireSphere@16 +glutWireTeapot@8 +glutWireTetrahedron@0 +glutWireTorus@24 diff --git a/lib/libc/mingw/lib32/gpapi.def b/lib/libc/mingw/lib32/gpapi.def new file mode 100644 index 0000000000..633764dc8e --- /dev/null +++ b/lib/libc/mingw/lib32/gpapi.def @@ -0,0 +1,33 @@ +; +; Definition file of GPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "GPAPI.dll" +EXPORTS +ord_105@20 @105 +EnterCriticalPolicySectionInternal@4 +ord_107@8 @107 +ForceSyncFgPolicyInternal@4 +ord_109@12 @109 +ord_110@12 @110 +ord_111@8 @111 +FreeGPOListInternalA@4 +ord_113@12 @113 +ord_114@16 @114 +ord_115@20 @115 +FreeGPOListInternalW@4 +GetAppliedGPOListInternalA@20 +GetAppliedGPOListInternalW@20 +GetGPOListInternalA@4 +GetGPOListInternalW@24 +GetNextFgPolicyRefreshInfoInternal@8 +GetPreviousFgPolicyRefreshInfoInternal@8 +LeaveCriticalPolicySectionInternal@4 +RefreshPolicyExInternal@8 +RefreshPolicyInternal@4 +RegisterGPNotificationInternal@8 +RsopLoggingEnabledInternal +UnregisterGPNotificationInternal@4 +WaitForMachinePolicyForegroundProcessingInternal +WaitForUserPolicyForegroundProcessingInternal diff --git a/lib/libc/mingw/lib32/gpprefcl.def b/lib/libc/mingw/lib32/gpprefcl.def new file mode 100644 index 0000000000..b92837a501 --- /dev/null +++ b/lib/libc/mingw/lib32/gpprefcl.def @@ -0,0 +1,74 @@ +; +; Definition file of polprocl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "polprocl.dll" +EXPORTS +DllCanUnloadNow +DllGetClassObject@12 +DllRegisterServer +DllUnregisterServer +GenerateGroupPolicyApplications@20 +GenerateGroupPolicyDataSources@20 +GenerateGroupPolicyDevices@20 +GenerateGroupPolicyDrives@20 +GenerateGroupPolicyEnviron@20 +GenerateGroupPolicyFiles@20 +GenerateGroupPolicyFolderOptions@20 +GenerateGroupPolicyFolders@20 +GenerateGroupPolicyIniFile@20 +GenerateGroupPolicyInternet@20 +GenerateGroupPolicyLocUsAndGroups@20 +GenerateGroupPolicyNetShares@20 +GenerateGroupPolicyNetworkOptions@20 +GenerateGroupPolicyPowerOptions@20 +GenerateGroupPolicyPrinters@20 +GenerateGroupPolicyRegionOptions@20 +GenerateGroupPolicyRegistry@20 +GenerateGroupPolicySchedTasks@20 +GenerateGroupPolicyServices@20 +GenerateGroupPolicyShortcuts@20 +GenerateGroupPolicyStartMenu@20 +ProcessGroupPolicyApplications@32 +ProcessGroupPolicyDataSources@32 +ProcessGroupPolicyDevices@32 +ProcessGroupPolicyDrives@32 +ProcessGroupPolicyEnviron@32 +ProcessGroupPolicyExApplications@40 +ProcessGroupPolicyExDataSources@40 +ProcessGroupPolicyExDevices@40 +ProcessGroupPolicyExDrives@40 +ProcessGroupPolicyExEnviron@40 +ProcessGroupPolicyExFiles@40 +ProcessGroupPolicyExFolderOptions@40 +ProcessGroupPolicyExFolders@40 +ProcessGroupPolicyExIniFile@40 +ProcessGroupPolicyExInternet@40 +ProcessGroupPolicyExLocUsAndGroups@40 +ProcessGroupPolicyExNetShares@40 +ProcessGroupPolicyExNetworkOptions@40 +ProcessGroupPolicyExPowerOptions@40 +ProcessGroupPolicyExPrinters@40 +ProcessGroupPolicyExRegionOptions@40 +ProcessGroupPolicyExRegistry@40 +ProcessGroupPolicyExSchedTasks@40 +ProcessGroupPolicyExServices@40 +ProcessGroupPolicyExShortcuts@40 +ProcessGroupPolicyExStartMenu@40 +ProcessGroupPolicyFiles@32 +ProcessGroupPolicyFolderOptions@32 +ProcessGroupPolicyFolders@32 +ProcessGroupPolicyIniFile@32 +ProcessGroupPolicyInternet@32 +ProcessGroupPolicyLocUsAndGroups@32 +ProcessGroupPolicyNetShares@32 +ProcessGroupPolicyNetworkOptions@32 +ProcessGroupPolicyPowerOptions@32 +ProcessGroupPolicyPrinters@32 +ProcessGroupPolicyRegionOptions@32 +ProcessGroupPolicyRegistry@32 +ProcessGroupPolicySchedTasks@32 +ProcessGroupPolicyServices@32 +ProcessGroupPolicyShortcuts@32 +ProcessGroupPolicyStartMenu@32 diff --git a/lib/libc/mingw/lib32/gpscript.def b/lib/libc/mingw/lib32/gpscript.def new file mode 100644 index 0000000000..acbe380785 --- /dev/null +++ b/lib/libc/mingw/lib32/gpscript.def @@ -0,0 +1,11 @@ +; +; Definition file of GPSCRIPT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "GPSCRIPT.DLL" +EXPORTS +GenerateScriptsGroupPolicy@20 +ProcessScriptsGroupPolicy@32 +ProcessScriptsGroupPolicyEx@40 +ScrRegGPOListToWbem@8 diff --git a/lib/libc/mingw/lib32/gptext.def b/lib/libc/mingw/lib32/gptext.def new file mode 100644 index 0000000000..f4357133c2 --- /dev/null +++ b/lib/libc/mingw/lib32/gptext.def @@ -0,0 +1,11 @@ +; +; Definition file of GPTEXT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "GPTEXT.DLL" +EXPORTS +ProcessEQoSPolicy@32 +ProcessPSCHEDPolicy@32 +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib32/hal.def b/lib/libc/mingw/lib32/hal.def new file mode 100644 index 0000000000..e2dedcd27d --- /dev/null +++ b/lib/libc/mingw/lib32/hal.def @@ -0,0 +1,125 @@ +; +; Definition file of HAL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HAL.dll" +EXPORTS +@ExAcquireFastMutex@4 +@ExReleaseFastMutex@4 +@ExTryToAcquireFastMutex@4 +@HalClearSoftwareInterrupt@4 +; HalRequestClockInterrupt ; FIXME: must be a @fastcall with @4 +@HalRequestSoftwareInterrupt@4 +@HalSystemVectorDispatchEntry@12 +@KeAcquireInStackQueuedSpinLock@8 +@KeAcquireInStackQueuedSpinLockRaiseToSynch@8 +@KeAcquireQueuedSpinLock@4 +@KeAcquireQueuedSpinLockRaiseToSynch@4 +@KeAcquireSpinLockRaiseToSynch@4 +@KeReleaseInStackQueuedSpinLock@4 +@KeReleaseQueuedSpinLock@8 +@KeTryToAcquireQueuedSpinLock@8 +@KeTryToAcquireQueuedSpinLockRaiseToSynch@8 +@KfAcquireSpinLock@4 +@KfLowerIrql@4 +@KfRaiseIrql@4 +@KfReleaseSpinLock@8 +HalAcquireDisplayOwnership@4 +HalAdjustResourceList@4 +HalAllProcessorsStarted@0 +HalAllocateAdapterChannel@16 +HalAllocateCommonBuffer@16 +HalAllocateCrashDumpRegisters@8 +HalAllocateHardwareCounters@16 +HalAssignSlotResources@32 +HalBeginSystemInterrupt@12 +; HalBugCheckSystem ; FIXME: >= Win7: @8, < Win7: @4 +HalCalibratePerformanceCounter@12 +HalConvertDeviceIdtToIrql@4 ; FIXME: Verify! +HalDisableInterrupt@4 ; FIXME: Verify! +HalDisplayString@4 +HalEnableInterrupt@4 ; FIXME: Verify! +HalEndSystemInterrupt@8 +HalEnumerateEnvironmentVariablesEx@12 ; FIXME: Verify! +HalFlushCommonBuffer@20 +HalFreeCommonBuffer@24 +HalFreeHardwareCounters@4 +HalGetAdapter@8 +HalGetBusData@20 +HalGetBusDataByOffset@24 +HalGetEnvironmentVariable@12 +HalGetEnvironmentVariableEx@20 ; FIXME: Verify! +HalGetInterruptTargetInformation@12 ; FIXME: Verify! +HalGetInterruptVector@24 +HalGetMemoryCachingRequirements@20 ; FIXME: Verify! +HalGetMessageRoutingInfo@8 ; FIXME: Verify! +HalGetProcessorIdByNtNumber@8 ; FIXME: Verify! +;HalGetVectorInput ; Check!!! Couldn't determine function argument count. Function doesn't return. +HalHandleNMI@4 +HalInitSystem@8 +HalInitializeBios@8 +HalInitializeOnResume@4 ; FIXME: Verify! +HalInitializeProcessor@8 +HalMakeBeep@4 +HalMcUpdateReadPCIConfig@20 ; FIXME: Verify! +HalProcessorIdle@0 +HalQueryDisplayParameters@16 +HalQueryEnvironmentVariableInfoEx@16 ; FIXME: Verify! +HalQueryMaximumProcessorCount@0 ; FIXME: Verify! +HalQueryRealTimeClock@4 +HalReadDmaCounter@4 +HalRegisterDynamicProcessor@8 ; FIXME: Verify! +HalRegisterErrataCallbacks@0 ; FIXME: Verify! +HalReportResourceUsage@0 +HalRequestIpi@8 ; FIXME: must be @4 : func(KAFFINITY == ULONG_PTR), dll from XP dumps as @4 +HalReturnToFirmware@4 +HalSetBusData@20 +HalSetBusDataByOffset@24 +HalSetDisplayParameters@8 +HalSetEnvironmentVariable@8 +HalSetEnvironmentVariableEx@20 ; FIXME: Verify! +HalSetProfileInterval@4 +HalSetRealTimeClock@4 +HalSetTimeIncrement@4 +HalStartDynamicProcessor@16 ; FIXME: Verify! +HalStartNextProcessor@12 ; FIXME: must be @8 : func(PLOADER_PARAMETER_BLOCK,PKPROCESSOR_STATE), dll from xp dumps as @8 +HalStartProfileInterrupt@4 +HalStopProfileInterrupt@4 +HalTranslateBusAddress@24 +IoAssignDriveLetters@16 +IoFlushAdapterBuffers@24 +IoFreeAdapterChannel@4 +IoFreeMapRegisters@12 +IoMapTransfer@24 +IoReadPartitionTable@16 +IoSetPartitionInformation@16 +IoWritePartitionTable@20 +KdComPortInUse DATA +KeAcquireSpinLock@8 +KeFlushWriteBuffer@0 +KeGetCurrentIrql@0 +KeLowerIrql@4 +KeQueryPerformanceCounter@4 +KeRaiseIrql@8 +KeRaiseIrqlToDpcLevel@0 +KeRaiseIrqlToSynchLevel@0 +KeReleaseSpinLock@8 +KeStallExecutionProcessor@4 +READ_PORT_BUFFER_UCHAR@12 +READ_PORT_BUFFER_ULONG@12 +READ_PORT_BUFFER_USHORT@12 +READ_PORT_UCHAR@4 +READ_PORT_ULONG@4 +READ_PORT_USHORT@4 +WRITE_PORT_BUFFER_UCHAR@12 +WRITE_PORT_BUFFER_ULONG@12 +WRITE_PORT_BUFFER_USHORT@12 +WRITE_PORT_UCHAR@8 +WRITE_PORT_ULONG@8 +WRITE_PORT_USHORT@8 +x86BiosAllocateBuffer@12 +x86BiosCall@8 +x86BiosFreeBuffer@8 +x86BiosReadMemory@16 +x86BiosWriteMemory@16 diff --git a/lib/libc/mingw/lib32/hidclass.def b/lib/libc/mingw/lib32/hidclass.def new file mode 100644 index 0000000000..10704d4902 --- /dev/null +++ b/lib/libc/mingw/lib32/hidclass.def @@ -0,0 +1,11 @@ +; +; Definition file of HIDCLASS.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HIDCLASS.SYS" +EXPORTS +DllInitialize@4 +DllUnload@0 +HidNotifyPresence@8 +HidRegisterMinidriver@4 diff --git a/lib/libc/mingw/lib32/hidparse.def b/lib/libc/mingw/lib32/hidparse.def new file mode 100644 index 0000000000..9b845774c7 --- /dev/null +++ b/lib/libc/mingw/lib32/hidparse.def @@ -0,0 +1,37 @@ +; +; Definition file of HIDPARSE.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HIDPARSE.SYS" +EXPORTS +HidP_FreeCollectionDescription@4 +HidP_GetButtonCaps@16 +HidP_GetCaps@8 +HidP_GetCollectionDescription@16 +HidP_GetData@24 +HidP_GetExtendedAttributes@20 +HidP_GetLinkCollectionNodes@12 +HidP_GetScaledUsageValue@32 +HidP_GetSpecificButtonCaps@28 +HidP_GetSpecificValueCaps@28 +HidP_GetUsageValue@32 +HidP_GetUsageValueArray@36 +HidP_GetUsages@32 +HidP_GetUsagesEx@28 +HidP_GetValueCaps@16 +HidP_InitializeReportForID@20 +HidP_MaxDataListLength@8 +HidP_MaxUsageListLength@12 +HidP_SetData@24 +HidP_SetScaledUsageValue@32 +HidP_SetUsageValue@32 +HidP_SetUsageValueArray@36 +HidP_SetUsages@32 +HidP_SysPowerCaps@8 +HidP_SysPowerEvent@16 +HidP_TranslateUsageAndPagesToI8042ScanCodes@24 +HidP_TranslateUsagesToI8042ScanCodes@24 +HidP_UnsetUsages@32 +HidP_UsageAndPageListDifference@20 +HidP_UsageListDifference@20 diff --git a/lib/libc/mingw/lib32/hrtfapo.def b/lib/libc/mingw/lib32/hrtfapo.def new file mode 100644 index 0000000000..4aaf3fa676 --- /dev/null +++ b/lib/libc/mingw/lib32/hrtfapo.def @@ -0,0 +1,9 @@ +LIBRARY hrtfapo + +EXPORTS + +CreateHrtfApo@8 +CreateHrtfApoWithDatasetType@12 +CreateHrtfEngineFactory@4 +GetHrtfEngineMinFrameCount@0 +IsHrtfApoAvailable@0 diff --git a/lib/libc/mingw/lib32/htmlhelp.def b/lib/libc/mingw/lib32/htmlhelp.def new file mode 100644 index 0000000000..bdd0ca4325 --- /dev/null +++ b/lib/libc/mingw/lib32/htmlhelp.def @@ -0,0 +1,15 @@ +; library name is libhtmlhelp.a but +; functions exported from hhcrtl.ocx + +LIBRARY "hhctrl.ocx" +EXPORTS +LoadHHA@8 +DllCanUnloadNow@0 +AuthorMsg@16 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +doWinMain@8 +HtmlHelpA@16 +HtmlHelpW@16 +HhWindowThread@4 diff --git a/lib/libc/mingw/lib32/igmpagnt.def b/lib/libc/mingw/lib32/igmpagnt.def new file mode 100644 index 0000000000..803ee35039 --- /dev/null +++ b/lib/libc/mingw/lib32/igmpagnt.def @@ -0,0 +1,6 @@ +LIBRARY igmpagnt.dll +EXPORTS +SnmpExtensionClose@0 +SnmpExtensionInit@12 +SnmpExtensionQuery@16 +SnmpExtensionTrap@20 diff --git a/lib/libc/mingw/lib32/imagehlp.def b/lib/libc/mingw/lib32/imagehlp.def new file mode 100644 index 0000000000..411a360bdd --- /dev/null +++ b/lib/libc/mingw/lib32/imagehlp.def @@ -0,0 +1,114 @@ +LIBRARY IMAGEHLP.DLL +EXPORTS +BindImage@12 +BindImageEx@20 +CheckSumMappedFile@16 +CopyPdb@12 +EnumerateLoadedModules32@12 +EnumerateLoadedModules64@12 +EnumerateLoadedModules@12 +FindDebugInfoFile@12 +FindDebugInfoFileEx@20 +FindExecutableImage@12 +GetImageConfigInformation@8 +GetImageUnusedHeaderBytes@8 +GetTimestampForLoadedLibrary@4 +ImageAddCertificate@12 +ImageDirectoryEntryToData@16 +ImageDirectoryEntryToDataEx@20 +ImageEnumerateCertificates@20 +ImageGetCertificateData@16 +ImageGetCertificateHeader@12 +ImageGetDigestStream@16 +ImageLoad@8 +ImageNtHeader@4 +ImageRemoveCertificate@8 +ImageRvaToSection@12 +ImageRvaToVa@16 +ImageUnload@4 +ImagehlpApiVersion@0 +ImagehlpApiVersionEx@4 +MakeSureDirectoryPathExists@4 +MapAndLoad@20 +MapDebugInformation32@16 +MapDebugInformation64@20 +MapDebugInformation@16 +MapFileAndCheckSumA@12 +MapFileAndCheckSumW@12 +MarkImageAsRunFromSwap@8 +ReBaseImage@44 +RemovePrivateCvSymbolic@12 +RemovePrivateCvSymbolicEx@16 +RemoveRelocations@4 +SearchTreeForFile@12 +SetImageConfigInformation@8 +SplitSymbols@16 +StackWalk32@36 +StackWalk64@36 +StackWalk@36 +SymCleanup@4 +SymEnumerateModules32@12 +SymEnumerateModules64@12 +SymEnumerateModules@12 +SymEnumerateSymbols32@16 +SymEnumerateSymbols64@20 +SymEnumerateSymbols@16 +SymFunctionTableAccess32@8 +SymFunctionTableAccess64@12 +SymFunctionTableAccess@8 +SymGetLineFromAddr32@16 +SymGetLineFromAddr64@20 +SymGetLineFromAddr@16 +SymGetLineFromName32@24 +SymGetLineFromName64@24 +SymGetLineFromName@24 +SymGetLineNext32@8 +SymGetLineNext64@8 +SymGetLineNext@8 +SymGetLinePrev32@8 +SymGetLinePrev64@8 +SymGetLinePrev@8 +SymGetModuleBase32@8 +SymGetModuleBase64@12 +SymGetModuleBase@8 +SymGetModuleInfo32@12 +SymGetModuleInfo64@16 +SymGetModuleInfo@12 +SymGetOptions@0 +SymGetSearchPath@12 +SymGetSymFromAddr32@16 +SymGetSymFromAddr64@20 +SymGetSymFromAddr@16 +SymGetSymFromName32@12 +SymGetSymFromName64@12 +SymGetSymFromName@12 +SymGetSymNext32@8 +SymGetSymNext64@8 +SymGetSymNext@8 +SymGetSymPrev32@8 +SymGetSymPrev64@8 +SymGetSymPrev@8 +SymInitialize@12 +SymLoadModule32@24 +SymLoadModule64@28 +SymLoadModule@24 +SymMatchFileName@16 +SymRegisterCallback32@12 +SymRegisterCallback64@16 +SymRegisterCallback@12 +SymSetOptions@4 +SymSetSearchPath@8 +SymUnDName32@12 +SymUnDName64@12 +SymUnDName@12 +SymUnloadModule32@8 +SymUnloadModule64@12 +SymUnloadModule@8 +TouchFileTimes@8 +UnDecorateSymbolName@16 +UnMapAndLoad@4 +UnmapDebugInformation32@4 +UnmapDebugInformation64@4 +UnmapDebugInformation@4 +UpdateDebugInfoFile@16 +UpdateDebugInfoFileEx@20 diff --git a/lib/libc/mingw/lib32/inkobjcore.def b/lib/libc/mingw/lib32/inkobjcore.def new file mode 100644 index 0000000000..8f5bca425e --- /dev/null +++ b/lib/libc/mingw/lib32/inkobjcore.def @@ -0,0 +1,34 @@ +LIBRARY inkobjcore + +EXPORTS + +AddStroke@20 +AddStrokeWithId@24 +AddWordsToWordList@8 +AdviseInkChange@8 +CreateContext@8 +CreateRecognizer@8 +DestroyContext@4 +DestroyRecognizer@4 +DestroyWordList@4 +EndInkInput@4 +GetAllRecognizers@8 +GetBestResultString@12 +GetLatticePtr@8 +GetLeftSeparator@12 +GetRecoAttributes@8 +GetResultPropertyList@12 +GetRightSeparator@12 +GetUnicodeRanges@12 +IsStringSupported@12 +LoadCachedAttributes@20 +MakeWordList@12 +Process@8 +SetConstraint@12 +SetEnabledUnicodeRanges@12 +SetFactoid@12 +SetFlags@8 +SetGuide@12 +SetStrokeGroupId@12 +SetTextContext@20 +SetWordList@8 diff --git a/lib/libc/mingw/lib32/iphlpapi.def b/lib/libc/mingw/lib32/iphlpapi.def index ce645f2acf..07d5597a15 100644 --- a/lib/libc/mingw/lib32/iphlpapi.def +++ b/lib/libc/mingw/lib32/iphlpapi.def @@ -178,6 +178,7 @@ InternalCreateIpForwardEntry2@8 InternalCreateIpForwardEntry@4 InternalCreateIpNetEntry2@8 InternalCreateIpNetEntry@4 +InternalCreateOrRefIpForwardEntry2@8 InternalCreateUnicastIpAddressEntry@8 InternalDeleteAnycastIpAddressEntry@8 InternalDeleteIpForwardEntry2@8 diff --git a/lib/libc/mingw/lib32/kernel32.def b/lib/libc/mingw/lib32/kernel32.def index 464a199963..6cc295af7c 100644 --- a/lib/libc/mingw/lib32/kernel32.def +++ b/lib/libc/mingw/lib32/kernel32.def @@ -11,6 +11,7 @@ AcquireSRWLockExclusive@4 AcquireSRWLockShared@4 ActivateActCtx@8 ActivateActCtxWorker@8 +ActivatePackageVirtualizationContext@8 AddAtomA@4 AddAtomW@4 AddConsoleAliasA@12 @@ -33,7 +34,7 @@ AllocateUserPhysicalPages@12 AllocateUserPhysicalPagesNuma@16 AppPolicyGetClrCompat@8 AppPolicyGetCreateFileAccess@8 -AAppPolicyGetLifecycleManagement@8 +AppPolicyGetLifecycleManagement@8 AppPolicyGetMediaFoundationCodecLoading@8 AppPolicyGetProcessTerminationMethod@8 AppPolicyGetShowDeveloperDiagnostic@8 @@ -43,6 +44,7 @@ AppXGetOSMaxVersionTested@8 ApplicationRecoveryFinished@4 ApplicationRecoveryInProgress@4 AreFileApisANSI@0 +AreShortNamesEnabled@8 AssignProcessToJobObject@8 AttachConsole@4 BackupRead@28 @@ -116,6 +118,12 @@ BuildCommDCBA@8 BuildCommDCBAndTimeoutsA@12 BuildCommDCBAndTimeoutsW@12 BuildCommDCBW@8 +BuildIoRingCancelRequest@20 +BuildIoRingFlushFile@24 +BuildIoRingReadFile@44 +BuildIoRingRegisterBuffers@16 +BuildIoRingRegisterFileHandles@16 +BuildIoRingWriteFile@48 CallNamedPipeA@28 CallNamedPipeW@28 CallbackMayRunLong@4 @@ -142,6 +150,7 @@ ClearCommBreak@4 ClearCommError@12 CloseConsoleHandle@4 CloseHandle@4 +CloseIoRing@4 ClosePackageInfo@4 ClosePrivateNamespace@8 CloseProfileUserMapping@0 @@ -218,6 +227,7 @@ CreateHardLinkTransactedA@16 CreateHardLinkTransactedW@16 CreateHardLinkW@12 CreateIoCompletionPort@16 +CreateIoRing@24 CreateJobObjectA@8 CreateJobObjectW@8 CreateJobSet@12 @@ -230,12 +240,14 @@ CreateMutexExW@16 CreateMutexW@12 CreateNamedPipeA@32 CreateNamedPipeW@32 +CreatePackageVirtualizationContext@8 CreatePipe@16 CreatePrivateNamespaceA@12 CreatePrivateNamespaceW@12 CreateProcessA@40 -CreateProcessAsUserA@44 -CreateProcessAsUserW@44 +; MSDN says these are exported from ADVAPI32.DLL. +; CreateProcessAsUserA@44 +; CreateProcessAsUserW@44 CreateProcessInternalA@48 CreateProcessInternalW@48 CreateProcessW@40 @@ -270,6 +282,7 @@ CreateWaitableTimerW@12 CtrlRoutine@4 DeactivateActCtx@8 DeactivateActCtxWorker@8 +DeactivatePackageVirtualizationContext@4 DebugActiveProcess@4 DebugActiveProcessStop@4 DebugBreak@0 @@ -310,6 +323,8 @@ DosPathToSessionPathW@12 DuplicateConsoleHandle@16 DuplicateEncryptionInfoFileExt@20 DuplicateHandle@28 +DuplicatePackageVirtualizationContext@8 +EnableProcessOptionalXStateFeatures@8 EnableThreadProfiling@20 EncodePointer@4 EncodeSystemPointer@4 @@ -548,6 +563,7 @@ GetCurrentPackageFullName@8 GetCurrentPackageId@8 GetCurrentPackageInfo@16 GetCurrentPackagePath@8 +GetCurrentPackageVirtualizationContext@0 GetCurrentProcess@0 GetCurrentProcessId@0 GetCurrentProcessorNumber@0 @@ -620,6 +636,7 @@ GetGeoInfoEx@16 GetGeoInfoW@20 GetHandleContext@4 GetHandleInformation@8 +GetIoRingInfo@8 GetLargePageMinimum@0 GetLargestConsoleWindowSize@4 GetLastError@0 @@ -636,6 +653,7 @@ GetLongPathNameA@12 GetLongPathNameTransactedA@16 GetLongPathNameTransactedW@16 GetLongPathNameW@12 +GetMachineTypeAttributes@8 GetMailslotInfo@20 GetMaximumProcessorCount@4 GetMaximumProcessorGroupCount@0 @@ -664,6 +682,7 @@ GetNumaAvailableMemoryNode@8 GetNumaAvailableMemoryNodeEx@8 GetNumaHighestNodeNumber@4 GetNumaNodeNumberFromHandle@8 +GetNumaNodeProcessorMask2@16 GetNumaNodeProcessorMask@8 GetNumaNodeProcessorMaskEx@8 GetNumaProcessorNode@8 @@ -684,7 +703,7 @@ GetPackageFamilyName@12 GetPackageFullName@12 GetPackageId@12 GetPackageInfo@20 -GetPackagePath@24 +GetPackagePath@16 GetPackagePathByFullName@12 GetPackagesByPackageFamily@20 GetPhysicallyInstalledSystemMemory@4 @@ -702,6 +721,7 @@ GetPrivateProfileStructW@20 GetProcAddress@8 GetProcessAffinityMask@12 GetProcessDEPPolicy@12 +GetProcessDefaultCpuSetMasks@16 GetProcessDefaultCpuSets@16 GetProcessGroupAffinity@12 GetProcessHandleCount@8 @@ -720,6 +740,7 @@ GetProcessUserModeExceptionPolicy@4 GetProcessVersion@4 GetProcessWorkingSetSize@12 GetProcessWorkingSetSizeEx@16 +GetProcessesInVirtualizationContext@12 GetProcessorSystemCycleTime@12 GetProductInfo@20 GetProductName@8 @@ -774,8 +795,11 @@ GetTempFileNameA@16 GetTempFileNameW@16 GetTempPathA@8 GetTempPathW@8 +GetTempPath2A@8 +GetTempPath2W@8 GetThreadContext@8 GetThreadDescription@8 +GetThreadEnabledXStateFeatures@0 GetThreadErrorMode@0 GetThreadGroupAffinity@8 GetThreadIOPendingFlag@8 @@ -786,6 +810,7 @@ GetThreadLocale@0 GetThreadPreferredUILanguages@16 GetThreadPriority@4 GetThreadPriorityBoost@8 +GetThreadSelectedCpuSetMasks@16 GetThreadSelectedCpuSets@16 GetThreadSelectorEntry@12 GetThreadTimes@20 @@ -883,7 +908,6 @@ InitOnceInitialize@4 InitializeConditionVariable@4 InitializeContext2@24 InitializeContext@16 -InitializeCriticalSection@4 InitializeCriticalSectionAndSpinCount@8 InitializeCriticalSectionEx@12 InitializeEnclave@20 @@ -917,6 +941,7 @@ IsDBCSLeadByte@4 IsDBCSLeadByteEx@8 IsDebuggerPresent@0 IsEnclaveTypeSupported@4 +IsIoRingOpSupported@8 IsNLSDefinedString@20 IsNativeVhdBoot@4 IsNormalizedString@12 @@ -927,6 +952,7 @@ IsSystemResumeAutomatic@0 IsThreadAFiber@0 IsThreadpoolTimerSet@4 IsTimeZoneRedirectionEnabled@0 +IsUserCetAvailableInEnvironment@4 IsValidCalDateTime@8 IsValidCodePage@4 IsValidLanguageGroup@8 @@ -1069,7 +1095,8 @@ OpenSemaphoreW@12 OpenState@0 OpenStateExplicit@8 OpenThread@12 -OpenThreadToken@16 +; MSDN says this is exported from ADVAPI32.DLL. +; OpenThreadToken@16 OpenWaitableTimerA@12 OpenWaitableTimerW@12 OutputDebugStringA@4 @@ -1083,6 +1110,7 @@ ParseApplicationUserModelId@20 PeekConsoleInputA@16 PeekConsoleInputW@16 PeekNamedPipe@24 +PopIoRingCompletion@8 PostQueuedCompletionStatus@16 PowerClearRequest@8 PowerCreateRequest@4 @@ -1124,6 +1152,7 @@ QueryIdleProcessorCycleTime@8 QueryIdleProcessorCycleTimeEx@12 QueryInformationJobObject@20 QueryIoRateControlInformationJobObject@16 +QueryIoRingCapabilities@4 QueryMemoryResourceNotification@8 QueryPerformanceCounter@4 QueryPerformanceFrequency@4 @@ -1134,6 +1163,7 @@ QueryThreadCycleTime@8 QueryThreadProfiling@8 QueryThreadpoolStackInformation@8 QueryUnbiasedInterruptTime@4 +QueueUserAPC2@16 QueueUserAPC@12 QueueUserWorkItem@12 QueryWin31IniFilesMappedToRegistry@16 @@ -1171,7 +1201,6 @@ ReadFileScatter@20 ReadFileVlm@20 ReadProcessMemory@20 ReadThreadProfilingData@12 -ReclaimVirtualMemory@8 ; ; MSDN says these functions are exported ; from advapi32.dll. Commented out for @@ -1238,6 +1267,7 @@ ReleaseActCtx@4 ReleaseActCtxWorker@4 ReleaseMutex@4 ReleaseMutexWhenCallbackReturns@8 +ReleasePackageVirtualizationContext@4 ReleaseSRWLockExclusive@4 ReleaseSRWLockShared@4 ReleaseSemaphore@12 @@ -1264,7 +1294,6 @@ ResetWriteWatch@8 ResizePseudoConsole@8 ResolveDelayLoadedAPI@24 ResolveDelayLoadsFromDll@12 -ResolveLocaleName@12 RestoreLastError@4 ResumeThread@4 RtlCaptureContext@4 @@ -1368,6 +1397,7 @@ SetHandleCount@4 SetHandleInformation@12 SetInformationJobObject@16 SetIoRateControlInformationJobObject@8 +SetIoRingCompletionEvent@8 SetLastConsoleEventActive@0 SetLastError@4 SetLocalPrimaryComputerNameA@8 @@ -1383,7 +1413,10 @@ SetPriorityClass@8 SetProcessAffinityMask@8 SetProcessAffinityUpdateMode@8 SetProcessDEPPolicy@4 +SetProcessDefaultCpuSetMasks@12 SetProcessDefaultCpuSets@12 +SetProcessDynamicEHContinuationTargets@12 +SetProcessDynamicEnforcedCetCompatibleRanges@12 SetProcessInformation@16 SetProcessMitigationPolicy@12 SetProcessPreferredUILanguages@12 @@ -1416,9 +1449,11 @@ SetThreadLocale@4 SetThreadPreferredUILanguages@12 SetThreadPriority@8 SetThreadPriorityBoost@8 +SetThreadSelectedCpuSetMasks@12 SetThreadSelectedCpuSets@12 SetThreadStackGuarantee@4 -SetThreadToken@8 +; MSDN says this is exported from ADVAPI32.DLL. +; SetThreadToken@8 SetThreadUILanguage@4 SetThreadpoolStackInformation@8 SetThreadpoolThreadMaximum@8 @@ -1452,6 +1487,7 @@ SleepEx@8 SortCloseHandle@4 SortGetHandle@12 StartThreadpoolIo@4 +SubmitIoRing@16 SubmitThreadpoolWork@4 SuspendThread@4 SwitchToFiber@4 @@ -1498,6 +1534,7 @@ UnhandledExceptionFilter@4 UnlockFile@20 UnlockFileEx@20 UnmapViewOfFile@4 +UnmapViewOfFileEx@8 UnmapViewOfFileVlm@4 UnregisterApplicationRecoveryCallback@0 UnregisterApplicationRestart@0 @@ -1538,6 +1575,7 @@ VirtualUnlock@8 WTSGetActiveConsoleSessionId@0 WaitCommEvent@12 WaitForDebugEvent@8 +WaitForDebugEventEx@8 WaitForMultipleObjects@16 WaitForMultipleObjectsEx@20 WaitForSingleObject@8 @@ -1618,7 +1656,6 @@ WriteProfileSectionW@8 WriteProfileStringA@12 WriteProfileStringW@12 WriteTapemark@16 -WTSGetActiveConsoleSessionId@0 ZombifyActCtx@4 ZombifyActCtxWorker@4 _hread@12 diff --git a/lib/libc/mingw/lib32/ks.def b/lib/libc/mingw/lib32/ks.def new file mode 100644 index 0000000000..178ee978cb --- /dev/null +++ b/lib/libc/mingw/lib32/ks.def @@ -0,0 +1,254 @@ +; +; Definition file of ks.sys +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "ks.sys" +EXPORTS +; public: __thiscall CBaseUnknown::CBaseUnknown(struct _GUID const &,struct IUnknown *) +??0CBaseUnknown@@QAE@ABU_GUID@@PAUIUnknown@@@Z ; has WINAPI (@8) +; public: __thiscall CBaseUnknown::CBaseUnknown(struct IUnknown *) +??0CBaseUnknown@@QAE@PAUIUnknown@@@Z ; has WINAPI (@4) +; public: virtual __thiscall CBaseUnknown::~CBaseUnknown(void) +??1CBaseUnknown@@UAE@XZ +; public: void __thiscall CBaseUnknown::__dflt_ctor_closure(void) +??_FCBaseUnknown@@QAEXXZ +; public: virtual unsigned long __stdcall CBaseUnknown::IndirectedAddRef(void) +?IndirectedAddRef@CBaseUnknown@@UAGKXZ ; has WINAPI (@4) +; public: virtual long __stdcall CBaseUnknown::IndirectedQueryInterface(struct _GUID const &,void **) +?IndirectedQueryInterface@CBaseUnknown@@UAGJABU_GUID@@PAPAX@Z ; has WINAPI (@12) +; public: virtual unsigned long __stdcall CBaseUnknown::IndirectedRelease(void) +?IndirectedRelease@CBaseUnknown@@UAGKXZ ; has WINAPI (@4) +; public: virtual unsigned long __stdcall CBaseUnknown::NonDelegatedAddRef(void) +?NonDelegatedAddRef@CBaseUnknown@@UAGKXZ ; has WINAPI (@4) +; public: virtual long __stdcall CBaseUnknown::NonDelegatedQueryInterface(struct _GUID const &,void **) +?NonDelegatedQueryInterface@CBaseUnknown@@UAGJABU_GUID@@PAPAX@Z ; has WINAPI (@12) +; public: virtual unsigned long __stdcall CBaseUnknown::NonDelegatedRelease(void) +?NonDelegatedRelease@CBaseUnknown@@UAGKXZ ; has WINAPI (@4) +DllInitialize@4 +KoCreateInstance@20 +KoDeviceInitialize@4 +KoDriverInitialize@12 +KoRelease@4 +KsAcquireCachedMdl@24 +KsAcquireControl@4 +KsAcquireDevice@4 +KsAcquireDeviceSecurityLock@8 +KsAcquireResetValue@8 +KsAddDevice@8 +KsAddEvent@8 +KsAddIrpToCancelableQueue@20 +KsAddItemToObjectBag@12 +KsAddObjectCreateItemToDeviceHeader@20 +KsAddObjectCreateItemToObjectHeader@20 +KsAllocateDefaultClock@4 +KsAllocateDefaultClockEx@28 +KsAllocateDeviceHeader@12 +KsAllocateExtraData@12 +KsAllocateObjectBag@8 +KsAllocateObjectCreateItem@16 +KsAllocateObjectHeader@20 +KsCacheMedium@12 +KsCancelIo@8 +KsCancelRoutine@8 +KsCompletePendingRequest@4 +KsCopyObjectBagItems@8 +KsCreateAllocator@12 +KsCreateBusEnumObject@24 +KsCreateClock@12 +KsCreateDefaultAllocator@4 +KsCreateDefaultAllocatorEx@24 +KsCreateDefaultClock@8 +KsCreateDefaultSecurity@8 +KsCreateDevice@20 +KsCreateFilterFactory@32 +KsCreatePin@16 +KsCreateTopologyNode@16 +KsDecrementCountedWorker@4 +KsDefaultAddEventHandler@12 +KsDefaultDeviceIoCompletion@8 +KsDefaultDispatchPnp@8 +KsDefaultDispatchPower@8 +KsDefaultForwardIrp@8 +KsDereferenceBusObject@4 +KsDereferenceSoftwareBusObject@4 +KsDeviceGetBusData@20 +KsDeviceRegisterAdapterObject@16 +KsDeviceRegisterThermalDispatch@8 +KsDeviceSetBusData@20 +KsDisableEvent@16 +KsDiscardEvent@4 +KsDispatchFastIoDeviceControlFailure@36 +KsDispatchFastReadFailure@32 +KsDispatchInvalidDeviceRequest@8 +KsDispatchIrp@8 +KsDispatchQuerySecurity@8 +KsDispatchSetSecurity@8 +KsDispatchSpecificMethod@8 +KsDispatchSpecificProperty@8 +KsEnableEvent@24 +KsEnableEventWithAllocator@32 +KsFastMethodHandler@32 +KsFastPropertyHandler@32 +KsFilterAcquireProcessingMutex@4 +KsFilterAddTopologyConnections@12 +KsFilterAttemptProcessing@8 +KsFilterCreateNode@12 +KsFilterCreatePinFactory@12 +KsFilterFactoryAddCreateItem@16 +KsFilterFactoryGetSymbolicLink@4 +KsFilterFactorySetDeviceClassesState@8 +KsFilterFactoryUpdateCacheData@8 +KsFilterGetAndGate@4 +KsFilterGetChildPinCount@8 +KsFilterGetFirstChildPin@8 +KsFilterRegisterPowerCallbacks@12 +KsFilterReleaseProcessingMutex@4 +KsForwardAndCatchIrp@16 +KsForwardIrp@12 +KsFreeDefaultClock@4 +KsFreeDeviceHeader@4 +KsFreeEventList@16 +KsFreeObjectBag@4 +KsFreeObjectCreateItem@8 +KsFreeObjectCreateItemsByContext@8 +KsFreeObjectHeader@4 +KsGenerateDataEvent@12 +KsGenerateEvent@4 +KsGenerateEventList@20 +KsGenerateEvents@28 +KsGenerateThermalEvent@8 +KsGetBusEnumIdentifier@4 +KsGetBusEnumParentFDOFromChildPDO@8 +KsGetBusEnumPnpDeviceObject@8 +KsGetDefaultClockState@4 +KsGetDefaultClockTime@4 +KsGetDevice@4 +KsGetDeviceForDeviceObject@4 +KsGetFilterFromIrp@4 +KsGetFirstChild@4 +KsGetImageNameAndResourceId@16 +KsGetNextSibling@4 +KsGetNodeIdFromIrp@4 +KsGetObjectFromFileObject@4 +KsGetObjectTypeFromFileObject@4 +KsGetObjectTypeFromIrp@4 +KsGetOuterUnknown@4 +KsGetParent@4 +KsGetPinFromIrp@4 +KsHandleSizedListQuery@16 +KsIncrementCountedWorker@4 +KsInitializeDevice@16 +KsInitializeDeviceProfile@4 +KsInitializeDriver@12 +KsInstallBusEnumInterface@4 +KsIsBusEnumChildDevice@8 +KsIsCurrentProcessFrameServer@0 +KsLoadResource@24 +KsMapModuleName@20 +KsMergeAutomationTables@16 +KsMethodHandler@12 +KsMethodHandlerWithAllocator@20 +KsMoveIrpsOnCancelableQueue@28 +KsNullDriverUnload@4 +KsPersistDeviceProfile@4 +KsPinAcquireProcessingMutex@4 +KsPinAttachAndGate@8 +KsPinAttachOrGate@8 +KsPinAttemptProcessing@8 +KsPinDataIntersection@24 +KsPinGetAndGate@4 +KsPinGetAvailableByteCount@12 +KsPinGetConnectedFilterInterface@12 +KsPinGetConnectedPinDeviceObject@4 +KsPinGetConnectedPinFileObject@4 +KsPinGetConnectedPinInterface@12 +KsPinGetCopyRelationships@12 +KsPinGetFirstCloneStreamPointer@4 +KsPinGetLeadingEdgeStreamPointer@8 +KsPinGetNextSiblingPin@4 +KsPinGetParentFilter@4 +KsPinGetReferenceClockInterface@8 +KsPinGetTrailingEdgeStreamPointer@8 +KsPinPropertyHandler@20 +KsPinRegisterFrameReturnCallback@8 +KsPinRegisterHandshakeCallback@8 +KsPinRegisterIrpCompletionCallback@8 +KsPinRegisterPowerCallbacks@12 +KsPinReleaseProcessingMutex@4 +KsPinSetPinClockTime@12 +KsPinSubmitFrame@20 +KsPinSubmitFrameMdl@16 +KsProbeStreamIrp@12 +KsProcessPinUpdate@4 +KsPropertyHandler@12 +KsPropertyHandlerWithAllocator@20 +KsPublishDeviceProfile@8 +KsQueryDevicePnpObject@4 +KsQueryInformationFile@16 +KsQueryObjectAccessMask@4 +KsQueryObjectCreateItem@4 +KsQueueWorkItem@8 +KsReadFile@32 +KsRecalculateStackDepth@8 +KsReferenceBusObject@4 +KsReferenceSoftwareBusObject@4 +KsRegisterAggregatedClientUnknown@8 +KsRegisterCountedWorker@12 +KsRegisterFilterWithNoKSPins@24 +KsRegisterWorker@8 +KsReleaseCachedMdl@12 +KsReleaseControl@4 +KsReleaseDevice@4 +KsReleaseDeviceSecurityLock@4 +KsReleaseIrpOnCancelableQueue@8 +KsRemoveBusEnumInterface@4 +KsRemoveIrpFromCancelableQueue@16 +KsRemoveItemFromObjectBag@12 +KsRemoveSpecificIrpFromCancelableQueue@4 +KsServiceBusEnumCreateRequest@8 +KsServiceBusEnumPnpRequest@8 +KsSetDefaultClockState@8 +KsSetDefaultClockTime@12 +KsSetDevicePnpAndBaseObject@12 +KsSetInformationFile@16 +KsSetMajorFunctionHandler@8 +KsSetPowerDispatch@12 +KsSetTargetDeviceObject@8 +KsSetTargetState@8 +KsStreamIo@44 +KsStreamPointerAdvance@4 +KsStreamPointerAdvanceOffsets@16 +KsStreamPointerAdvanceOffsetsAndUnlock@16 +KsStreamPointerCancelTimeout@4 +KsStreamPointerClone@16 +KsStreamPointerDelete@4 +KsStreamPointerGetIrp@12 +KsStreamPointerGetMdl@4 +KsStreamPointerGetNextClone@4 +KsStreamPointerLock@4 +KsStreamPointerScheduleTimeout@16 +KsStreamPointerSetStatusCode@8 +KsStreamPointerUnlock@8 +KsSynchronousIoControlDevice@32 +KsTerminateDevice@4 +KsTopologyPropertyHandler@16 +KsUnregisterWorker@4 +KsUnserializeObjectPropertiesFromRegistry@12 +KsUpdateCameraStreamingConsent@8 +KsValidateAllocatorCreateRequest@8 +KsValidateAllocatorFramingEx@12 +KsValidateClockCreateRequest@8 +KsValidateConnectRequest@16 +KsValidateTopologyNodeCreateRequest@12 +KsWriteFile@32 +KsiDefaultClockAddMarkEvent@12 +KsiPropertyDefaultClockGetCorrelatedPhysicalTime@12 +KsiPropertyDefaultClockGetCorrelatedTime@12 +KsiPropertyDefaultClockGetFunctionTable@12 +KsiPropertyDefaultClockGetPhysicalTime@12 +KsiPropertyDefaultClockGetResolution@12 +KsiPropertyDefaultClockGetState@12 +KsiPropertyDefaultClockGetTime@12 +KsiQueryObjectCreateItemsPresent@4 +_KsEdit@20 diff --git a/lib/libc/mingw/lib32/ksecdd.def b/lib/libc/mingw/lib32/ksecdd.def new file mode 100644 index 0000000000..1ea0127d75 --- /dev/null +++ b/lib/libc/mingw/lib32/ksecdd.def @@ -0,0 +1,108 @@ +LIBRARY "ksecdd.sys" +EXPORTS +SystemPrng@8 +AcceptSecurityContext@36 +AcquireCredentialsHandleW@36 +AddCredentialsW@32 +ApplyControlToken@8 +BCryptCloseAlgorithmProvider@8 +BCryptCreateHash@28 +BCryptDecrypt@40 +BCryptDeriveKey@28 +BCryptDeriveKeyCapi@20 +BCryptDeriveKeyPBKDF2@40 +BCryptDestroyHash@4 +BCryptDestroyKey@4 +BCryptDestroySecret@4 +BCryptDuplicateHash@20 +BCryptDuplicateKey@20 +BCryptEncrypt@40 +BCryptEnumAlgorithms@16 +BCryptEnumProviders@16 +BCryptExportKey@28 +BCryptFinalizeKeyPair@8 +BCryptFinishHash@16 +BCryptFreeBuffer@4 +BCryptGenRandom@16 +BCryptGenerateKeyPair@16 +BCryptGenerateSymmetricKey@28 +BCryptGetFipsAlgorithmMode@4 +BCryptGetProperty@24 +BCryptHashData@16 +BCryptImportKey@36 +BCryptImportKeyPair@28 +BCryptKeyDerivation@24 +BCryptOpenAlgorithmProvider@16 +BCryptRegisterConfigChangeNotify@4 +BCryptResolveProviders@32 +BCryptSecretAgreement@16 +BCryptSetProperty@20 +BCryptSignHash@32 +BCryptUnregisterConfigChangeNotify@4 +BCryptVerifySignature@28 +CompleteAuthToken@8 +CredMarshalTargetInfo@12 +DeleteSecurityContext@4 +EnumerateSecurityPackagesW@8 +ExportSecurityContext@16 +FreeContextBuffer@4 +FreeCredentialsHandle@4 +GetSecurityUserInfo@12 +ImpersonateSecurityContext@4 +ImportSecurityContextW@16 +InitSecurityInterfaceW@0 +InitializeSecurityContextW@48 +KSecRegisterSecurityProvider@8 +KSecValidateBuffer@8 +LsaEnumerateLogonSessions@8 +LsaGetLogonSessionData@8 +MakeSignature@16 +MapSecurityError@4 +QueryContextAttributesW@12 +QueryCredentialsAttributesW@12 +QuerySecurityContextToken@8 +QuerySecurityPackageInfoW@8 +RevertSecurityContext@4 +SealMessage@16 +SecLookupAccountName@24 +SecLookupAccountSid@24 +SecLookupWellKnownSid@16 +SecMakeSPN@32 +SecMakeSPNEx@36 +SecMakeSPNEx2@40 +SecSetPagingMode@4 +SetCredentialsAttributesW@16 +SslDecryptPacket@40 +SslEncryptPacket@44 +SslExportKey@28 +SslFreeObject@8 +SslGetExtensions@24 +SslGetServerIdentity@20 +SslImportKey@24 +SslLookupCipherSuiteInfo@24 +SslOpenProvider@12 +SspiAcceptSecurityContextAsync@40 +SspiAcquireCredentialsHandleAsyncW@40 +SspiCompareAuthIdentities@16 +SspiCopyAuthIdentity@8 +SspiCreateAsyncContext@0 +SspiDeleteSecurityContextAsync@8 +SspiEncodeAuthIdentityAsStrings@16 +SspiEncodeStringsAsAuthIdentity@16 +SspiFreeAsyncContext@4 +SspiFreeAuthIdentity@4 +SspiFreeCredentialsHandleAsync@8 +SspiGetAsyncCallStatus@4 +SspiInitializeSecurityContextAsyncW@52 +SspiLocalFree@4 +SspiMarshalAuthIdentity@12 +SspiReinitAsyncContext@4 +SspiSetAsyncNotifyCallback@12 +SspiUnmarshalAuthIdentity@12 +SspiValidateAuthIdentity@4 +SspiZeroAuthIdentity@4 +TokenBindingGetHighestSupportedVersion@8 +TokenBindingGetKeyTypesServer@4 +TokenBindingVerifyMessage@24 +UnsealMessage@16 +VerifySignature@16 diff --git a/lib/libc/mingw/lib32/ksproxy.def b/lib/libc/mingw/lib32/ksproxy.def new file mode 100644 index 0000000000..b6cb4173ec --- /dev/null +++ b/lib/libc/mingw/lib32/ksproxy.def @@ -0,0 +1,8 @@ +LIBRARY ksproxy.ax +EXPORTS +KsGetMediaType@16 +KsGetMediaTypeCount@12 +KsGetMultiplePinFactoryItems@16 +KsOpenDefaultDevice@12 +KsResolveRequiredAttributes@8 +KsSynchronousDeviceControl@28 diff --git a/lib/libc/mingw/lib32/mcd.def b/lib/libc/mingw/lib32/mcd.def new file mode 100644 index 0000000000..f0f6b307a9 --- /dev/null +++ b/lib/libc/mingw/lib32/mcd.def @@ -0,0 +1,7 @@ +LIBRARY mcd.sys +EXPORTS +ChangerClassAllocatePool@8 +ChangerClassDebugPrint +ChangerClassFreePool@4 +ChangerClassInitialize@12 +ChangerClassSendSrbSynchronous@20 diff --git a/lib/libc/mingw/lib32/mfcuia32.def b/lib/libc/mingw/lib32/mfcuia32.def new file mode 100644 index 0000000000..fb954e367f --- /dev/null +++ b/lib/libc/mingw/lib32/mfcuia32.def @@ -0,0 +1,12 @@ +LIBRARY MFCUIA32.DLL +EXPORTS +OleUIAddVerbMenu@36 +OleUIBusy@4 +OleUICanConvertOrActivateAs@12 +OleUIChangeIcon@4 +OleUIConvert@4 +OleUIEditLinks@4 +OleUIInsertObject@4 +OleUIPasteSpecial@4 +OleUIPromptUser +OleUIUpdateLinks@16 diff --git a/lib/libc/mingw/lib32/mfplat.def b/lib/libc/mingw/lib32/mfplat.def index d08bc83933..70e2e36ee4 100644 --- a/lib/libc/mingw/lib32/mfplat.def +++ b/lib/libc/mingw/lib32/mfplat.def @@ -245,6 +245,5 @@ MFUnwrapMediaType@8 MFValidateMediaTypeSize@24 MFWrapMediaType@16 MFWrapSocket@28 -MFllMulDiv@32 PropVariantFromStream@8 PropVariantToStream@8 diff --git a/lib/libc/mingw/lib32/mfsensorgroup.def b/lib/libc/mingw/lib32/mfsensorgroup.def new file mode 100644 index 0000000000..ed873e5301 --- /dev/null +++ b/lib/libc/mingw/lib32/mfsensorgroup.def @@ -0,0 +1,43 @@ +; +; Definition file of MFSENSORGROUP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "MFSENSORGROUP.dll" +EXPORTS +MFCheckProcessCapabilities@16 +MFCleanupVirtualCameraEntries@0 +MFCloneSensorProfile@8 +MFCreatePackageFamilyNameTag@16 +MFCreatePassthroughTranslatedMediaType@12 +MFCreateRelativePanelWatcher@12 +MFCreateSensorActivityMonitor@8 +MFCreateSensorDeviceBlobByObject@20 +MFCreateSensorGroup@8 +MFCreateSensorGroupById@12 +MFCreateSensorGroupCollection@8 +MFCreateSensorGroupIdManager@4 +MFCreateSensorProfile@16 +MFCreateSensorProfileCollection@4 +MFCreateSensorProfileWithFlags@12 +MFCreateSensorStream@16 +MFCreateTranslatedMediaType@16 +MFCreateTranslatedMediaType2@20 +MFDeleteSensorGroupById@4 +MFGetDeviceFromFSUniqueId@20 +MFGetDeviceFromSGHash@20 +MFGetSGCH@24 +MFGetSensorDeviceProperty@24 +MFGetSensorDeviceRegistryProperty@24 +MFGetSensorGroupAttributesFromId@8 +MFGetSensorGroupPropertyName@16 +MFGetSensorOrientation@8 +MFInitializeSensorGroupStore@0 +MFIsSensorGroupName@8 +MFIsStreamAvailableToAppPackage@12 +MFLoadSensorGroupFromRegistry@8 +MFLoadSensorProfiles@8 +MFPublishSensorProfiles@8 +MFSensorProfileParseFilterSetString@16 +MFValidateSensorProfile@8 +MFWriteSensorGroupDataToRegistry@24 diff --git a/lib/libc/mingw/lib32/mmdevapi.def b/lib/libc/mingw/lib32/mmdevapi.def index a13425cb60..fb764aa8b7 100644 --- a/lib/libc/mingw/lib32/mmdevapi.def +++ b/lib/libc/mingw/lib32/mmdevapi.def @@ -1,3 +1,33 @@ LIBRARY "mmdevapi.dll" EXPORTS +AETraceOutputDebugString ActivateAudioInterfaceAsync@20 +CleanupDeviceAPI@0 +FlushDeviceTopologyCache@0 +GenerateMediaEvent@8 +GetCategoryPath@16 +GetClassFromEndpointId@4 +GetEndpointGuidFromEndpointId@8 +GetEndpointIdFromDeviceInterfaceId@8 +GetNeverSetAsDefaultProperty@16 +GetSessionIdFromEndpointId@4 +InitializeDeviceAPI@0 +MMDeviceCreateRegistryPropertyStore@12 +MMDeviceGetDeviceEnumerator@4 +MMDeviceGetEndpointManager@4 +MMDeviceGetPolicyConfig@4 +RegisterForMediaCallback@8 +UnregisterMediaCallback@4 +mmdDevFindMmDevProperty@12 +mmdDevGetDeviceIdFromPnpInterface@8 +mmdDevGetEndpointFormFactorFromMMDeviceId@8 +mmdDevGetInstanceIdFromInterfaceId@8 +mmdDevGetInstanceIdFromMMDeviceId@8 +mmdDevGetInterfaceClassGuid@8 +mmdDevGetInterfaceDataFlow@8 +mmdDevGetInterfaceIdFromMMDevice@8 +mmdDevGetInterfaceIdFromMMDeviceId@8 +mmdDevGetInterfacePropertyStore@12 +mmdDevGetMMDeviceFromInterfaceId@8 +mmdDevGetMMDeviceIdFromInterfaceId@8 +mmdDevGetRelatedInterfaceId@24 diff --git a/lib/libc/mingw/lib32/mpr.def b/lib/libc/mingw/lib32/mpr.def index f8dde41f7a..98394b3f53 100644 --- a/lib/libc/mingw/lib32/mpr.def +++ b/lib/libc/mingw/lib32/mpr.def @@ -7,6 +7,8 @@ WNetAddConnection2A@16 WNetAddConnection2W@16 WNetAddConnection3A@20 WNetAddConnection3W@20 +WNetAddConnection4A@28 +WNetAddConnection4W@28 WNetAddConnectionA@12 WNetAddConnectionW@12 WNetCancelConnection2A@12 @@ -70,3 +72,5 @@ WNetSetLastErrorW@12 WNetSupportGlobalEnum@4 WNetUseConnectionA@32 WNetUseConnectionW@32 +WNetUseConnection4A@40 +WNetUseConnection4W@40 diff --git a/lib/libc/mingw/lib32/mprapi.def b/lib/libc/mingw/lib32/mprapi.def index ff7d4311bd..77d05a4a1c 100644 --- a/lib/libc/mingw/lib32/mprapi.def +++ b/lib/libc/mingw/lib32/mprapi.def @@ -128,9 +128,7 @@ MprSetupIpInIpInterfaceFriendlyNameFree@4 RasAdminConnectionClearStats@8 RasAdminConnectionEnum@28 RasAdminConnectionGetInfo@16 -MprAdminConnectionRemoveQuarantine@12 RasAdminGetErrorString@12 -MprAdminGetPDCServer@12 RasAdminPortClearStats@8 RasAdminPortDisconnect@8 RasAdminPortEnum@32 diff --git a/lib/libc/mingw/lib32/mqrt.def b/lib/libc/mingw/lib32/mqrt.def new file mode 100644 index 0000000000..0456e22f4a --- /dev/null +++ b/lib/libc/mingw/lib32/mqrt.def @@ -0,0 +1,40 @@ +LIBRARY MQRT.DLL +EXPORTS +MQADsPathToFormatName@12 +MQBeginTransaction@4 +MQCloseCursor@4 +MQCloseQueue@4 +MQCreateCursor@8 +MQCreateInternalCert@4 +MQCreateQueue@16 +MQDeleteInternalCert@0 +MQDeleteQueue@4 +MQFreeMemory@4 +MQFreeSecurityContext@4 +MQGetInternalCert@4 +MQGetInternalCertificate@12 +MQGetMachineProperties@12 +MQGetOverlappedResult@4 +MQGetPrivateComputerInformation@8 +MQGetQueueProperties@8 +MQGetQueueSecurity@20 +MQGetSecurityContext@12 +MQGetSecurityContextEx@12 +MQGetUserCerts@12 +MQHandleToFormatName@12 +MQInstanceToFormatName@12 +MQLocateBegin@20 +MQLocateEnd@4 +MQLocateNext@12 +MQMgmtAction@12 +MQMgmtGetInfo@12 +MQOpenQueue@16 +MQPathNameToFormatName@12 +MQPurgeQueue@4 +MQReceiveMessage@32 +MQReceiveMessageByLookupId@32 +MQRegisterUserCert@4 +MQRemoveUserCert@4 +MQSendMessage@12 +MQSetQueueProperties@8 +MQSetQueueSecurity@12 diff --git a/lib/libc/mingw/lib32/msajapi.def b/lib/libc/mingw/lib32/msajapi.def new file mode 100644 index 0000000000..784cc772b3 --- /dev/null +++ b/lib/libc/mingw/lib32/msajapi.def @@ -0,0 +1,562 @@ +LIBRARY msajapi + +EXPORTS + +AllJoynAcceptBusConnection@8 +AllJoynCloseBusHandle@4 +AllJoynConnectToBus@4 +AllJoynCreateBus@12 +AllJoynEnumEvents@12 +AllJoynEventSelect@12 +AllJoynEventWrite@28 +AllJoynEventsRegister@0 +AllJoynEventsUnregister@0 +AllJoynGetConfigurationDWORD@8 +AllJoynReceiveFromBus@20 +AllJoynSendToBus@20 +AllJoynSetDebugLevel@8 +GetHResultFromQStatus@4 +QCC_StatusText@4 +RouterNodeCleanup@4 +RouterNodeInitialize@0 +RouterNodeIsIdle@8 +RouterNodeRun@16 +alljoyn_aboutdata_create@4 +alljoyn_aboutdata_create_empty@0 +alljoyn_aboutdata_create_full@8 +alljoyn_aboutdata_createfrommsgarg@12 +alljoyn_aboutdata_createfromxml@8 +alljoyn_aboutdata_destroy@4 +alljoyn_aboutdata_getaboutdata@12 +alljoyn_aboutdata_getajsoftwareversion@8 +alljoyn_aboutdata_getannouncedaboutdata@8 +alljoyn_aboutdata_getappid@12 +alljoyn_aboutdata_getappname@12 +alljoyn_aboutdata_getdateofmanufacture@8 +alljoyn_aboutdata_getdefaultlanguage@8 +alljoyn_aboutdata_getdescription@12 +alljoyn_aboutdata_getdeviceid@8 +alljoyn_aboutdata_getdevicename@12 +alljoyn_aboutdata_getfield@16 +alljoyn_aboutdata_getfields@12 +alljoyn_aboutdata_getfieldsignature@8 +alljoyn_aboutdata_gethardwareversion@8 +alljoyn_aboutdata_getmanufacturer@12 +alljoyn_aboutdata_getmodelnumber@8 +alljoyn_aboutdata_getsoftwareversion@8 +alljoyn_aboutdata_getsupportedlanguages@12 +alljoyn_aboutdata_getsupporturl@8 +alljoyn_aboutdata_isfieldannounced@8 +alljoyn_aboutdata_isfieldlocalized@8 +alljoyn_aboutdata_isfieldrequired@8 +alljoyn_aboutdata_isvalid@8 +alljoyn_aboutdata_setappid@12 +alljoyn_aboutdata_setappid_fromstring@8 +alljoyn_aboutdata_setappname@12 +alljoyn_aboutdata_setdateofmanufacture@8 +alljoyn_aboutdata_setdefaultlanguage@8 +alljoyn_aboutdata_setdescription@12 +alljoyn_aboutdata_setdeviceid@8 +alljoyn_aboutdata_setdevicename@12 +alljoyn_aboutdata_setfield@16 +alljoyn_aboutdata_sethardwareversion@8 +alljoyn_aboutdata_setmanufacturer@12 +alljoyn_aboutdata_setmodelnumber@8 +alljoyn_aboutdata_setsoftwareversion@8 +alljoyn_aboutdata_setsupportedlanguage@8 +alljoyn_aboutdata_setsupporturl@8 +alljoyn_aboutdatalistener_create@8 +alljoyn_aboutdatalistener_destroy@4 +alljoyn_abouticon_clear@4 +alljoyn_abouticon_create@0 +alljoyn_abouticon_destroy@4 +alljoyn_abouticon_getcontent@12 +alljoyn_abouticon_geturl@12 +alljoyn_abouticon_setcontent@20 +alljoyn_abouticon_setcontent_frommsgarg@8 +alljoyn_abouticon_seturl@12 +alljoyn_abouticonobj_create@8 +alljoyn_abouticonobj_destroy@4 +alljoyn_abouticonproxy_create@12 +alljoyn_abouticonproxy_destroy@4 +alljoyn_abouticonproxy_geticon@8 +alljoyn_abouticonproxy_getversion@8 +alljoyn_aboutlistener_create@8 +alljoyn_aboutlistener_destroy@4 +alljoyn_aboutobj_announce@12 +alljoyn_aboutobj_announce_using_datalistener@12 +alljoyn_aboutobj_create@8 +alljoyn_aboutobj_destroy@4 +alljoyn_aboutobj_unannounce@4 +alljoyn_aboutobjectdescription_clear@4 +alljoyn_aboutobjectdescription_create@0 +alljoyn_aboutobjectdescription_create_full@4 +alljoyn_aboutobjectdescription_createfrommsgarg@8 +alljoyn_aboutobjectdescription_destroy@4 +alljoyn_aboutobjectdescription_getinterfacepaths@16 +alljoyn_aboutobjectdescription_getinterfaces@16 +alljoyn_aboutobjectdescription_getmsgarg@8 +alljoyn_aboutobjectdescription_getpaths@12 +alljoyn_aboutobjectdescription_hasinterface@8 +alljoyn_aboutobjectdescription_hasinterfaceatpath@12 +alljoyn_aboutobjectdescription_haspath@8 +alljoyn_aboutproxy_create@12 +alljoyn_aboutproxy_destroy@4 +alljoyn_aboutproxy_getaboutdata@12 +alljoyn_aboutproxy_getobjectdescription@8 +alljoyn_aboutproxy_getversion@8 +alljoyn_applicationstatelistener_create@8 +alljoyn_applicationstatelistener_destroy@4 +alljoyn_authlistener_create@8 +alljoyn_authlistener_destroy@4 +alljoyn_authlistener_requestcredentialsresponse@16 +alljoyn_authlistener_setsharedsecret@12 +alljoyn_authlistener_verifycredentialsresponse@12 +alljoyn_authlistenerasync_create@8 +alljoyn_authlistenerasync_destroy@4 +alljoyn_autopinger_adddestination@12 +alljoyn_autopinger_addpinggroup@16 +alljoyn_autopinger_create@4 +alljoyn_autopinger_destroy@4 +alljoyn_autopinger_pause@4 +alljoyn_autopinger_removedestination@16 +alljoyn_autopinger_removepinggroup@8 +alljoyn_autopinger_resume@4 +alljoyn_autopinger_setpinginterval@12 +alljoyn_busattachment_addlogonentry@16 +alljoyn_busattachment_addmatch@8 +alljoyn_busattachment_advertisename@12 +alljoyn_busattachment_bindsessionport@16 +alljoyn_busattachment_canceladvertisename@12 +alljoyn_busattachment_cancelfindadvertisedname@8 +alljoyn_busattachment_cancelfindadvertisednamebytransport@12 +alljoyn_busattachment_cancelwhoimplements_interface@8 +alljoyn_busattachment_cancelwhoimplements_interfaces@12 +alljoyn_busattachment_clearkeys@8 +alljoyn_busattachment_clearkeystore@4 +alljoyn_busattachment_connect@8 +alljoyn_busattachment_create@8 +alljoyn_busattachment_create_concurrency@12 +alljoyn_busattachment_createinterface@12 +alljoyn_busattachment_createinterface_secure@16 +alljoyn_busattachment_createinterfacesfromxml@8 +alljoyn_busattachment_deletedefaultkeystore@4 +alljoyn_busattachment_deleteinterface@8 +alljoyn_busattachment_destroy@4 +alljoyn_busattachment_disconnect@8 +alljoyn_busattachment_enableconcurrentcallbacks@4 +alljoyn_busattachment_enablepeersecurity@20 +alljoyn_busattachment_enablepeersecuritywithpermissionconfigurationlistener@24 +alljoyn_busattachment_findadvertisedname@8 +alljoyn_busattachment_findadvertisednamebytransport@12 +alljoyn_busattachment_getalljoyndebugobj@4 +alljoyn_busattachment_getalljoynproxyobj@4 +alljoyn_busattachment_getconcurrency@4 +alljoyn_busattachment_getconnectspec@4 +alljoyn_busattachment_getdbusproxyobj@4 +alljoyn_busattachment_getglobalguidstring@4 +alljoyn_busattachment_getinterface@8 +alljoyn_busattachment_getinterfaces@12 +alljoyn_busattachment_getkeyexpiration@12 +alljoyn_busattachment_getpeerguid@16 +alljoyn_busattachment_getpermissionconfigurator@4 +alljoyn_busattachment_gettimestamp@0 +alljoyn_busattachment_getuniquename@4 +alljoyn_busattachment_isconnected@4 +alljoyn_busattachment_ispeersecurityenabled@4 +alljoyn_busattachment_isstarted@4 +alljoyn_busattachment_isstopping@4 +alljoyn_busattachment_join@4 +alljoyn_busattachment_joinsession@24 +alljoyn_busattachment_joinsessionasync@28 +alljoyn_busattachment_leavesession@8 +alljoyn_busattachment_namehasowner@12 +alljoyn_busattachment_ping@12 +alljoyn_busattachment_registeraboutlistener@8 +alljoyn_busattachment_registerapplicationstatelistener@8 +alljoyn_busattachment_registerbuslistener@8 +alljoyn_busattachment_registerbusobject@8 +alljoyn_busattachment_registerbusobject_secure@8 +alljoyn_busattachment_registerkeystorelistener@8 +alljoyn_busattachment_registersignalhandler@40 +alljoyn_busattachment_registersignalhandlerwithrule@40 +alljoyn_busattachment_releasename@8 +alljoyn_busattachment_reloadkeystore@4 +alljoyn_busattachment_removematch@8 +alljoyn_busattachment_removesessionmember@12 +alljoyn_busattachment_requestname@12 +alljoyn_busattachment_secureconnection@12 +alljoyn_busattachment_secureconnectionasync@12 +alljoyn_busattachment_setdaemondebug@12 +alljoyn_busattachment_setkeyexpiration@12 +alljoyn_busattachment_setlinktimeout@12 +alljoyn_busattachment_setlinktimeoutasync@20 +alljoyn_busattachment_setsessionlistener@12 +alljoyn_busattachment_start@4 +alljoyn_busattachment_stop@4 +alljoyn_busattachment_unbindsessionport@8 +alljoyn_busattachment_unregisteraboutlistener@8 +alljoyn_busattachment_unregisterallaboutlisteners@4 +alljoyn_busattachment_unregisterallhandlers@4 +alljoyn_busattachment_unregisterapplicationstatelistener@8 +alljoyn_busattachment_unregisterbuslistener@8 +alljoyn_busattachment_unregisterbusobject@8 +alljoyn_busattachment_unregistersignalhandler@40 +alljoyn_busattachment_unregistersignalhandlerwithrule@40 +alljoyn_busattachment_whoimplements_interface@8 +alljoyn_busattachment_whoimplements_interfaces@12 +alljoyn_buslistener_create@8 +alljoyn_buslistener_destroy@4 +alljoyn_busobject_addinterface@8 +alljoyn_busobject_addinterface_announced@8 +alljoyn_busobject_addmethodhandler@40 +alljoyn_busobject_addmethodhandlers@12 +alljoyn_busobject_cancelsessionlessmessage@8 +alljoyn_busobject_cancelsessionlessmessage_serial@8 +alljoyn_busobject_create@16 +alljoyn_busobject_destroy@4 +alljoyn_busobject_emitpropertieschanged@20 +alljoyn_busobject_emitpropertychanged@20 +alljoyn_busobject_getannouncedinterfacenames@12 +alljoyn_busobject_getbusattachment@4 +alljoyn_busobject_getname@12 +alljoyn_busobject_getpath@4 +alljoyn_busobject_issecure@4 +alljoyn_busobject_methodreply_args@16 +alljoyn_busobject_methodreply_err@16 +alljoyn_busobject_methodreply_status@12 +alljoyn_busobject_setannounceflag@12 +alljoyn_busobject_signal@60 +alljoyn_credentials_clear@4 +alljoyn_credentials_create@0 +alljoyn_credentials_destroy@4 +alljoyn_credentials_getcertchain@4 +alljoyn_credentials_getexpiration@4 +alljoyn_credentials_getlogonentry@4 +alljoyn_credentials_getpassword@4 +alljoyn_credentials_getprivateKey@4 +alljoyn_credentials_getusername@4 +alljoyn_credentials_isset@8 +alljoyn_credentials_setcertchain@8 +alljoyn_credentials_setexpiration@8 +alljoyn_credentials_setlogonentry@8 +alljoyn_credentials_setpassword@8 +alljoyn_credentials_setprivatekey@8 +alljoyn_credentials_setusername@8 +alljoyn_getbuildinfo@0 +alljoyn_getnumericversion@0 +alljoyn_getversion@0 +alljoyn_init@0 +alljoyn_interfacedescription_activate@4 +alljoyn_interfacedescription_addannotation@12 +alljoyn_interfacedescription_addargannotation@20 +alljoyn_interfacedescription_addmember@28 +alljoyn_interfacedescription_addmemberannotation@16 +alljoyn_interfacedescription_addmethod@28 +alljoyn_interfacedescription_addproperty@16 +alljoyn_interfacedescription_addpropertyannotation@16 +alljoyn_interfacedescription_addsignal@24 +alljoyn_interfacedescription_eql@8 +alljoyn_interfacedescription_getannotation@16 +alljoyn_interfacedescription_getannotationatindex@24 +alljoyn_interfacedescription_getannotationscount@4 +alljoyn_interfacedescription_getargdescriptionforlanguage@24 +alljoyn_interfacedescription_getdescriptionforlanguage@16 +alljoyn_interfacedescription_getdescriptionlanguages2@12 +alljoyn_interfacedescription_getdescriptionlanguages@12 +alljoyn_interfacedescription_getdescriptiontranslationcallback@4 +alljoyn_interfacedescription_getmember@12 +alljoyn_interfacedescription_getmemberannotation@20 +alljoyn_interfacedescription_getmemberargannotation@24 +alljoyn_interfacedescription_getmemberdescriptionforlanguage@20 +alljoyn_interfacedescription_getmembers@12 +alljoyn_interfacedescription_getmethod@12 +alljoyn_interfacedescription_getname@4 +alljoyn_interfacedescription_getproperties@12 +alljoyn_interfacedescription_getproperty@12 +alljoyn_interfacedescription_getpropertyannotation@20 +alljoyn_interfacedescription_getpropertydescriptionforlanguage@20 +alljoyn_interfacedescription_getsecuritypolicy@4 +alljoyn_interfacedescription_getsignal@12 +alljoyn_interfacedescription_hasdescription@4 +alljoyn_interfacedescription_hasmember@16 +alljoyn_interfacedescription_hasproperties@4 +alljoyn_interfacedescription_hasproperty@8 +alljoyn_interfacedescription_introspect@16 +alljoyn_interfacedescription_issecure@4 +alljoyn_interfacedescription_member_eql@56 +alljoyn_interfacedescription_member_getannotation@40 +alljoyn_interfacedescription_member_getannotationatindex@48 +alljoyn_interfacedescription_member_getannotationscount@28 +alljoyn_interfacedescription_member_getargannotation@44 +alljoyn_interfacedescription_member_getargannotationatindex@52 +alljoyn_interfacedescription_member_getargannotationscount@32 +alljoyn_interfacedescription_property_eql@32 +alljoyn_interfacedescription_property_getannotation@28 +alljoyn_interfacedescription_property_getannotationatindex@36 +alljoyn_interfacedescription_property_getannotationscount@16 +alljoyn_interfacedescription_setargdescription@16 +alljoyn_interfacedescription_setargdescriptionforlanguage@20 +alljoyn_interfacedescription_setdescription@8 +alljoyn_interfacedescription_setdescriptionforlanguage@12 +alljoyn_interfacedescription_setdescriptionlanguage@8 +alljoyn_interfacedescription_setdescriptiontranslationcallback@8 +alljoyn_interfacedescription_setmemberdescription@12 +alljoyn_interfacedescription_setmemberdescriptionforlanguage@16 +alljoyn_interfacedescription_setpropertydescription@12 +alljoyn_interfacedescription_setpropertydescriptionforlanguage@16 +alljoyn_keystorelistener_create@8 +alljoyn_keystorelistener_destroy@4 +alljoyn_keystorelistener_getkeys@16 +alljoyn_keystorelistener_putkeys@16 +alljoyn_keystorelistener_with_synchronization_create@8 +alljoyn_message_create@4 +alljoyn_message_description@12 +alljoyn_message_destroy@4 +alljoyn_message_eql@8 +alljoyn_message_getarg@8 +alljoyn_message_getargs@12 +alljoyn_message_getauthmechanism@4 +alljoyn_message_getcallserial@4 +alljoyn_message_getcompressiontoken@4 +alljoyn_message_getdestination@4 +alljoyn_message_geterrorname@12 +alljoyn_message_getflags@4 +alljoyn_message_getinterface@4 +alljoyn_message_getmembername@4 +alljoyn_message_getobjectpath@4 +alljoyn_message_getreceiveendpointname@4 +alljoyn_message_getreplyserial@4 +alljoyn_message_getsender@4 +alljoyn_message_getsessionid@4 +alljoyn_message_getsignature@4 +alljoyn_message_gettimestamp@4 +alljoyn_message_gettype@4 +alljoyn_message_isbroadcastsignal@4 +alljoyn_message_isencrypted@4 +alljoyn_message_isexpired@8 +alljoyn_message_isglobalbroadcast@4 +alljoyn_message_issessionless@4 +alljoyn_message_isunreliable@4 +alljoyn_message_parseargs +alljoyn_message_setendianess@4 +alljoyn_message_tostring@12 +alljoyn_msgarg_array_create@4 +alljoyn_msgarg_array_element@8 +alljoyn_msgarg_array_get +alljoyn_msgarg_array_set +alljoyn_msgarg_array_set_offset +alljoyn_msgarg_array_signature@16 +alljoyn_msgarg_array_tostring@20 +alljoyn_msgarg_clear@4 +alljoyn_msgarg_clone@8 +alljoyn_msgarg_copy@4 +alljoyn_msgarg_create@0 +alljoyn_msgarg_create_and_set +alljoyn_msgarg_destroy@4 +alljoyn_msgarg_equal@8 +alljoyn_msgarg_get +alljoyn_msgarg_get_array_element@12 +alljoyn_msgarg_get_array_elementsignature@8 +alljoyn_msgarg_get_array_numberofelements@4 +alljoyn_msgarg_get_bool@8 +alljoyn_msgarg_get_bool_array@12 +alljoyn_msgarg_get_double@8 +alljoyn_msgarg_get_double_array@12 +alljoyn_msgarg_get_int16@8 +alljoyn_msgarg_get_int16_array@12 +alljoyn_msgarg_get_int32@8 +alljoyn_msgarg_get_int32_array@12 +alljoyn_msgarg_get_int64@8 +alljoyn_msgarg_get_int64_array@12 +alljoyn_msgarg_get_objectpath@8 +alljoyn_msgarg_get_signature@8 +alljoyn_msgarg_get_string@8 +alljoyn_msgarg_get_uint16@8 +alljoyn_msgarg_get_uint16_array@12 +alljoyn_msgarg_get_uint32@8 +alljoyn_msgarg_get_uint32_array@12 +alljoyn_msgarg_get_uint64@8 +alljoyn_msgarg_get_uint64_array@12 +alljoyn_msgarg_get_uint8@8 +alljoyn_msgarg_get_uint8_array@12 +alljoyn_msgarg_get_variant@8 +alljoyn_msgarg_get_variant_array@16 +alljoyn_msgarg_getdictelement +alljoyn_msgarg_getkey@4 +alljoyn_msgarg_getmember@8 +alljoyn_msgarg_getnummembers@4 +alljoyn_msgarg_gettype@4 +alljoyn_msgarg_getvalue@4 +alljoyn_msgarg_hassignature@8 +alljoyn_msgarg_set +alljoyn_msgarg_set_and_stabilize +alljoyn_msgarg_set_bool@8 +alljoyn_msgarg_set_bool_array@12 +alljoyn_msgarg_set_double@12 +alljoyn_msgarg_set_double_array@12 +alljoyn_msgarg_set_int16@8 +alljoyn_msgarg_set_int16_array@12 +alljoyn_msgarg_set_int32@8 +alljoyn_msgarg_set_int32_array@12 +alljoyn_msgarg_set_int64@12 +alljoyn_msgarg_set_int64_array@12 +alljoyn_msgarg_set_objectpath@8 +alljoyn_msgarg_set_objectpath_array@12 +alljoyn_msgarg_set_signature@8 +alljoyn_msgarg_set_signature_array@12 +alljoyn_msgarg_set_string@8 +alljoyn_msgarg_set_string_array@12 +alljoyn_msgarg_set_uint16@8 +alljoyn_msgarg_set_uint16_array@12 +alljoyn_msgarg_set_uint32@8 +alljoyn_msgarg_set_uint32_array@12 +alljoyn_msgarg_set_uint64@12 +alljoyn_msgarg_set_uint64_array@12 +alljoyn_msgarg_set_uint8@8 +alljoyn_msgarg_set_uint8_array@12 +alljoyn_msgarg_setdictentry@12 +alljoyn_msgarg_setstruct@12 +alljoyn_msgarg_signature@12 +alljoyn_msgarg_stabilize@4 +alljoyn_msgarg_tostring@16 +alljoyn_observer_create@12 +alljoyn_observer_destroy@4 +alljoyn_observer_get@12 +alljoyn_observer_getfirst@4 +alljoyn_observer_getnext@8 +alljoyn_observer_registerlistener@12 +alljoyn_observer_unregisteralllisteners@4 +alljoyn_observer_unregisterlistener@8 +alljoyn_observerlistener_create@8 +alljoyn_observerlistener_destroy@4 +alljoyn_passwordmanager_setcredentials@8 +alljoyn_permissionconfigurationlistener_create@8 +alljoyn_permissionconfigurationlistener_destroy@4 +alljoyn_permissionconfigurator_certificatechain_destroy@4 +alljoyn_permissionconfigurator_certificateid_cleanup@4 +alljoyn_permissionconfigurator_certificateidarray_cleanup@4 +alljoyn_permissionconfigurator_claim@32 +alljoyn_permissionconfigurator_endmanagement@4 +alljoyn_permissionconfigurator_getapplicationstate@8 +alljoyn_permissionconfigurator_getclaimcapabilities@8 +alljoyn_permissionconfigurator_getclaimcapabilitiesadditionalinfo@8 +alljoyn_permissionconfigurator_getdefaultclaimcapabilities@0 +alljoyn_permissionconfigurator_getdefaultpolicy@8 +alljoyn_permissionconfigurator_getidentity@8 +alljoyn_permissionconfigurator_getidentitycertificateid@8 +alljoyn_permissionconfigurator_getmanifests@8 +alljoyn_permissionconfigurator_getmanifesttemplate@8 +alljoyn_permissionconfigurator_getmembershipsummaries@8 +alljoyn_permissionconfigurator_getpolicy@8 +alljoyn_permissionconfigurator_getpublickey@8 +alljoyn_permissionconfigurator_installmanifests@16 +alljoyn_permissionconfigurator_installmembership@8 +alljoyn_permissionconfigurator_manifestarray_cleanup@4 +alljoyn_permissionconfigurator_manifesttemplate_destroy@4 +alljoyn_permissionconfigurator_policy_destroy@4 +alljoyn_permissionconfigurator_publickey_destroy@4 +alljoyn_permissionconfigurator_removemembership@24 +alljoyn_permissionconfigurator_reset@4 +alljoyn_permissionconfigurator_resetpolicy@4 +alljoyn_permissionconfigurator_setapplicationstate@8 +alljoyn_permissionconfigurator_setclaimcapabilities@8 +alljoyn_permissionconfigurator_setclaimcapabilitiesadditionalinfo@8 +alljoyn_permissionconfigurator_setmanifestfromxml@8 +alljoyn_permissionconfigurator_setmanifesttemplatefromxml@8 +alljoyn_permissionconfigurator_startmanagement@4 +alljoyn_permissionconfigurator_updateidentity@16 +alljoyn_permissionconfigurator_updatepolicy@8 +alljoyn_pinglistener_create@8 +alljoyn_pinglistener_destroy@4 +alljoyn_proxybusobject_addchild@8 +alljoyn_proxybusobject_addinterface@8 +alljoyn_proxybusobject_addinterface_by_name@8 +alljoyn_proxybusobject_copy@4 +alljoyn_proxybusobject_create@16 +alljoyn_proxybusobject_create_secure@16 +alljoyn_proxybusobject_destroy@4 +alljoyn_proxybusobject_enablepropertycaching@4 +alljoyn_proxybusobject_getallproperties@12 +alljoyn_proxybusobject_getallpropertiesasync@20 +alljoyn_proxybusobject_getchild@8 +alljoyn_proxybusobject_getchildren@12 +alljoyn_proxybusobject_getinterface@8 +alljoyn_proxybusobject_getinterfaces@12 +alljoyn_proxybusobject_getpath@4 +alljoyn_proxybusobject_getproperty@16 +alljoyn_proxybusobject_getpropertyasync@24 +alljoyn_proxybusobject_getservicename@4 +alljoyn_proxybusobject_getsessionid@4 +alljoyn_proxybusobject_getuniquename@4 +alljoyn_proxybusobject_implementsinterface@8 +alljoyn_proxybusobject_introspectremoteobject@4 +alljoyn_proxybusobject_introspectremoteobjectasync@12 +alljoyn_proxybusobject_issecure@4 +alljoyn_proxybusobject_isvalid@4 +alljoyn_proxybusobject_methodcall@32 +alljoyn_proxybusobject_methodcall_member@52 +alljoyn_proxybusobject_methodcall_member_noreply@44 +alljoyn_proxybusobject_methodcall_noreply@24 +alljoyn_proxybusobject_methodcallasync@36 +alljoyn_proxybusobject_methodcallasync_member@56 +alljoyn_proxybusobject_parsexml@12 +alljoyn_proxybusobject_ref_create@4 +alljoyn_proxybusobject_ref_decref@4 +alljoyn_proxybusobject_ref_get@4 +alljoyn_proxybusobject_ref_incref@4 +alljoyn_proxybusobject_registerpropertieschangedlistener@24 +alljoyn_proxybusobject_removechild@8 +alljoyn_proxybusobject_secureconnection@8 +alljoyn_proxybusobject_secureconnectionasync@8 +alljoyn_proxybusobject_setproperty@16 +alljoyn_proxybusobject_setpropertyasync@28 +alljoyn_proxybusobject_unregisterpropertieschangedlistener@12 +alljoyn_routerinit@0 +alljoyn_routerinitwithconfig@4 +alljoyn_routershutdown@0 +alljoyn_securityapplicationproxy_claim@32 +alljoyn_securityapplicationproxy_computemanifestdigest@16 +alljoyn_securityapplicationproxy_create@12 +alljoyn_securityapplicationproxy_destroy@4 +alljoyn_securityapplicationproxy_digest_destroy@4 +alljoyn_securityapplicationproxy_eccpublickey_destroy@4 +alljoyn_securityapplicationproxy_endmanagement@4 +alljoyn_securityapplicationproxy_getapplicationstate@8 +alljoyn_securityapplicationproxy_getclaimcapabilities@8 +alljoyn_securityapplicationproxy_getclaimcapabilitiesadditionalinfo@8 +alljoyn_securityapplicationproxy_getdefaultpolicy@8 +alljoyn_securityapplicationproxy_geteccpublickey@8 +alljoyn_securityapplicationproxy_getmanifesttemplate@8 +alljoyn_securityapplicationproxy_getpermissionmanagementsessionport@0 +alljoyn_securityapplicationproxy_getpolicy@8 +alljoyn_securityapplicationproxy_installmembership@8 +alljoyn_securityapplicationproxy_manifest_destroy@4 +alljoyn_securityapplicationproxy_manifesttemplate_destroy@4 +alljoyn_securityapplicationproxy_policy_destroy@4 +alljoyn_securityapplicationproxy_reset@4 +alljoyn_securityapplicationproxy_resetpolicy@4 +alljoyn_securityapplicationproxy_setmanifestsignature@20 +alljoyn_securityapplicationproxy_signmanifest@16 +alljoyn_securityapplicationproxy_startmanagement@4 +alljoyn_securityapplicationproxy_updateidentity@16 +alljoyn_securityapplicationproxy_updatepolicy@8 +alljoyn_sessionlistener_create@8 +alljoyn_sessionlistener_destroy@4 +alljoyn_sessionopts_cmp@8 +alljoyn_sessionopts_create@16 +alljoyn_sessionopts_destroy@4 +alljoyn_sessionopts_get_multipoint@4 +alljoyn_sessionopts_get_proximity@4 +alljoyn_sessionopts_get_traffic@4 +alljoyn_sessionopts_get_transports@4 +alljoyn_sessionopts_iscompatible@8 +alljoyn_sessionopts_set_multipoint@8 +alljoyn_sessionopts_set_proximity@8 +alljoyn_sessionopts_set_traffic@8 +alljoyn_sessionopts_set_transports@8 +alljoyn_sessionportlistener_create@8 +alljoyn_sessionportlistener_destroy@4 +alljoyn_shutdown@0 +alljoyn_unity_deferred_callbacks_process@0 +alljoyn_unity_set_deferred_callback_mainthread_only@4 diff --git a/lib/libc/mingw/lib32/mscms.def b/lib/libc/mingw/lib32/mscms.def index a69544da7a..d8d30e8abd 100644 --- a/lib/libc/mingw/lib32/mscms.def +++ b/lib/libc/mingw/lib32/mscms.def @@ -10,17 +10,18 @@ AssociateColorProfileWithDeviceW@12 CheckBitmapBits@36 CheckColors@20 CloseColorProfile@4 +CloseDisplay@4 ColorCplGetDefaultProfileScope@16 ColorCplGetDefaultRenderingIntentScope@4 ColorCplGetProfileProperties@8 ColorCplHasSystemWideAssociationListChanged@12 ColorCplInitialize@0 -ColorCplLoadAssociationList@16 +ColorCplLoadAssociationList@20 ColorCplMergeAssociationLists@8 ColorCplOverwritePerUserAssociationList@8 ColorCplReleaseProfileProperties@4 ColorCplResetSystemWideAssociationListChangedWarning@8 -ColorCplSaveAssociationList@16 +ColorCplSaveAssociationList@20 ColorCplSetUsePerUserProfiles@12 ColorCplUninitialize@0 ConvertColorNameToIndex@16 @@ -31,10 +32,17 @@ CreateDeviceLinkProfile@28 CreateMultiProfileTransform@24 CreateProfileFromLogColorSpaceA@8 CreateProfileFromLogColorSpaceW@8 +DccwCreateDisplayProfileAssociationList@4 +DccwGetDisplayProfileAssociationList@12 +DccwGetGamutSize@8 +DccwReleaseDisplayProfileAssociationList@4 +DccwSetDisplayProfileAssociationList@12 DeleteColorTransform@4 DeviceRenameEvent@12 DisassociateColorProfileFromDeviceA@12 DisassociateColorProfileFromDeviceW@12 +; DllCanUnloadNow@0 +; DllGetClassObject@12 EnumColorProfilesA@20 EnumColorProfilesW@20 GenerateCopyFilePaths@36 @@ -59,11 +67,15 @@ InternalGetPS2CSAFromLCS@16 InternalGetPS2ColorRenderingDictionary@20 InternalGetPS2ColorSpaceArray@24 InternalGetPS2PreviewCRD@24 +InternalRefreshCalibration@8 InternalSetDeviceConfig@24 +InternalWcsAssociateColorProfileWithDevice@20 +InternalWcsDisassociateColorProfileWithDevice@16 IsColorProfileTagPresent@12 IsColorProfileValid@8 OpenColorProfileA@16 OpenColorProfileW@16 +OpenDisplay@16 RegisterCMMA@12 RegisterCMMW@12 SelectCMM@4 @@ -86,6 +98,7 @@ WcsCreateIccProfile@8 WcsDisassociateColorProfileFromDevice@12 WcsEnumColorProfiles@20 WcsEnumColorProfilesSize@12 +WcsGetCalibrationManagementState@4 WcsGetDefaultColorProfile@28 WcsGetDefaultColorProfileSize@24 WcsGetDefaultRenderingIntent@8 @@ -94,7 +107,33 @@ WcsGpCanInstallOrUninstallProfiles@4 WcsGpCanModifyDeviceAssociationList@12 WcsOpenColorProfileA@28 WcsOpenColorProfileW@28 +WcsSetCalibrationManagementState@4 WcsSetDefaultColorProfile@24 WcsSetDefaultRenderingIntent@8 WcsSetUsePerUserProfiles@12 WcsTranslateColors@40 +InternalGetPS2ColorRenderingDictionary2@24 +InternalGetPS2PreviewCRD2@32 +InternalGetPS2ColorSpaceArray2@28 +InternalSetDeviceGammaRamp@12 +InternalSetDeviceTemperature@16 +InternalGetAppliedGammaRamp@8 +InternalGetDeviceGammaCapability@4 +InternalGetAppliedGDIGammaRamp@8 +InternalSetDeviceGDIGammaRamp@12 +ColorAdapterGetSystemModifyWhitePointCaps@8 +ColorAdapterGetDisplayCurrentStateID@16 +ColorAdapterUpdateDisplayGamma@20 +ColorAdapterUpdateDeviceProfile@16 +ColorAdapterGetDisplayTransformData@20 +ColorAdapterGetDisplayTargetWhitePoint@24 +ColorAdapterGetDisplayProfile@24 +ColorAdapterGetCurrentProfileCalibration@24 +ColorAdapterRegisterOEMColorService@4 +ColorAdapterUnregisterOEMColorService@4 +ColorProfileAddDisplayAssociation@28 +ColorProfileRemoveDisplayAssociation@24 +ColorProfileSetDisplayDefaultAssociation@28 +ColorProfileGetDisplayList@24 +ColorProfileGetDisplayDefault@28 +ColorProfileGetDisplayUserScope@16 diff --git a/lib/libc/mingw/lib32/msctf.def b/lib/libc/mingw/lib32/msctf.def new file mode 100644 index 0000000000..bb6edb4996 --- /dev/null +++ b/lib/libc/mingw/lib32/msctf.def @@ -0,0 +1,89 @@ +; +; Definition file of MSCTF.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "MSCTF.dll" +EXPORTS +TF_GetLangDescriptionFromHKL@12 +TF_GetLangIcon@12 +TF_GetLangIconFromHKL@4 +TF_RunInputCPL@0 +CtfImeAssociateFocus@12 +CtfImeConfigure@16 +CtfImeConversionList@20 +CtfImeCreateInputContext@4 +CtfImeCreateThreadMgr@8 +CtfImeDestroy@4 +CtfImeDestroyInputContext@4 +CtfImeDestroyThreadMgr@0 +CtfImeDispatchDefImeMessage@16 +CtfImeEnumRegisterWord@20 +CtfImeEscape@12 +CtfImeEscapeEx@16 +CtfImeGetGuidAtom@12 +CtfImeGetRegisterWordStyle@8 +CtfImeInquire@12 +CtfImeInquireExW@16 +CtfImeIsGuidMapEnable@4 +CtfImeIsIME@4 +CtfImeProcessCicHotkey@12 +CtfImeProcessKey@16 +CtfImeRegisterWord@12 +CtfImeSelect@8 +CtfImeSelectEx@12 +CtfImeSetActiveContext@8 +CtfImeSetCompositionString@24 +CtfImeSetFocus@8 +CtfImeToAsciiEx@24 +CtfImeUnregisterWord@12 +CtfNotifyIME@16 +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +SetInputScope@8 +SetInputScopeXML@8 +SetInputScopes2@24 +SetInputScopes@28 +TF_AttachThreadInput@8 +TF_CUASAppFix@4 +TF_CanUninitialize@0 +TF_CheckThreadInputIdle@8 +TF_CleanUpPrivateMessages@4 +TF_ClearLangBarAddIns@4 +TF_CreateCategoryMgr@4 +TF_CreateCicLoadMutex@4 +TF_CreateCicLoadWinStaMutex@0 +TF_CreateDisplayAttributeMgr@4 +TF_CreateInputProcessorProfiles@4 +TF_CreateLangBarItemMgr@4 +TF_CreateLangBarMgr@4 +TF_CreateThreadMgr@4 +TF_DllDetachInOther@0 +TF_GetAppCompatFlags@0 +TF_GetCompatibleKeyboardLayout@4 +TF_GetGlobalCompartment@4 +TF_GetInitSystemFlags@0 +TF_GetInputScope@8 +TF_GetShowFloatingStatus@4 +TF_GetThreadFlags@16 +TF_GetThreadMgr@4 +TF_InitSystem@4 +TF_InvalidAssemblyListCache@0 +TF_InvalidAssemblyListCacheIfExist@0 +TF_IsCtfmonRunning@0 +TF_IsFullScreenWindowActivated@0 +TF_IsThreadWithFlags@4 +TF_MapCompatibleHKL@12 +TF_MapCompatibleKeyboardTip@12 +TF_Notify@12 +TF_PostAllThreadMsg@8 +TF_RegisterLangBarAddIn@12 +TF_SendLangBandMsg@8 +TF_SetDefaultRemoteKeyboardLayout@8 +TF_SetShowFloatingStatus@8 +TF_SetThreadFlags@8 +TF_UninitSystem@0 +TF_UnregisterLangBarAddIn@8 +TF_WaitForInitialized@4 diff --git a/lib/libc/mingw/lib32/mshtml.def b/lib/libc/mingw/lib32/mshtml.def new file mode 100644 index 0000000000..b8cb349b29 --- /dev/null +++ b/lib/libc/mingw/lib32/mshtml.def @@ -0,0 +1,27 @@ +; +; Definition file of MSHTML.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "MSHTML.dll" +EXPORTS +ord_100@4 @100 +ord_101@4 @101 +ord_102@4 @102 +ord_103@8 @103 +ord_104@4 @104 +ClearPhishingFilterData@0 +ConvertAndEscapePostData@12 +CreateHTMLPropertyPage@8 +DllCanUnloadNow@0 +DllEnumClassObjects@12 +DllGetClassObject@12 +IEIsXMLNSRegistered@8 +IERegisterXMLNS@24 +MatchExactGetIDsOfNames@28 +PrintHTML@16 +RunHTMLApplication@16 +ShowHTMLDialog@20 +ShowHTMLDialogEx@24 +ShowModalDialog@20 +ShowModelessHTMLDialog@20 diff --git a/lib/libc/mingw/lib32/mshtmled.def b/lib/libc/mingw/lib32/mshtmled.def new file mode 100644 index 0000000000..9d8124eac6 --- /dev/null +++ b/lib/libc/mingw/lib32/mshtmled.def @@ -0,0 +1,12 @@ +; +; Definition file of mshtmled.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "mshtmled.dll" +EXPORTS +DllCanUnloadNow@0 +DllEnumClassObjects@12 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 diff --git a/lib/libc/mingw/lib32/msoledbsql.def b/lib/libc/mingw/lib32/msoledbsql.def new file mode 100644 index 0000000000..fbea877100 --- /dev/null +++ b/lib/libc/mingw/lib32/msoledbsql.def @@ -0,0 +1,13 @@ +; +; Definition file of msoledbsql.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "msoledbsql.dll" +EXPORTS +DllCanUnloadNow@0 +DllGetClassObject@12 +DllMain@12 +DllRegisterServer@0 +DllUnregisterServer@0 +OpenSqlFilestream@24 diff --git a/lib/libc/mingw/lib32/msvcp60.def b/lib/libc/mingw/lib32/msvcp60.def new file mode 100644 index 0000000000..f6a5dc93f3 --- /dev/null +++ b/lib/libc/mingw/lib32/msvcp60.def @@ -0,0 +1,71 @@ +;Submitted by: Danny Smith +;Only the C functions are listed. Most of these have been commented out since +;I don't know what they are and can't test them. Some look like data exports +;for C++ math functions (E.G.: _Xbig). +LIBRARY MSVCP60.DLL +EXPORTS +;_Cosh +;_Denorm +;_Dnorm +;_Dscale +;_Dtest +;_Eps +;_Exp +;_FCosh +;_FDenorm +;_FDnorm +;_FDscale +;_FDtest +;_FEps +;_FExp +;_FInf +;_FNan +;_FRteps +;_FSinh +;_FSnan +;_FXbig +;_Getcoll +;_Getctype +;_Getcvt +;_Hugeval +;_Inf +;_LCosh +;_LDenorm +;_LDscale +;_LDtest +;_LEps +;_LExp +;_LInf +;_LNan +;_LPoly +;_LRteps +;_LSinh +;_LSnan +;_LXbig +;_Mbrtowc +;_Nan +;_Poly +;_Rteps +;_Sinh +;_Snan +;_Stod +;_Stof +;_Stold +;_Strcoll +;_Strxfrm +;_Tolower +;_Toupper +;_Wcrtomb +;__Wcrtomb_lk +;_Xbig + +btowc +mbrlen +mbrtowc +mbsrtowcs +towctrans +wcrtomb +wcsrtombs +wctob +wctrans +wctype \ No newline at end of file diff --git a/lib/libc/mingw/lib32/nddeapi.def b/lib/libc/mingw/lib32/nddeapi.def new file mode 100644 index 0000000000..4016baf533 --- /dev/null +++ b/lib/libc/mingw/lib32/nddeapi.def @@ -0,0 +1,30 @@ +LIBRARY NDDEAPI.DLL +EXPORTS +NDdeGetErrorStringA@12 +NDdeGetErrorStringW@12 +NDdeGetShareSecurityA@24 +NDdeGetShareSecurityW@24 +NDdeGetTrustedShareA@20 +NDdeGetTrustedShareW@20 +NDdeIsValidAppTopicListA@4 +NDdeIsValidAppTopicListW@4 +NDdeIsValidShareNameA@4 +NDdeIsValidShareNameW@4 +NDdeSetShareSecurityA@16 +NDdeSetShareSecurityW@16 +NDdeSetTrustedShareA@12 +NDdeSetTrustedShareW@12 +NDdeShareAddA@20 +NDdeShareAddW@20 +NDdeShareDelA@12 +NDdeShareDelW@12 +NDdeShareEnumA@24 +NDdeShareEnumW@24 +NDdeShareGetInfoA@28 +NDdeShareGetInfoW@28 +NDdeShareSetInfoA@24 +NDdeShareSetInfoW@24 +NDdeSpecialCommandA@24 +NDdeSpecialCommandW@24 +NDdeTrustedShareEnumA@24 +NDdeTrustedShareEnumW@24 diff --git a/lib/libc/mingw/lib32/ndis.def b/lib/libc/mingw/lib32/ndis.def new file mode 100644 index 0000000000..ef0eb859a7 --- /dev/null +++ b/lib/libc/mingw/lib32/ndis.def @@ -0,0 +1,578 @@ +; +; Definition file of NDIS.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "NDIS.SYS" +EXPORTS +;ArcFilterDprIndicateReceive +;ArcFilterDprIndicateReceiveComplete +;EthFilterDprIndicateReceive +;EthFilterDprIndicateReceiveComplete +;FddiFilterDprIndicateReceive +;FddiFilterDprIndicateReceiveComplete +EthFilterDprIndicateReceive@32 +EthFilterDprIndicateReceiveComplete@4 +NDIS_BUFFER_TO_SPAN_PAGES@4 +NdisAcquireRWLockRead@12 +NdisAcquireRWLockWrite@12 +NdisAcquireReadWriteLock@12 +NdisAcquireSpinLock@4 +NdisActiveGroupCount@0 +NdisAdjustBufferLength@8 +NdisAdjustNetBufferCurrentMdl@4 +NdisAdvanceNetBufferDataStart@16 +NdisAdvanceNetBufferListDataStart@16 +NdisAllocateBuffer@20 +NdisAllocateBufferPool@12 +NdisAllocateCloneNetBufferList@16 +NdisAllocateCloneOidRequest@16 +NdisAllocateFragmentNetBufferList@32 +NdisAllocateGenericObject@12 +NdisAllocateIoWorkItem@4 +NdisAllocateMdl@12 +NdisAllocateMemory@20 +NdisAllocateMemoryWithTag@12 +NdisAllocateMemoryWithTagPriority@16 +NdisAllocateNetBuffer@16 +NdisAllocateNetBufferAndNetBufferList@24 +NdisAllocateNetBufferList@12 +NdisAllocateNetBufferListContext@16 +NdisAllocateNetBufferListPool@8 +NdisAllocateNetBufferMdlAndData@4 +NdisAllocateNetBufferPool@8 +NdisAllocatePacket@12 +NdisAllocatePacketPool@16 +NdisAllocatePacketPoolEx@20 +NdisAllocateRWLock@4 +NdisAllocateReassembledNetBufferList@24 +NdisAllocateRefCount@8 +NdisAllocateSharedMemory@12 +NdisAllocateSpinLock@4 +NdisAllocateTimerObject@12 +NdisAnsiStringToUnicodeString@8 +NdisBufferLength@4 +NdisBufferVirtualAddress@4 +NdisBuildScatterGatherList@8 +NdisCancelDirectOidRequest@8 +NdisCancelOidRequest@8 +NdisCancelSendNetBufferLists@8 +NdisCancelSendPackets@8 +NdisCancelTimer@8 +NdisCancelTimerObject@4 +NdisClAddParty@16 +NdisClCloseAddressFamily@4 +NdisClCloseCall@16 +NdisClDeregisterSap@4 +NdisClDropParty@12 +NdisClGetProtocolVcContextFromTapiCallId@12 +NdisClIncomingCallComplete@12 +NdisClMakeCall@16 +NdisClModifyCallQoS@8 +NdisClNotifyCloseAddressFamilyComplete@8 +NdisClOpenAddressFamily@24 +NdisClOpenAddressFamilyEx@16 +NdisClRegisterSap@16 +NdisCloseAdapter@8 +NdisCloseAdapterEx@4 +NdisCloseConfiguration@4 +NdisCloseFile@4 +NdisCloseNDKAdapter@8 +NdisCmActivateVc@8 +NdisCmAddPartyComplete@16 +NdisCmCloseAddressFamilyComplete@8 +NdisCmCloseCallComplete@12 +NdisCmDeactivateVc@4 +NdisCmDeregisterSapComplete@8 +NdisCmDispatchCallConnected@4 +NdisCmDispatchIncomingCall@12 +NdisCmDispatchIncomingCallQoSChange@8 +NdisCmDispatchIncomingCloseCall@16 +NdisCmDispatchIncomingDropParty@16 +NdisCmDropPartyComplete@8 +NdisCmMakeCallComplete@20 +NdisCmModifyCallQoSComplete@12 +NdisCmNotifyCloseAddressFamily@4 +NdisCmOpenAddressFamilyComplete@12 +NdisCmRegisterAddressFamily@16 +NdisCmRegisterAddressFamilyEx@8 +NdisCmRegisterSapComplete@12 +NdisCoAssignInstanceName@12 +NdisCoCreateVc@16 +NdisCoDeleteVc@4 +NdisCoGetTapiCallId@8 +NdisCoOidRequest@20 +NdisCoOidRequestComplete@20 +NdisCoRequest@20 +NdisCoRequestComplete@20 +NdisCoSendNetBufferLists@12 +NdisCoSendPackets@12 +NdisCompareAnsiString@12 +NdisCompareUnicodeString@12 +NdisCompleteBindAdapter@12 +NdisCompleteBindAdapterEx@8 +NdisCompleteDmaTransfer@24 +NdisCompleteNetPnPEvent@12 +NdisCompletePnPEvent@12 +NdisCompleteUnbindAdapter@8 +NdisCompleteUnbindAdapterEx@4 +NdisConvertNdisStatusToNtStatus@4 +NdisConvertNtStatusToNdisStatus@4 +NdisCopyBuffer@24 +NdisCopyFromNetBufferToNetBuffer@24 +NdisCopyFromPacketToPacket@24 +NdisCopyFromPacketToPacketSafe@28 +NdisCopyReceiveNetBufferListInfo@8 +NdisCopySendNetBufferListInfo@8 +NdisCurrentGroupAndProcessor@0 +NdisCurrentProcessorIndex@0 +NdisDereferenceWithTag@8 +NdisDeregisterDeviceEx@4 +NdisDeregisterProtocol@8 +NdisDeregisterProtocolDriver@4 +NdisDeregisterTdiCallBack@0 +NdisDirectOidRequest@8 +NdisDllInitialize@0 +NdisDprAcquireReadWriteLock@12 +NdisDprAcquireSpinLock@4 +NdisDprAllocatePacket@12 +NdisDprAllocatePacketNonInterlocked@12 +NdisDprFreePacket@4 +NdisDprFreePacketNonInterlocked@4 +;NdisDprReleaseSpinLock +;NdisEqualString DATA +NdisDprReleaseReadWriteLock@8 +NdisDprReleaseSpinLock@4 +NdisEnumerateFilterModules@20 +NdisEqualString@12 +NdisFCancelDirectOidRequest@8 +NdisFCancelOidRequest@8 +NdisFCancelSendNetBufferLists@8 +NdisFDeregisterFilterDriver@4 +NdisFDevicePnPEventNotify@8 +NdisFDirectOidRequest@8 +NdisFDirectOidRequestComplete@12 +NdisFGetOptionalSwitchHandlers@12 +NdisFIndicateReceiveNetBufferLists@20 +NdisFIndicateStatus@8 +NdisFNetPnPEvent@8 +NdisFOidRequest@8 +NdisFOidRequestComplete@12 +NdisFPauseComplete@4 +NdisFRegisterFilterDriver@16 +NdisFRestartComplete@8 +NdisFRestartFilter@4 +NdisFRetryAttach@8 +NdisFReturnNetBufferLists@12 +NdisFSendNetBufferLists@16 +NdisFSendNetBufferListsComplete@12 +NdisFSetAttributes@12 +NdisFSynchronousOidRequest@8 +NdisFreeBuffer@4 +NdisFreeBufferPool@4 +NdisFreeCloneNetBufferList@8 +NdisFreeCloneOidRequest@8 +NdisFreeFragmentNetBufferList@12 +NdisFreeGenericObject@4 +NdisFreeIoWorkItem@4 +NdisFreeMdl@4 +NdisFreeMemory@12 +NdisFreeMemoryWithTag@8 +NdisFreeMemoryWithTagPriority@12 +NdisFreeNetBuffer@4 +NdisFreeNetBufferList@4 +NdisFreeNetBufferListContext@8 +NdisFreeNetBufferListPool@4 +NdisFreeNetBufferPool@4 +NdisFreePacket@4 +NdisFreePacketPool@4 +;NdisFreeToBlockPool +NdisFreeRWLock@4 +NdisFreeReassembledNetBufferList@12 +NdisFreeRefCount@4 +NdisFreeScatterGatherList@12 +NdisFreeSharedMemory@8 +NdisFreeSpinLock@4 +NdisFreeTimerObject@4 +NdisGeneratePartialCancelId@0 +NdisGetAndReferenceCompartmentJobObject@12 +NdisGetBufferPhysicalArraySize@8 +NdisGetCurrentProcessorCounts@12 +NdisGetCurrentProcessorCpuUsage@4 +NdisGetCurrentSystemTime@4 +NdisGetDataBuffer@20 +NdisGetDeviceReservedExtension@4 +NdisGetDriverHandle@8 +NdisGetFirstBufferFromPacket@20 +NdisGetFirstBufferFromPacketSafe@24 +NdisGetHypervisorInfo@4 +NdisGetJobObjectCompartmentId@4 +NdisGetNetBufferListProtocolId@4 +NdisGetPacketCancelId@4 +NdisGetPacketFromNetBufferList@8 +NdisGetPoolFromNetBuffer@4 +NdisGetPoolFromNetBufferList@4 +NdisGetPoolFromPacket@4 +NdisGetProcessObjectCompartmentId@4 +NdisGetProcessorInformation@4 +NdisGetProcessorInformationEx@12 +NdisGetReceivedPacket@8 +NdisGetRefCount@4 +NdisGetRoutineAddress@4 +NdisGetRssProcessorInformation@12 +NdisGetSessionCompartmentId@4 +NdisGetSessionToCompartmentMappingEpochAndZero@0 +NdisGetSharedDataAlignment@0 +NdisGetSystemUpTime@4 +NdisGetSystemUpTimeEx@4 +NdisGetThreadObjectCompartmentId@4 +NdisGetThreadObjectCompartmentScope@12 +NdisGetVersion@0 +NdisGroupActiveProcessorCount@4 +NdisGroupActiveProcessorMask@4 +NdisGroupMaxProcessorCount@4 +NdisIMAssociateMiniport@8 +NdisIMCancelInitializeDeviceInstance@8 +NdisIMCopySendCompletePerPacketInfo@8 +NdisIMCopySendPerPacketInfo@8 +NdisIMDeInitializeDeviceInstance@4 +NdisIMDeregisterLayeredMiniport@4 +NdisIMGetBindingContext@4 +NdisIMGetCurrentPacketStack@8 +NdisIMGetDeviceContext@4 +NdisIMInitializeDeviceInstance@8 +NdisIMInitializeDeviceInstanceEx@12 +NdisIMNotifyPnPEvent@8 +NdisIMQueueMiniportCallback@12 +NdisIMRegisterLayeredMiniport@16 +NdisIMRevertBack@8 +NdisIMSwitchToMiniport@8 +NdisIMVBusDeviceAdd@8 +NdisIMVBusDeviceRemove@8 +NdisIfAddIfStackEntry@8 +NdisIfAllocateNetLuidIndex@8 +NdisIfAllocateNetLuidIndexEx@12 +NdisIfDeleteIfStackEntry@8 +NdisIfDeregisterInterface@4 +NdisIfDeregisterProvider@4 +NdisIfFreeNetLuidIndex@8 +NdisIfGetInterfaceIndexFromNetLuid@12 +NdisIfGetNetLuidFromInterfaceIndex@8 +NdisIfQueryBindingIfIndex@20 +NdisIfRegisterInterface@24 +NdisIfRegisterProvider@12 +NdisImmediateReadPciSlotInformation@20 +NdisImmediateReadPortUchar@12 +NdisImmediateReadPortUlong@12 +NdisImmediateReadPortUshort@12 +NdisImmediateReadSharedMemory@16 +NdisImmediateWritePciSlotInformation@20 +NdisImmediateWritePortUchar@12 +NdisImmediateWritePortUlong@12 +NdisImmediateWritePortUshort@12 +NdisImmediateWriteSharedMemory@16 +NdisInitAnsiString@8 +NdisInitUnicodeString@8 +NdisInitializeEvent@4 +NdisInitializeReadWriteLock@4 +NdisInitializeString@8 +NdisInitializeTimer@12 +NdisInitializeWrapper@16 +NdisInitiateOffload@8 +NdisInterlockedAddLargeInterger@16 +NdisInterlockedAddUlong@12 +NdisInterlockedDecrement@4 +NdisInterlockedIncrement@4 +NdisInterlockedInsertHeadList@12 +NdisInterlockedInsertTailList@12 +NdisInterlockedPopEntryList@8 +NdisInterlockedPushEntryList@12 +NdisInterlockedRemoveHeadList@8 +NdisInvalidateOffload@8 +NdisIsStatusIndicationCloneable@4 +NdisLWMDeregisterMiniportDriver@4 +NdisLWMInitializeNetworkInterface@16 +NdisLWMRegisterMiniportDriver@12 +NdisLWMStartNetworkInterface@4 +NdisLWMUninitializeNetworkInterface@4 +NdisMAllocateMapRegisters@20 +NdisMAllocateNetBufferSGList@24 +NdisMAllocatePort@8 +NdisMAllocateSharedMemory@20 +NdisMAllocateSharedMemoryAsync@16 +NdisMAllocateSharedMemoryAsyncEx@16 +NdisMCancelTimer@8 +NdisMCloseLog@4 +NdisMCmActivateVc@8 +NdisMCmCreateVc@16 +NdisMCmDeactivateVc@4 +NdisMCmDeleteVc@4 +NdisMCmOidRequest@16 +NdisMCmRegisterAddressFamily@16 +NdisMCmRegisterAddressFamilyEx@8 +NdisMCmRequest@16 +NdisMCoActivateVcComplete@12 +NdisMCoDeactivateVcComplete@8 +NdisMCoIndicateReceiveNetBufferLists@16 +NdisMCoIndicateReceivePacket@12 +NdisMCoIndicateStatus@20 +NdisMCoIndicateStatusEx@12 +NdisMCoOidRequestComplete@16 +NdisMCoReceiveComplete@4 +NdisMCoRequestComplete@12 +NdisMCoSendComplete@12 +NdisMCoSendNetBufferListsComplete@12 +NdisMCompleteBufferPhysicalMapping@12 +NdisMConfigMSIXTableEntry@8 +NdisMCreateLog@12 +NdisMDeregisterAdapterShutdownHandler@4 +NdisMDeregisterDevice@4 +NdisMDeregisterDmaChannel@4 +NdisMDeregisterInterrupt@4 +NdisMDeregisterInterruptEx@4 +NdisMDeregisterIoPortRange@16 +NdisMDeregisterMiniportDriver@4 +NdisMDeregisterScatterGatherDma@4 +NdisMDeregisterWdiMiniportDriver@4 +NdisMDirectOidRequestComplete@12 +NdisMEnableVirtualization@20 +NdisMFlushLog@4 +NdisMFreeMapRegisters@4 +NdisMFreeNetBufferSGList@12 +NdisMFreePort@8 +NdisMFreeSharedMemory@24 +NdisMGetBusData@20 +NdisMGetDeviceProperty@24 +NdisMGetDmaAlignment@4 +NdisMGetMiniportInitAttributes@8 +NdisMGetOffloadHandlers@12 +NdisMGetVirtualDeviceLocation@24 +NdisMGetVirtualFunctionBusData@20 +NdisMGetVirtualFunctionLocation@20 +NdisMIdleNotificationComplete@4 +NdisMIdleNotificationCompleteEx@8 +NdisMIdleNotificationConfirm@8 +NdisMIndicateReceiveNetBufferLists@20 +NdisMIndicateStatus@16 +NdisMIndicateStatusComplete@4 +NdisMIndicateStatusEx@8 +NdisMInitializeScatterGatherDma@12 +NdisMInitializeTimer@16 +NdisMInitiateOffloadComplete@8 +NdisMInvalidateConfigBlock@16 +NdisMInvalidateOffloadComplete@8 +NdisMMapIoSpace@20 +NdisMNetPnPEvent@8 +NdisMOffloadEventIndicate@12 +NdisMOidRequestComplete@12 +NdisMPauseComplete@4 +NdisMPciAssignResources@12 +NdisMPromoteMiniport@4 +NdisMQueryAdapterInstanceName@8 +NdisMQueryAdapterResources@16 +NdisMQueryInformationComplete@8 +NdisMQueryOffloadStateComplete@8 +NdisMQueryProbedBars@8 +NdisMQueueDpc@16 +NdisMQueueDpcEx@16 +NdisMReadConfigBlock@16 +NdisMReadDmaCounter@4 +NdisMReenumerateFailedAdapter@4 +NdisMRegisterAdapterShutdownHandler@12 +NdisMRegisterDevice@24 +NdisMRegisterDmaChannel@24 +NdisMRegisterInterrupt@28 +NdisMRegisterInterruptEx@16 +NdisMRegisterIoPortRange@16 +NdisMRegisterMiniport@12 +NdisMRegisterMiniportDriver@20 +NdisMRegisterScatterGatherDma@12 +NdisMRegisterUnloadHandler@8 +NdisMRegisterWdiMiniportDriver@24 +NdisMRemoveMiniport@4 +NdisMRequestDpc@8 +NdisMResetComplete@12 +NdisMResetMiniport@4 +NdisMRestartComplete@8 +NdisMSendComplete@12 +NdisMSendNetBufferListsComplete@12 +NdisMSendResourcesAvailable@4 +NdisMSetAttributes@16 +NdisMSetAttributesEx@20 +NdisMSetBusData@20 +NdisMSetInformationComplete@8 +NdisMSetMiniportAttributes@8 +NdisMSetMiniportSecondary@8 +NdisMSetPeriodicTimer@8 +NdisMSetTimer@8 +NdisMSetVirtualFunctionBusData@20 +NdisMSleep@4 +NdisMStartBufferPhysicalMapping@24 +NdisMSynchronizeWithInterrupt@12 +NdisMSynchronizeWithInterruptEx@16 +NdisMTerminateOffloadComplete@8 +NdisMTransferDataComplete@16 +NdisMUnmapIoSpace@12 +NdisMUpdateOffloadComplete@8 +NdisMWanIndicateReceive@20 +NdisMWanIndicateReceiveComplete@8 +NdisMWanSendComplete@12 +NdisMWriteConfigBlock@16 +NdisMWriteLogData@12 +NdisMapFile@12 +NdisMatchPdoWithPacket@8 +NdisMaxGroupCount@0 +NdisNblTrackerDeregisterComponent@4 +NdisNblTrackerQueryNblCurrentOwner@4 +NdisNblTrackerRecordEvent@16 +NdisNblTrackerRegisterComponent@12 +NdisNblTrackerTransferOwnership@20 +NdisOffloadTcpDisconnect@12 +NdisOffloadTcpForward@8 +NdisOffloadTcpReceive@8 +NdisOffloadTcpReceiveReturn@8 +NdisOffloadTcpSend@8 +NdisOidRequest@8 +NdisOpenAdapter@44 +NdisOpenAdapterEx@20 +NdisOpenConfiguration@12 +NdisOpenConfigurationEx@8 +NdisOpenConfigurationKeyByIndex@20 +NdisOpenConfigurationKeyByName@16 +NdisOpenFile@24 +NdisOpenNDKAdapter@12 +NdisOpenProtocolConfiguration@12 +NdisOverrideBusNumber@12 +NdisPacketPoolUsage@4 +NdisPacketSize@4 +NdisProcessorIndexToNumber@8 +NdisProcessorNumberToIndex@4 +NdisQueryAdapterInstanceName@8 +NdisQueryBindInstanceName@8 +NdisQueryBuffer@12 +NdisQueryBufferOffset@12 +NdisQueryBufferSafe@16 +NdisQueryDiagnosticSetting@8 +NdisQueryMapRegisterCount@8 +NdisQueryNetBufferPhysicalCount@4 +NdisQueryOffloadState@8 +NdisQueryPendingIOCount@8 +NdisQueueIoWorkItem@12 +NdisReEnumerateProtocolBindings@4 +NdisReadConfiguration@20 +NdisReadEisaSlotInformation@16 +NdisReadEisaSlotInformationEx@20 +NdisReadMcaPosInformation@16 +NdisReadNetworkAddress@16 +NdisReadPciSlotInformation@20 +NdisReadPcmciaAttributeMemory@16 +NdisReferenceWithTag@8 +NdisRegisterDeviceEx@16 +NdisRegisterProtocol@16 +NdisRegisterProtocolDriver@12 +NdisRegisterTdiCallBack@8 +NdisReleaseNicActive@8 +NdisReleaseRWLock@8 +NdisReleaseReadWriteLock@8 +NdisReleaseSpinLock@4 +NdisRequest@12 +NdisRequestEx@8 +NdisReset@8 +NdisResetEvent@4 +NdisRetreatNetBufferDataStart@16 +NdisRetreatNetBufferListDataStart@20 +NdisReturnNetBufferLists@12 +NdisReturnPackets@8 +NdisScheduleWorkItem@4 +NdisSend@12 +NdisSendNetBufferLists@16 +NdisSendPackets@12 +NdisSetAoAcOptions@8 +NdisSetCoalescableTimerObject@24 +NdisSetEvent@4 +NdisSetOptionalHandlers@8 +NdisSetPacketCancelId@8 +NdisSetPacketPoolProtocolId@8 +NdisSetPacketStatus@16 +NdisSetPeriodicTimer@8 +NdisSetProtocolFilter@32 +NdisSetSessionCompartmentId@8 +NdisSetThreadObjectCompartmentId@8 +NdisSetThreadObjectCompartmentScope@8 +NdisSetTimer@8 +NdisSetTimerEx@12 +NdisSetTimerObject@20 +NdisSetupDmaTransfer@24 +NdisSynchronousOidRequest@8 +NdisSystemActiveProcessorCount@4 +NdisSystemProcessorCount@0 +NdisTerminateOffload@8 +NdisTerminateWrapper@8 +NdisTestRWLockHeldByCurrentProcessorRead@4 +NdisTestRWLockHeldByCurrentProcessorWrite@4 +NdisTransferData@28 +NdisTryAcquireNicActive@8 +NdisTryAcquireRWLockRead@12 +NdisTryAcquireRWLockWrite@12 +NdisTryPromoteRWLockFromReadToWrite@8 +NdisUnbindAdapter@4 +NdisUnchainBufferAtBack@8 +NdisUnchainBufferAtFront@8 +NdisUnicodeStringToAnsiString@8 +NdisUnmapFile@4 +NdisUpcaseUnicodeString@8 +NdisUpdateOffload@8 +NdisUpdateSharedMemory@20 +NdisWaitEvent@8 +NdisWdfAsyncPowerReferenceCompleteNotification@12 +NdisWdfChangeSingleInstance@12 +NdisWdfCloseIrpHandler@4 +NdisWdfCreateIrpHandler@8 +NdisWdfDeregisterCx@4 +NdisWdfDeviceControlIrpHandler@4 +NdisWdfDeviceInternalControlIrpHandler@4 +NdisWdfExecuteMethod@20 +NdisWdfGenerateFdoNameIndex@0 +NdisWdfGetAdapterContextFromAdapterHandle@4 +NdisWdfGetGuidToOidMap@16 +NdisWdfMiniportDataPathPause@4 +NdisWdfMiniportDataPathStart@4 +NdisWdfMiniportDereference@4 +NdisWdfMiniportSetPower@12 +NdisWdfMiniportStarted@4 +NdisWdfMiniportTryReference@4 +NdisWdfPnPAddDevice@8 +NdisWdfPnpPowerEventHandler@12 +NdisWdfQueryAllData@24 +NdisWdfQuerySingleInstance@20 +NdisWdfReadConfiguration@20 +NdisWdfRegisterCx@20 +NdisWdfRegisterMiniportDriver@24 +NdisWriteConfiguration@16 +NdisWriteErrorLogEntry@0 +NdisWriteEventLogEntry@28 +NdisWritePciSlotInformation@20 +NdisWritePcmciaAttributeMemory@16 +NetDmaAllocateChannel@16 +NetDmaChainCopyPhysicalToVirtual@36 +NetDmaChainCopyVirtualToVirtual@28 +NetDmaDeregisterClient@4 +NetDmaDeregisterProvider@4 +NetDmaEnumerateDmaProviders@20 +NetDmaFlushPendingDescriptors@4 +NetDmaFreeChannel@4 +NetDmaGetMaxPendingDescriptors@4 +NetDmaGetVersion@0 +NetDmaInterruptDpc@12 +NetDmaIsDmaCopyComplete@8 +NetDmaIsr@16 +NetDmaNullTransfer@16 +NetDmaPnPEventNotify@8 +NetDmaPrefetchNextDescriptor@4 +NetDmaProviderStart@8 +NetDmaProviderStop@4 +NetDmaRegisterClient@12 +NetDmaRegisterProvider@12 +NetDmaSetMaxPendingDescriptors@8 +TrFilterDprIndicateReceive@28 +TrFilterDprIndicateReceiveComplete@4 diff --git a/lib/libc/mingw/lib32/netio.def b/lib/libc/mingw/lib32/netio.def new file mode 100644 index 0000000000..931eb77057 --- /dev/null +++ b/lib/libc/mingw/lib32/netio.def @@ -0,0 +1,531 @@ +LIBRARY "NETIO.SYS" +EXPORTS +AgileVPNDispatchTableInit@4 +AgileVPNFindCompartmentIdFromTunnelId@12 +AgileVPNFindTunnelInfoFromInterfaceIndex@20 +CancelMibChangeNotify2@4 +CloseCompartment@4 +ConvertCompartmentGuidToId@8 +ConvertCompartmentIdToGuid@8 +ConvertInterfaceAliasToLuid@8 +ConvertInterfaceGuidToLuid@8 +ConvertInterfaceIndexToLuid@8 +ConvertInterfaceLuidToAlias@12 +ConvertInterfaceLuidToGuid@8 +ConvertInterfaceLuidToIndex@8 +ConvertInterfaceLuidToNameA@12 +ConvertInterfaceLuidToNameW@12 +ConvertInterfaceNameToLuidA@8 +ConvertInterfaceNameToLuidW@8 +ConvertInterfacePhysicalAddressToLuid@12 +ConvertIpv4MaskToLength@8 +ConvertLengthToIpv4Mask@8 +ConvertStringToInterfacePhysicalAddress@8 +CreateAnycastIpAddressEntry@4 +CreateCompartment@4 +CreateIpForwardEntry2@4 +CreateIpNetEntry2@4 +CreateSortedAddressPairs@28 +CreateUnicastIpAddressEntry@4 +DeleteAnycastIpAddressEntry@4 +DeleteCompartment@4 +DeleteIpForwardEntry2@4 +DeleteIpNetEntry2@4 +DeleteUnicastIpAddressEntry@4 +FeAcquireClassifyHandle@8 +FeAcquireWritableLayerDataPointer@24 +FeApplyModifiedLayerData@16 +FeCompleteClassify@16 +FeCopyIncomingValues@12 +FeGetWfpGlobalPtr@0 +FePendClassify@16 +FeReleaseCalloutContextList@4 +FeReleaseClassifyHandle@8 +FlushIpNetTable2@8 +FlushIpPathTable@4 +FreeDnsSettings@4 +FreeInterfaceDnsSettings@4 +FreeMibTable@4 +FsbAllocate@4 +FsbAllocateAtDpcLevel@4 +FsbCreatePool@16 +FsbDestroyPool@4 +FsbFree@4 +FwpmEventProviderCreate0@8 +FwpmEventProviderDestroy0@4 +FwpmEventProviderFireNetEvent0@16 +FwpmEventProviderIsNetEventTypeEnabled0@12 +FwppAdvanceStreamDataPastOffset@8 +FwppCopyStreamDataToBuffer@16 +FwppLogVpnEvent@4 +FwppStreamContinue@20 +FwppStreamDeleteDpcQueue@4 +FwppStreamInject@28 +FwppTruncateStreamDataAfterOffset@16 +GetAnycastIpAddressEntry@4 +GetAnycastIpAddressTable@8 +GetBestInterface@8 +GetBestInterfaceEx@8 +GetBestRoute2@28 +GetDefaultCompartmentId@0 +GetDnsSettings@4 +GetIfEntry2@4 +GetIfEntry2Ex@8 +GetIfStackTable@4 +GetIfTable2@4 +GetIfTable2Ex@8 +GetInterfaceCompartmentId@4 +GetInterfaceDnsSettings@20 +GetInvertedIfStackTable@4 +GetIpForwardEntry2@4 +GetIpForwardTable2@8 +GetIpInterfaceEntry@4 +GetIpInterfaceTable@8 +GetIpNetEntry2@4 +GetIpNetTable2@8 +GetIpNetworkConnectionBandwidthEstimates@12 +GetIpPathEntry@4 +GetIpPathTable@8 +GetMulticastIpAddressEntry@4 +GetMulticastIpAddressTable@8 +GetTeredoPort@4 +GetUnicastIpAddressEntry@4 +GetUnicastIpAddressTable@8 +HfAllocateHandle32@12 +HfCreateFactory@8 +HfDestroyFactory@4 +HfFreeHandle32@8 +HfGetPointerFromHandle32@12 +HfResumeHandle32@8 +HfSuspendHandle32@8 +IPsecGwDispatchTableInit@4 +IPsecGwGetTunnelInfoFromIPInformation@32 +IPsecGwIsUdpEspPacket@4 +IPsecGwProcessSecureNbl@44 +IPsecGwSetCallbackDispatch@4 +IPsecGwTransformClearTextPacket@56 +InitializeCompartmentEntry@4 +InitializeIpForwardEntry@4 +InitializeIpInterfaceEntry@4 +InitializeUnicastIpAddressEntry@4 +InternalCleanupPersistentStore@8 +InternalCreateAnycastIpAddressEntry@8 +InternalCreateIpForwardEntry2@8 +InternalCreateIpNetEntry2@8 +InternalCreateUnicastIpAddressEntry@8 +InternalDeleteAnycastIpAddressEntry@8 +InternalDeleteIpForwardEntry2@8 +InternalDeleteIpNetEntry2@8 +InternalDeleteUnicastIpAddressEntry@8 +InternalFindInterfaceByAddress@8 +InternalGetAnycastIpAddressEntry@8 +InternalGetAnycastIpAddressTable@12 +InternalGetForwardIpTable2@12 +InternalGetIfEntry2@8 +InternalGetIfTable2@8 +InternalGetIpForwardEntry2@8 +InternalGetIpInterfaceEntry@8 +InternalGetIpInterfaceTable@12 +InternalGetIpNetEntry2@8 +InternalGetIpNetTable2@12 +InternalGetMulticastIpAddressEntry@8 +InternalGetMulticastIpAddressTable@12 +InternalGetUnicastIpAddressEntry@8 +InternalGetUnicastIpAddressTable@12 +InternalSetIpForwardEntry2@8 +InternalSetIpInterfaceEntry@8 +InternalSetIpNetEntry2@8 +InternalSetTeredoPort@4 +InternalSetUnicastIpAddressEntry@8 +IoctlKfdAbortTransaction@16 +IoctlKfdAddCache@16 +IoctlKfdAddIndex@16 +IoctlKfdBatchUpdate@16 +IoctlKfdBeginEnumFilters@16 +IoctlKfdCommitTransaction@16 +IoctlKfdDeleteCache@16 +IoctlKfdDeleteIndex@16 +IoctlKfdEndEnumFilters@16 +IoctlKfdMoveFilter@16 +IoctlKfdQueryEnumFilters@16 +IoctlKfdQueryLayerStatistics@16 +IoctlKfdResetState@16 +IoctlKfdSetBfeEngineSd@12 +KfdAddCalloutEntry@32 +KfdAleAcquireEndpointContextFromFlow@8 +KfdAleAcquireFlowHandleForFlow@12 +KfdAleGetTableFromHandle@12 +KfdAleInitializeFlowHandles@0 +KfdAleInitializeFlowTable@12 +KfdAleNotifyFlowDeletion@4 +KfdAleReleaseFlowHandleForFlow@4 +KfdAleRemoveFlowContextTable@8 +KfdAleUninitializeFlowHandles@0 +KfdAleUpdateEndpointContextStatus@16 +KfdAuditEvent@4 +KfdBfeEngineAccessCheck@4 +KfdCheckAcceptBypass@16 +KfdCheckAndCacheAcceptBypass@20 +KfdCheckAndCacheConnectBypass@20 +KfdCheckClassifyNeededAndUpdateEpoch@8 +KfdCheckConnectBypass@16 +KfdCheckOffloadFastLayers@8 +KfdClassify2@8 +KfdClassify@24 +KfdDeRefCallout@4 +KfdDeleteCalloutEntry@4 +KfdDerefFilterContext@4 +KfdDeregisterLayerChangeCallback2@4 +KfdDeregisterLayerEventNotify@8 +KfdDiagnoseEvent@4 +KfdDirectClassify@24 +KfdEnumLayer@16 +KfdFindFilterById@20 +KfdFreeEnumHandle@4 +KfdGetLayerActionFromEnumTemplate@12 +KfdGetLayerCacheEpoch@8 +KfdGetLayerPreclassifyEpoch@8 +KfdGetNextFilter@12 +KfdGetOffloadEpoch@4 +KfdGetRefCallout@8 +KfdIsActiveCallout@8 +KfdIsDiagnoseEventEnabled@8 +KfdIsLayerEmpty@4 +KfdIsLsoOffloadPossibleV4@0 +KfdIsLsoOffloadPossibleV6@0 +KfdIsTfoIncompatibleFilterPresent@0 +KfdIsV4InTransportFastEmpty@0 +KfdIsV4OutTransportFastEmpty@0 +KfdIsV6InTransportFastEmpty@0 +KfdIsV6OutTransportFastEmpty@0 +KfdNotifyFlowDeletion@12 +KfdPreClassify@12 +KfdQueryLayerStats@8 +KfdQueueLruCleanupWorkItem@0 +KfdRegisterLayerChangeCallback2@4 +KfdRegisterLayerEventNotify@12 +KfdRegisterLayerEventNotifyEx@20 +KfdRegisterRscIncompatCalloutNotify@8 +KfdRegisterUsoIncompatCalloutNotify@4 +KfdReleaseCachedFilters@4 +KfdReleaseFilterContext@4 +KfdReleaseTerminatingFilters@4 +KfdSetWfpPerProcContextPtr@8 +KfdToggleFilterActivation@16 +MatchCondition@12 +MdpAllocate@8 +MdpAllocateAtDpcLevel@8 +MdpCreatePool@8 +MdpDestroyPool@4 +MdpFree@4 +NetioAdvanceNetBufferList@8 +NetioAdvanceToLocationInNetBuffer@16 +NetioAllocateAndInitializeStackBlock@8 +NetioAllocateAndReferenceCloneNetBufferList@8 +NetioAllocateAndReferenceCloneNetBufferListEx@16 +NetioAllocateAndReferenceCopyNetBufferListEx@16 +NetioAllocateAndReferenceFragmentNetBufferList@24 +NetioAllocateAndReferenceNetBufferAndNetBufferList@24 +NetioAllocateAndReferenceNetBufferList@12 +NetioAllocateAndReferenceNetBufferListNetBufferMdlAndData@24 +NetioAllocateAndReferenceReassembledNetBufferList@20 +NetioAllocateAndReferenceVacantNetBufferList@24 +NetioAllocateAndReferenceVacantNetBufferListEx@28 +NetioAllocateMdl@4 +NetioAllocateNetBuffer@16 +NetioAllocateNetBufferListNetBufferMdlAndDataPool@12 +NetioAllocateNetBufferMdlAndData@16 +NetioAllocateNetBufferMdlAndDataPool@8 +NetioAllocateOpaquePerProcessorContext@28 +NetioAssociateQoSFlowWithNbl@8 +NetioCleanupNetBufferListInformation@4 +NetioCloseKey@4 +NetioCompleteCloneNetBufferListChain@12 +NetioCompleteCopyNetBufferListChain@12 +NetioCompleteNetBufferAndNetBufferListChain@12 +NetioCompleteNetBufferListChain@12 +NetioCopyNetBufferListInformation@8 +NetioCreateForwardFlow@32 +NetioCreateKey@20 +NetioCreateQoSFlow@24 +NetioCreatevSwitchForwardFlow@48 +NetioDeleteQoSFlow@4 +NetioDereferenceNetBufferList@8 +NetioDereferenceNetBufferListChain@8 +NetioExpandNetBuffer@12 +NetioExtendNetBuffer@8 +NetioFlowAssociateContext@16 +NetioFlowRemoveContext@8 +NetioFlowRetrieveContext@16 +NetioFreeCloneNetBufferList@8 +NetioFreeCopyNetBufferList@8 +NetioFreeMdl@4 +NetioFreeNetBuffer@8 +NetioFreeNetBufferAndNetBufferList@8 +NetioFreeNetBufferList@8 +NetioFreeNetBufferListNetBufferMdlAndDataPool@4 +NetioFreeNetBufferMdlAndDataPool@4 +NetioFreeOpaquePerProcessorContext@8 +NetioFreeStackBlock@8 +NetioGetStatsForQoSFlow@8 +NetioGetSuperTriageBlock@0 +NetioInitNetworkRegistry@0 +NetioInitializeFlowsManager@4 +NetioInitializeMdl@12 +NetioInitializeNetBufferListAndFirstNetBufferContext@12 +NetioInitializeNetBufferListContext@16 +NetioInitializeNetBufferListContextPrimitive@16 +NetioInitializeNetBufferListLibrary@0 +NetioInitializeWorkQueue@16 +NetioInsertWorkQueue@8 +NetioLookupForwardFlow@24 +NetioLookupvSwitchForwardFlow@40 +NetioNcmActiveReferenceRequest@24 +NetioNcmCleanupState@0 +NetioNcmFastActiveReferenceRequest@12 +NetioNcmFastCheckAreAoAcPatternsSupported@0 +NetioNcmFastCheckIsAoAcCapable@0 +NetioNcmFastCheckIsMobileCore@0 +NetioNcmGetAllNotificationChannelContextParameters@8 +NetioNcmHandlePatternEviction@12 +NetioNcmInitializeState@4 +NetioNcmIsOwningProcessRtcApp@4 +NetioNcmNotificationChannelContextRequest@12 +NetioNcmNotifyRedirectOnInterface@4 +NetioNcmPatternCoalescingRequired@4 +NetioNcmQueryRtcPortHint@8 +NetioNcmQueryRtcPortRange@8 +NetioNcmSignalNcContextWorkQueueRoutine@4 +NetioNcmStoreBaseSupportedSlots@4 +NetioNcmStoreRtcPortHint@8 +NetioNcmStoreRtcPortRange@8 +NetioNcmTlObjectRequest@8 +NetioNcmTrackIsLegitimateWake@8 +NetioNrtAssociateContext@16 +NetioNrtDereferenceRecord@4 +NetioNrtDisassociateContext@8 +NetioNrtDispatch@8 +NetioNrtFindAndReferenceRecordByHandle@4 +NetioNrtFindAndReferenceRecordById@8 +NetioNrtFindOrCreateRecord@52 +NetioNrtGetIfIndex@4 +NetioNrtIsIpInRecord@12 +NetioNrtIsPktTaggingEnabled@0 +NetioNrtIsProxyInRecord@8 +NetioNrtIsTrackerDevice@4 +NetioNrtJoinRecords@8 +NetioNrtReferenceRecord@4 +NetioNrtStart@4 +NetioNrtStop@0 +NetioNrtWppLogRecord@8 +NetioOpenKey@12 +NetioPdcActivateNetwork@16 +NetioPdcDeactivateNetwork@12 +NetioPhClampMssOnIpPkt@8 +NetioPhClampMssOnTcpPkt@8 +NetioPhClampMssOnTcpSyn@12 +NetioPhFindTcpOption@12 +NetioPhGetIpUlProtocol@12 +NetioPhIsIcmpErrorForIcmpMessage@12 +NetioPhSkipIpv6ExtHdr@12 +NetioPhSkipToTransHdr@12 +NetioPhUpdateTcpChecksum@16 +NetioQueryNetBufferListTrafficClass@12 +NetioQueryValueKey@28 +NetioReferenceNetBufferList@4 +NetioReferenceNetBufferListChain@4 +NetioRefreshFlow@8 +NetioRegSyncDefaultChangeHandler@12 +NetioRegSyncInterface@20 +NetioRegSyncQueryAndUpdateKeyValue@12 +NetioRegisterProcessorAddCallback@12 +NetioReleaseFlow@8 +NetioRetreatNetBuffer@12 +NetioRetreatNetBufferList@12 +NetioSetTriageBlock@8 +NetioShutdownWorkQueue@4 +NetioStackBlockProcessorAddHandler@12 +NetioUnInitializeFlowsManager@4 +NetioUnInitializeNetBufferListLibrary@0 +NetioUnRegisterProcessorAddCallback@4 +NetioUpdateNetBufferListContext@12 +NetioValidateNetBuffer@4 +NetioValidateNetBufferList@4 +NetioWriteKey@20 +NmrClientAttachProvider@20 +NmrClientDetachProviderComplete@4 +NmrDeregisterClient@4 +NmrDeregisterProvider@4 +NmrProviderDetachClientComplete@4 +NmrRegisterClient@12 +NmrRegisterProvider@12 +NmrWaitForClientDeregisterComplete@4 +NmrWaitForProviderDeregisterComplete@4 +NotifyCompartmentChange@16 +NotifyIpInterfaceChange@20 +NotifyRouteChange2@20 +NotifyStableUnicastIpAddressTable@20 +NotifyTeredoPortChange@16 +NotifyUnicastIpAddressChange@20 +NsiAllocateAndGetTable@52 +NsiClearPersistentSetting@24 +NsiDeregisterChangeNotification@12 +NsiDeregisterChangeNotificationEx@4 +NsiDeregisterLegacyHandler@4 +NsiEnumerateObjectsAllParameters@52 +NsiEnumerateObjectsAllParametersEx@4 +NsiEnumerateObjectsAllPersistentParametersWithMask@36 +NsiFreeTable@16 +NsiGetAllParameters@44 +NsiGetAllParametersEx@4 +NsiGetAllPersistentParametersWithMask@28 +NsiGetModuleHandle@4 +NsiGetObjectSecurity@4 +NsiGetParameter@36 +NsiGetParameterEx@4 +NsiReferenceDefaultObjectSecurity@0 +NsiRegisterChangeNotification@24 +NsiRegisterChangeNotificationEx@4 +NsiRegisterLegacyHandler@4 +NsiResetPersistentSetting@16 +NsiSetAllParameters@32 +NsiSetAllParametersEx@4 +NsiSetAllPersistentParametersWithMask@32 +NsiSetObjectSecurity@4 +NsiSetParameter@40 +NsiSetParameterEx@4 +OpenCompartment@8 +PtCheckTable@4 +PtCreateTable@8 +PtDeleteEntry@8 +PtDestroyTable@4 +PtEnumOverTable@32 +PtGetData@4 +PtGetExactMatch@20 +PtGetKey@12 +PtGetLongestMatch@12 +PtGetNextShorterMatch@12 +PtGetNumNodes@4 +PtInsertEntry@20 +PtSetData@8 +ResolveIpNetEntry2@8 +RtlAllocateDummyMdlChain@4 +RtlCleanupTimerWheel@4 +RtlCleanupTimerWheelEntry@12 +RtlCleanupToeplitzHash@4 +RtlCompute37Hash@12 +RtlComputeToeplitzHash@16 +RtlCopyBufferToMdl@20 +RtlCopyMdlToBuffer@20 +RtlCopyMdlToMdl@24 +RtlCopyMdlToMdlIndirect@28 +RtlDeleteElementGenericTableBasicAvl@8 +RtlEndTimerWheelEnumeration@4 +RtlEnumerateNextTimerWheelEntry@4 +RtlFreeDummyMdlChain@4 +RtlGetNextExpirationTimerWheelTick@4 +RtlGetNextExpiredTimerWheelEntry@4 +RtlIndicateTimerWheelEntryTimerStart@8 +RtlInitializeTimerWheel@20 +RtlInitializeTimerWheelEntry@16 +RtlInitializeTimerWheelEnumeration@4 +RtlInitializeToeplitzHash@12 +RtlInsertElementGenericTableBasicAvl@16 +RtlInvokeStartRoutines@12 +RtlInvokeStopRoutines@12 +RtlIsTimerWheelSuspended@4 +RtlReinitializeToeplitzHash@12 +RtlResumeTimerWheel@8 +RtlReturnTimerWheelEntry@8 +RtlSuspendTimerWheel@4 +RtlUpdateCurrentTimerWheelTick@8 +SetDnsSettings@4 +SetInterfaceDnsSettings@20 +SetIpForwardEntry2@4 +SetIpInterfaceEntry@4 +SetIpNetEntry2@4 +SetUnicastIpAddressEntry@4 +SetWfpDeviceObject@4 +TlDefaultEventAbort@8 +TlDefaultEventConnect@8 +TlDefaultEventDisconnect@8 +TlDefaultEventError@8 +TlDefaultEventInspect@8 +TlDefaultEventNotify@8 +TlDefaultEventReceive@8 +TlDefaultEventReceiveMessages@8 +TlDefaultEventSendBacklog@8 +TlDefaultRequestCancel@8 +TlDefaultRequestCloseEndpoint@8 +TlDefaultRequestConnect@8 +TlDefaultRequestDisconnect@8 +TlDefaultRequestEndpoint@8 +TlDefaultRequestIoControl@8 +TlDefaultRequestIoControlEndpoint@8 +TlDefaultRequestListen@8 +TlDefaultRequestMessage@8 +TlDefaultRequestQueryDispatch@8 +TlDefaultRequestQueryDispatchEndpoint@8 +TlDefaultRequestReceive@8 +TlDefaultRequestReleaseIndicationList@8 +TlDefaultRequestResume@8 +TlDefaultRequestSend@8 +TlDefaultRequestSendMessages@8 +WfpAssociateContextToFlow@24 +WfpAssociateContextToFlowFast@24 +WfpCreateReassemblyContext@4 +WfpDecodedBufferFreeHelper@4 +WfpDeleteEntryLru@4 +WfpExpireEntryLru@4 +WfpFlowToEndpoint@8 +WfpFreeReassemblyContext@4 +WfpGetPacketTagCount@0 +WfpInitializeLeastRecentlyUsedList@52 +WfpInsertEntryLru@12 +WfpLruProcessExpiredEndpoint@16 +WfpLruQueueLruCleanupWorkItemForContext@8 +WfpNblInfoAlloc@4 +WfpNblInfoCleanup@8 +WfpNblInfoClearFlags@8 +WfpNblInfoClone@20 +WfpNblInfoDestroyIfUnused@4 +WfpNblInfoDispatchTableClear@0 +WfpNblInfoDispatchTableSet@4 +WfpNblInfoGet@4 +WfpNblInfoGetFlags@4 +WfpNblInfoInit@4 +WfpNblInfoSet@8 +WfpNblInfoSetFlags@8 +WfpNrptTriggerDecodeHelper@12 +WfpPacketTagCountIncrement@0 +WfpProcessFlowDelete@12 +WfpRefreshEntryLru@12 +WfpReleaseFlowLocation@4 +WfpRemoveContextFromFlow@16 +WfpRemoveContextFromFlowFast@12 +WfpReserveFlowLocation@8 +WfpScavangeLeastRecentlyUsedList@4 +WfpSetBucketsToEmptyLru@8 +WfpSetConfigureParametersDecodeHelper@12 +WfpSetDisconnectDecodeHelper@12 +WfpSetVpnTriggerFilePathsDecodeHelper@12 +WfpSetVpnTriggerSecurityDescriptorDecodeHelper@12 +WfpSetVpnTriggerSidsDecodeHelper@12 +WfpStartStreamShim@44 +WfpStopStreamShim@0 +WfpStreamEndpointCleanupBegin@4 +WfpStreamInspectDisconnect@8 +WfpStreamInspectReceive@28 +WfpStreamInspectRemoteDisconnect@8 +WfpStreamInspectSend@12 +WfpStreamIsFilterPresent@32 +WfpTransferReassemblyContextForFragments@8 +WfpTransferReassemblyContextUponCompletion@8 +WfpUninitializeLeastRecentlyUsedList@4 +WskCaptureProviderNPI@12 +WskDeregister@4 +WskQueryProviderCharacteristics@8 +WskRegister@8 +WskReleaseProviderNPI@4 +if_indextoname@8 +if_nametoindex@4 diff --git a/lib/libc/mingw/lib32/netjoin.def b/lib/libc/mingw/lib32/netjoin.def new file mode 100644 index 0000000000..9fdde6bd5d --- /dev/null +++ b/lib/libc/mingw/lib32/netjoin.def @@ -0,0 +1,52 @@ +; +; Definition file of netjoin.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "netjoin.dll" +EXPORTS +NetProvisionComputerAccount@32 +NetRequestOfflineDomainJoin@16 +NetSetuppCloseLog@0 +NetSetuppOpenLog@0 +NetpAvoidNetlogonSpnSet@4 +NetpChangeMachineName@24 +NetpCheckOfflineLsaPolicyUpdate@4 +NetpCompleteOfflineDomainJoin@8 +NetpControlServices@8 +NetpCrackNamesStatus2Win32Error@4 +NetpCreateComputerObjectInDs@40 +NetpDecodeProvisioningBlob@12 +NetpDecodeProvisioningData@12 +NetpDoDomainJoin@24 +NetpDoInitiateOfflineDomainJoin@16 +NetpDomainJoinLicensingCheck@0 +NetpDumpBlobToLog@8 +NetpDumpDcInfoToLog@8 +NetpDumpDnsDomainInfoToLog@8 +NetpEncodeProvisionData@24 +NetpEncodeProvisioningBlob@36 +NetpFreeLdapLsaDomainInfo@4 +NetpFreeODJBlob@4 +NetpGetJoinInformation@12 +NetpGetListOfJoinableOUs@20 +NetpGetLogIndentPrefixString@8 +NetpGetLsaPrimaryDomain@16 +NetpGetMachineAccountName@8 +NetpGetNewMachineName@4 +NetpInitAndPickleBlobWin7@36 +NetpIsSetupInProgress@0 +NetpLogPrintHelper@0 +NetpMachineValidToJoin@12 +NetpManageIPCConnect@16 +NetpManageMachineAccountWithSid@28 +NetpProvisionComputerAccount@56 +NetpQueryService@12 +NetpSeparateUserAndDomain@12 +NetpSetComputerAccountPassword@20 +NetpStopService@8 +NetpStoreInitialDcRecord@4 +NetpUnJoinDomain@16 +NetpUnpickleBlobWin7@12 +NetpUpgradePreNT5JoinInfo@0 +NetpValidateName@20 diff --git a/lib/libc/mingw/lib32/ntdll.def b/lib/libc/mingw/lib32/ntdll.def index 5f6ff3a02d..782584b27f 100644 --- a/lib/libc/mingw/lib32/ntdll.def +++ b/lib/libc/mingw/lib32/ntdll.def @@ -163,7 +163,6 @@ LdrLoadAlternateResourceModule@16 LdrLoadAlternateResourceModuleEx@20 LdrLoadDll@16 LdrLoadEnclaveModule@12 -LdrAlternateResourcesEnabled@0 LdrLockLoaderLock@12 LdrOpenImageFileOptionsKey@12 LdrParentInterlockedPopEntrySList@0 @@ -957,7 +956,6 @@ RtlDeleteSecurityObject@4 RtlDeleteTimer@12 RtlDeleteTimerQueue@4 RtlDeleteTimerQueueEx@8 -RtlDeNormalizeProcessParams@4 RtlDeregisterSecureMemoryCacheCallback@4 RtlDeregisterWait@4 RtlDeregisterWaitEx@8 @@ -1128,7 +1126,6 @@ RtlGetLengthWithoutTrailingPathSeperators@12 RtlGetLocaleFileMappingAddress@12 RtlGetLongestNtPathLength@0 RtlGetMultiTimePrecise@12 -RtlGetLongestNtPathLength@0 RtlGetNativeSystemInformation@16 RtlGetNextRange@12 RtlGetNextEntryHashTable@8 @@ -1167,7 +1164,6 @@ RtlGetUserInfoHeap@20 RtlGetUserPreferredUILanguages@20 RtlGetVersion@4 RtlGuardCheckLongJumpTarget@12 -RtlGUIDFromString@8 RtlHashUnicodeString@16 RtlHeapTrkInitialize@4 RtlIdentifierAuthoritySid@4 diff --git a/lib/libc/mingw/lib32/ntmsapi.def b/lib/libc/mingw/lib32/ntmsapi.def new file mode 100644 index 0000000000..e698ba7a42 --- /dev/null +++ b/lib/libc/mingw/lib32/ntmsapi.def @@ -0,0 +1,82 @@ +; +; Definition file of NTMSAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "NTMSAPI.dll" +EXPORTS +AccessNtmsLibraryDoor@12 +AddNtmsMediaType@12 +AllocateNtmsMedia@28 +BeginNtmsDeviceChangeDetection@8 +CancelNtmsLibraryRequest@8 +CancelNtmsOperatorRequest@8 +ChangeNtmsMediaType@12 +CleanNtmsDrive@8 +CloseNtmsNotification@4 +CloseNtmsSession@4 +CreateNtmsMediaA@16 +CreateNtmsMediaPoolA@24 +CreateNtmsMediaPoolW@24 +CreateNtmsMediaW@16 +DeallocateNtmsMedia@12 +DecommissionNtmsMedia@8 +DeleteNtmsDrive@8 +DeleteNtmsLibrary@8 +DeleteNtmsMedia@8 +DeleteNtmsMediaPool@8 +DeleteNtmsMediaType@12 +DeleteNtmsRequests@16 +DisableNtmsObject@12 +DismountNtmsDrive@8 +DismountNtmsMedia@16 +DoEjectFromSADriveW@24 +EjectDiskFromSADriveA@28 +EjectDiskFromSADriveW@28 +EjectNtmsCleaner@16 +EjectNtmsMedia@16 +EnableNtmsObject@12 +EndNtmsDeviceChangeDetection@8 +EnumerateNtmsObject@24 +ExportNtmsDatabase@4 +GetNtmsMediaPoolNameA@16 +GetNtmsMediaPoolNameW@16 +GetNtmsObjectAttributeA@24 +GetNtmsObjectAttributeW@24 +GetNtmsObjectInformationA@12 +GetNtmsObjectInformationW@12 +GetNtmsObjectSecurity@28 +GetNtmsRequestOrder@12 +GetNtmsUIOptionsA@20 +GetNtmsUIOptionsW@20 +GetVolumesFromDriveA@12 +GetVolumesFromDriveW@12 +IdentifyNtmsSlot@12 +ImportNtmsDatabase@4 +InjectNtmsCleaner@20 +InjectNtmsMedia@16 +InventoryNtmsLibrary@12 +MountNtmsMedia@32 +MoveToNtmsMediaPool@12 +OpenNtmsNotification@8 +OpenNtmsSessionA@12 +OpenNtmsSessionW@12 +ReleaseNtmsCleanerSlot@8 +ReserveNtmsCleanerSlot@12 +SatisfyNtmsOperatorRequest@8 +SetNtmsDeviceChangeDetection@20 +SetNtmsMediaComplete@8 +SetNtmsObjectAttributeA@24 +SetNtmsObjectAttributeW@24 +SetNtmsObjectInformationA@12 +SetNtmsObjectInformationW@12 +SetNtmsObjectSecurity@20 +SetNtmsRequestOrder@12 +SetNtmsUIOptionsA@20 +SetNtmsUIOptionsW@20 +SubmitNtmsOperatorRequestA@24 +SubmitNtmsOperatorRequestW@24 +SwapNtmsMedia@12 +UpdateNtmsOmidInfo@20 +WaitForNtmsNotification@12 +WaitForNtmsOperatorRequest@12 diff --git a/lib/libc/mingw/lib32/ntoskrnl.def b/lib/libc/mingw/lib32/ntoskrnl.def new file mode 100644 index 0000000000..3b17c9a823 --- /dev/null +++ b/lib/libc/mingw/lib32/ntoskrnl.def @@ -0,0 +1,2194 @@ +; +; Definition file of ntoskrnl.exe +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "ntoskrnl.exe" +EXPORTS +@ExAcquireFastMutexUnsafe@4 +@ExAcquireRundownProtection@4 +@ExAcquireRundownProtectionCacheAware@4 +@ExAcquireRundownProtectionCacheAwareEx@4 +@ExAcquireRundownProtectionEx@4 +@ExEnterCriticalRegionAndAcquireFastMutexUnsafe@4 +@ExInitializeRundownProtection@4 +@ExInterlockedAddLargeStatistic@8 +@ExInterlockedCompareExchange64@16 +@ExInterlockedFlushSList@4 +@ExInterlockedPopEntrySList@8 +@ExInterlockedPushEntrySList@12 +@ExReInitializeRundownProtection@4 +@ExReInitializeRundownProtectionCacheAware@4 +@ExReleaseFastMutexUnsafe@4 +@ExReleaseFastMutexUnsafeAndLeaveCriticalRegion@4 +@ExReleaseResourceAndLeaveCriticalRegion@4 +@ExReleaseResourceAndLeavePriorityRegion@4 +@ExReleaseResourceLite@4 +@ExReleaseRundownProtection@4 +@ExReleaseRundownProtectionCacheAware@4 +@ExReleaseRundownProtectionCacheAwareEx@8 +@ExReleaseRundownProtectionEx@8 +@ExRundownCompleted@4 +@ExRundownCompletedCacheAware@4 +@ExWaitForRundownProtectionRelease@4 +@ExWaitForRundownProtectionReleaseCacheAware@4 +@ExfAcquirePushLockExclusive@4 +@ExfAcquirePushLockShared@4 +@ExfInterlockedAddUlong@12 +@ExfInterlockedCompareExchange64@12 +@ExfInterlockedInsertHeadList@12 +@ExfInterlockedInsertTailList@12 +@ExfInterlockedPopEntryList@8 +@ExfInterlockedPushEntryList@12 +@ExfInterlockedRemoveHeadList@8 +@ExfReleasePushLock@8 +@ExfReleasePushLockExclusive@4 +@ExfReleasePushLockShared@4 +@ExfTryAcquirePushLockShared@4 +@ExfTryToWakePushLock@4 +@ExfUnblockPushLock@8 +@Exfi386InterlockedDecrementLong@4 +@Exfi386InterlockedExchangeUlong@8 +@Exfi386InterlockedIncrementLong@4 +@ExiAcquireFastMutex@4 +@ExiReleaseFastMutex@4 +@ExiTryToAcquireFastMutex@4 +@HalExamineMBR@16 +@InterlockedCompareExchange@12 +@InterlockedDecrement@4 +@InterlockedExchange@8 +@InterlockedExchangeAdd@8 +@InterlockedIncrement@4 +@InterlockedPopEntrySList@4 +@InterlockedPushEntrySList@8 +@IoGetPagingIoPriority@4 +@IoReadPartitionTable@16 +@IoSetPartitionInformation@16 +@IoWritePartitionTable@20 +@IofCallDriver@8 +@IofCompleteRequest@8 +@KeAcquireGuardedMutex@4 +@KeAcquireGuardedMutexUnsafe@4 +@KeAcquireInStackQueuedSpinLockAtDpcLevel@8 +@KeAcquireInStackQueuedSpinLockForDpc@8 +@KeAcquireSpinLockForDpc@8 +@KeInitializeGuardedMutex@4 +@KeInvalidateRangeAllCaches@8 +@KeReleaseGuardedMutex@4 +@KeReleaseGuardedMutexUnsafe@4 +@KeReleaseInStackQueuedSpinLockForDpc@4 +@KeReleaseInStackQueuedSpinLockFromDpcLevel@4 +@KeReleaseSpinLockForDpc@8 +@KeTestSpinLock@4 +@KeTryToAcquireGuardedMutex@4 +@KeTryToAcquireSpinLockAtDpcLevel@4 +;KeUpdateRunTime +@KefAcquireSpinLockAtDpcLevel@4 +@KefReleaseSpinLockFromDpcLevel@4 +@KiAcquireSpinLock@8 +;KiCheckForSListAddress +@KiReleaseSpinLock@4 +@ObfDereferenceObject@4 +;ObfDereferenceObjectWithTag +@ObfReferenceObject@4 +;ObfReferenceObjectWithTag +@RtlPrefetchMemoryNonTemporal@8 +@RtlUlongByteSwap@4 +@RtlUlonglongByteSwap@8 +@RtlUshortByteSwap@4 +;SeAuditingWithTokenForSubcategory +;WmiGetClock +;Kei386EoiHelper +AlpcGetHeaderSize@4 +AlpcGetMessageAttribute@8 +AlpcInitializeMessageAttribute@16 +CcCanIWrite@16 +CcCoherencyFlushAndPurgeCache@20 +CcCopyRead@24 +CcCopyWrite@20 +CcCopyWriteWontFlush@12 +CcDeferWrite@24 +CcFastCopyRead@24 +CcFastCopyWrite@16 +CcFastMdlReadWait DATA +CcFlushCache@16 +CcGetDirtyPages@16 +CcGetFileObjectFromBcb@4 +CcGetFileObjectFromSectionPtrs@4 +CcGetFileObjectFromSectionPtrsRef@4 +CcGetFlushedValidData@8 +CcGetLsnForFileObject@8 +CcInitializeCacheMap@20 +CcIsThereDirtyData@4 +CcIsThereDirtyDataEx@8 +CcMapData@24 +CcMdlRead@20 +CcMdlReadComplete@8 +CcMdlWriteAbort@8 +CcMdlWriteComplete@12 +CcPinMappedData@20 +CcPinRead@24 +CcPrepareMdlWrite@20 +CcPreparePinWrite@28 +CcPurgeCacheSection@16 +CcRemapBcb@4 +CcRepinBcb@4 +CcScheduleReadAhead@12 +CcSetAdditionalCacheAttributes@12 +CcSetBcbOwnerPointer@8 +CcSetDirtyPageThreshold@8 +CcSetDirtyPinnedData@8 +CcSetFileSizes@8 +CcSetFileSizesEx@8 +CcSetLogHandleForFile@12 +CcSetParallelFlushFile@8 +CcSetReadAheadGranularity@8 +CcTestControl@12 +CcUninitializeCacheMap@12 +CcUnpinData@4 +CcUnpinDataForThread@8 +CcUnpinRepinnedBcb@12 +CcWaitForCurrentLazyWriterActivity@0 +CcZeroData@16 +CmCallbackGetKeyObjectID@16 +CmGetBoundTransaction@8 +CmGetCallbackVersion@8 +CmKeyObjectType DATA +CmRegisterCallback@12 +CmRegisterCallbackEx@24 +CmSetCallbackObjectContext@16 +CmUnRegisterCallback@8 +DbgBreakPoint@0 +DbgBreakPointWithStatus@4 +DbgCommandString@8 +DbgLoadImageSymbols@12 +DbgPrint +DbgPrintEx +DbgPrintReturnControlC +DbgPrompt@12 +DbgQueryDebugFilterState@8 +DbgSetDebugFilterState@12 +DbgSetDebugPrintCallback@8 +DbgkLkmdRegisterCallback@12 +DbgkLkmdUnregisterCallback@4 +EmClientQueryRuleState@8 +EmClientRuleDeregisterNotification@4 +EmClientRuleEvaluate@16 +EmClientRuleRegisterNotification@16 +EmProviderDeregister@4 +EmProviderDeregisterEntry@4 +EmProviderRegister@24 +EmProviderRegisterEntry@16 +EmpProviderRegister@24 +EtwActivityIdControl@8 +EtwEnableTrace@44 +EtwEventEnabled@12 +EtwProviderEnabled@20 +EtwRegister@16 +EtwRegisterClassicProvider@20 +EtwSendTraceBuffer@24 +EtwUnregister@8 +EtwWrite@24 +EtwWriteEndScenario@24 +EtwWriteEx@40 +EtwWriteStartScenario@24 +EtwWriteString@28 +EtwWriteTransfer@28 +ExAcquireCacheAwarePushLockExclusive@4 +ExAcquireResourceExclusiveLite@8 +ExAcquireResourceSharedLite@8 +ExAcquireSharedStarveExclusive@8 +ExAcquireSharedWaitForExclusive@8 +ExAcquireSpinLockExclusive@4 +ExAcquireSpinLockExclusiveAtDpcLevel@4 +ExAcquireSpinLockShared@4 +ExAcquireSpinLockSharedAtDpcLevel@4 +ExAllocateCacheAwarePushLock@4 +ExAllocateCacheAwareRundownProtection@8 +ExAllocateFromPagedLookasideList@4 +ExAllocatePool@8 +ExAllocatePoolWithQuota@8 +ExAllocatePoolWithQuotaTag@12 +ExAllocatePoolWithTag@12 +ExAllocatePoolWithTagPriority@16 +ExConvertExclusiveToSharedLite@4 +ExCreateCallback@16 +ExDeleteLookasideListEx@4 +ExDeleteNPagedLookasideList@4 +ExDeletePagedLookasideList@4 +ExDeleteResourceLite@4 +ExDesktopObjectType DATA +ExDisableResourceBoostLite@4 +ExEnterCriticalRegionAndAcquireResourceExclusive@4 +ExEnterCriticalRegionAndAcquireResourceShared@4 +ExEnterCriticalRegionAndAcquireSharedWaitForExclusive@4 +ExEnterPriorityRegionAndAcquireResourceExclusive@4 +ExEnterPriorityRegionAndAcquireResourceShared@4 +ExEnumHandleTable@16 +ExEventObjectType DATA +ExExtendZone@12 +ExFetchLicenseData@12 +ExFlushLookasideListEx@4 +ExFreeCacheAwarePushLock@4 +ExFreeCacheAwareRundownProtection@4 +ExFreePool@4 +ExFreePoolWithTag@8 +ExFreeToPagedLookasideList@8 +ExGetCurrentProcessorCounts@12 +ExGetCurrentProcessorCpuUsage@4 +ExGetExclusiveWaiterCount@4 +ExGetLicenseTamperState@4 +ExGetPreviousMode@0 +ExGetSharedWaiterCount@4 +ExInitializeLookasideListEx@32 +ExInitializeNPagedLookasideList@28 +ExInitializePagedLookasideList@28 +ExInitializePushLock@4 +ExInitializeResourceLite@4 +ExInitializeRundownProtectionCacheAware@8 +ExInitializeZone@16 +ExInterlockedAddLargeInteger@16 +ExInterlockedAddUlong@12 +ExInterlockedDecrementLong@8 +ExInterlockedExchangeUlong@12 +ExInterlockedExtendZone@16 +@ExInterlockedIncrementLong@8 +ExInterlockedInsertHeadList@12 +ExInterlockedInsertTailList@12 +ExInterlockedPopEntryList@8 +ExInterlockedPushEntryList@12 +ExInterlockedRemoveHeadList@8 +ExIsProcessorFeaturePresent@4 +ExIsResourceAcquiredExclusiveLite@4 +ExIsResourceAcquiredSharedLite@4 +ExLocalTimeToSystemTime@8 +ExNotifyCallback@12 +ExQueryAttributeInformation@16 +ExQueryPoolBlockSize@8 +ExQueueWorkItem@8 +ExRaiseAccessViolation@0 +ExRaiseDatatypeMisalignment@0 +ExRaiseException@24 +ExRaiseHardError@24 +ExRaiseStatus@4 +ExRegisterAttributeInformationCallback@4 +ExRegisterCallback@12 +ExRegisterExtension@12 +ExReinitializeResourceLite@4 +ExReleaseCacheAwarePushLockExclusive@4 +ExReleaseResourceForThreadLite@8 +ExReleaseSpinLockExclusive@8 +ExReleaseSpinLockExclusiveFromDpcLevel@4 +ExReleaseSpinLockShared@8 +ExReleaseSpinLockSharedFromDpcLevel@4 +ExSemaphoreObjectType DATA +ExSetLicenseTamperState@4 +ExSetResourceOwnerPointer@8 +ExSetResourceOwnerPointerEx@12 +ExSetTimerResolution@8 +ExSizeOfRundownProtectionCacheAware@0 +ExSystemExceptionFilter@0 +ExSystemTimeToLocalTime@8 +ExTryConvertSharedSpinLockExclusive@4 +ExUnregisterAttributeInformationCallback@4 +ExUnregisterCallback@4 +ExUnregisterExtension@4 +ExUpdateLicenseData@8 +ExUuidCreate@4 +ExVerifySuite@4 +ExWindowStationObjectType DATA +Exi386InterlockedDecrementLong@4 +Exi386InterlockedExchangeUlong@8 +Exi386InterlockedIncrementLong@4 +FirstEntrySList@4 +FsRtlAcknowledgeEcp@4 +FsRtlAcquireFileExclusive@4 +FsRtlAddBaseMcbEntry@28 +FsRtlAddBaseMcbEntryEx@28 +FsRtlAddLargeMcbEntry@28 +FsRtlAddMcbEntry@16 +FsRtlAddToTunnelCache@32 +FsRtlAllocateExtraCreateParameter@24 +FsRtlAllocateExtraCreateParameterFromLookasideList@24 +FsRtlAllocateExtraCreateParameterList@8 +FsRtlAllocateFileLock@8 +FsRtlAllocatePool@8 +FsRtlAllocatePoolWithQuota@8 +FsRtlAllocatePoolWithQuotaTag@12 +FsRtlAllocatePoolWithTag@12 +FsRtlAllocateResource@0 +FsRtlAreNamesEqual@16 +FsRtlAreThereCurrentOrInProgressFileLocks@4 +FsRtlAreVolumeStartupApplicationsComplete@0 +FsRtlBalanceReads@4 +FsRtlCancellableWaitForMultipleObjects@24 +FsRtlCancellableWaitForSingleObject@12 +FsRtlChangeBackingFileObject@16 +FsRtlCheckLockForReadAccess@8 +FsRtlCheckLockForWriteAccess@8 +FsRtlCheckOplock@20 +FsRtlCheckOplockEx@24 +FsRtlCopyRead@32 +FsRtlCopyWrite@32 +FsRtlCreateSectionForDataScan@40 +FsRtlCurrentBatchOplock@4 +FsRtlCurrentOplock@4 +FsRtlCurrentOplockH@4 +FsRtlDeleteExtraCreateParameterLookasideList@8 +FsRtlDeleteKeyFromTunnelCache@12 +FsRtlDeleteTunnelCache@4 +FsRtlDeregisterUncProvider@4 +FsRtlDissectDbcs@16 +FsRtlDissectName@16 +FsRtlDoesDbcsContainWildCards@4 +FsRtlDoesNameContainWildCards@4 +FsRtlFastCheckLockForRead@24 +FsRtlFastCheckLockForWrite@24 +FsRtlFastUnlockAll@16 +FsRtlFastUnlockAllByKey@20 +FsRtlFastUnlockSingle@32 +FsRtlFindExtraCreateParameter@16 +FsRtlFindInTunnelCache@32 +FsRtlFreeExtraCreateParameter@4 +FsRtlFreeExtraCreateParameterList@4 +FsRtlFreeFileLock@4 +FsRtlGetEcpListFromIrp@8 +FsRtlGetFileSize@8 +FsRtlGetNextBaseMcbEntry@20 +FsRtlGetNextExtraCreateParameter@20 +FsRtlGetNextFileLock@8 +FsRtlGetNextLargeMcbEntry@20 +FsRtlGetNextMcbEntry@20 +FsRtlGetVirtualDiskNestingLevel@12 +FsRtlIncrementCcFastMdlReadWait@0 +FsRtlIncrementCcFastReadNoWait@0 +FsRtlIncrementCcFastReadNotPossible@0 +FsRtlIncrementCcFastReadResourceMiss@0 +FsRtlIncrementCcFastReadWait@0 +FsRtlInitExtraCreateParameterLookasideList@16 +FsRtlInitializeBaseMcb@8 +FsRtlInitializeBaseMcbEx@12 +FsRtlInitializeExtraCreateParameter@24 +FsRtlInitializeExtraCreateParameterList@4 +FsRtlInitializeFileLock@12 +FsRtlInitializeLargeMcb@8 +FsRtlInitializeMcb@8 +FsRtlInitializeOplock@4 +FsRtlInitializeTunnelCache@4 +FsRtlInsertExtraCreateParameter@8 +FsRtlInsertPerFileContext@8 +FsRtlInsertPerFileObjectContext@8 +FsRtlInsertPerStreamContext@8 +FsRtlIsDbcsInExpression@8 +FsRtlIsEcpAcknowledged@4 +FsRtlIsEcpFromUserMode@4 +FsRtlIsFatDbcsLegal@20 +FsRtlIsHpfsDbcsLegal@20 +FsRtlIsNameInExpression@16 +FsRtlIsNtstatusExpected@4 +FsRtlIsPagingFile@4 +FsRtlIsTotalDeviceFailure@4 +FsRtlLegalAnsiCharacterArray DATA +FsRtlLogCcFlushError@20 +FsRtlLookupBaseMcbEntry@32 +FsRtlLookupLargeMcbEntry@32 +FsRtlLookupLastBaseMcbEntry@12 +FsRtlLookupLastBaseMcbEntryAndIndex@16 +FsRtlLookupLastLargeMcbEntry@12 +FsRtlLookupLastLargeMcbEntryAndIndex@16 +FsRtlLookupLastMcbEntry@12 +FsRtlLookupMcbEntry@20 +FsRtlLookupPerFileContext@12 +FsRtlLookupPerFileObjectContext@12 +FsRtlLookupPerStreamContextInternal@12 +FsRtlMdlRead@24 +FsRtlMdlReadComplete@8 +FsRtlMdlReadCompleteDev@12 +FsRtlMdlReadDev@28 +FsRtlMdlWriteComplete@12 +FsRtlMdlWriteCompleteDev@16 +FsRtlMupGetProviderIdFromName@8 +FsRtlMupGetProviderInfoFromFileObject@16 +FsRtlNormalizeNtstatus@8 +FsRtlNotifyChangeDirectory@28 +FsRtlNotifyCleanup@12 +FsRtlNotifyCleanupAll@8 +FsRtlNotifyFilterChangeDirectory@44 +FsRtlNotifyFilterReportChange@40 +FsRtlNotifyFullChangeDirectory@40 +FsRtlNotifyFullReportChange@36 +FsRtlNotifyInitializeSync@4 +FsRtlNotifyReportChange@20 +FsRtlNotifyUninitializeSync@4 +FsRtlNotifyVolumeEvent@8 +FsRtlNotifyVolumeEventEx@12 +FsRtlNumberOfRunsInBaseMcb@4 +FsRtlNumberOfRunsInLargeMcb@4 +FsRtlNumberOfRunsInMcb@4 +FsRtlOplockBreakH@24 +FsRtlOplockBreakToNone@24 +FsRtlOplockBreakToNoneEx@24 +FsRtlOplockFsctrl@12 +FsRtlOplockFsctrlEx@16 +FsRtlOplockIsFastIoPossible@4 +FsRtlOplockIsSharedRequest@4 +FsRtlOplockKeysEqual@8 +FsRtlPostPagingFileStackOverflow@12 +FsRtlPostStackOverflow@12 +FsRtlPrepareMdlWrite@24 +FsRtlPrepareMdlWriteDev@28 +FsRtlPrivateLock@48 +FsRtlProcessFileLock@12 +FsRtlQueryMaximumVirtualDiskNestingLevel@0 +FsRtlRegisterFileSystemFilterCallbacks@8 +FsRtlRegisterFltMgrCalls@4 +FsRtlRegisterMupCalls@4 +FsRtlRegisterUncProvider@12 +FsRtlRegisterUncProviderEx@16 +FsRtlReleaseFile@4 +FsRtlRemoveBaseMcbEntry@20 +FsRtlRemoveDotsFromPath@12 +FsRtlRemoveExtraCreateParameter@16 +FsRtlRemoveLargeMcbEntry@20 +FsRtlRemoveMcbEntry@12 +FsRtlRemovePerFileContext@12 +FsRtlRemovePerFileObjectContext@12 +FsRtlRemovePerStreamContext@12 +FsRtlResetBaseMcb@4 +FsRtlResetLargeMcb@8 +FsRtlSetEcpListIntoIrp@8 +FsRtlSplitBaseMcb@20 +FsRtlSplitLargeMcb@20 +FsRtlSyncVolumes@12 +FsRtlTeardownPerFileContexts@4 +FsRtlTeardownPerStreamContexts@4 +FsRtlTruncateBaseMcb@12 +FsRtlTruncateLargeMcb@12 +FsRtlTruncateMcb@8 +FsRtlUninitializeBaseMcb@4 +FsRtlUninitializeFileLock@4 +FsRtlUninitializeLargeMcb@4 +FsRtlUninitializeMcb@4 +FsRtlUninitializeOplock@4 +FsRtlValidateReparsePointBuffer@8 +HalDispatchTable DATA +HalPrivateDispatchTable DATA +HeadlessDispatch@20 +HvlQueryConnection@4 +InbvAcquireDisplayOwnership@0 +InbvCheckDisplayOwnership@0 +InbvDisplayString@4 +InbvEnableBootDriver@4 +InbvEnableDisplayString@4 +InbvInstallDisplayStringFilter@4 +InbvIsBootDriverInstalled@0 +InbvNotifyDisplayOwnershipLost@4 +InbvResetDisplay@0 +InbvSetScrollRegion@16 +InbvSetTextColor@4 +InbvSolidColorFill@20 +InitSafeBootMode DATA +IoAcquireCancelSpinLock@4 +IoAcquireRemoveLockEx@20 +IoAcquireVpbSpinLock@4 +IoAdapterObjectType DATA +IoAdjustStackSizeForRedirection@12 +IoAllocateAdapterChannel@20 +IoAllocateController@16 +IoAllocateDriverObjectExtension@16 +IoAllocateErrorLogEntry@8 +IoAllocateIrp@8 +IoAllocateMdl@20 +IoAllocateMiniCompletionPacket@8 +IoAllocateSfioStreamIdentifier@16 +IoAllocateWorkItem@4 +IoApplyPriorityInfoThread@12 +IoAssignResources@24 +IoAttachDevice@12 +IoAttachDeviceByPointer@8 +IoAttachDeviceToDeviceStack@8 +IoAttachDeviceToDeviceStackSafe@12 +IoBuildAsynchronousFsdRequest@24 +IoBuildDeviceIoControlRequest@36 +IoBuildPartialMdl@16 +IoBuildSynchronousFsdRequest@28 +IoCallDriver@8 +IoCancelFileOpen@8 +IoCancelIrp@4 +IoCheckDesiredAccess@8 +IoCheckEaBufferValidity@12 +IoCheckFunctionAccess@24 +IoCheckQuerySetFileInformation@12 +IoCheckQuerySetVolumeInformation@12 +IoCheckQuotaBufferValidity@12 +IoCheckShareAccess@20 +IoCheckShareAccessEx@24 +IoClearDependency@12 +IoClearIrpExtraCreateParameter@4 +IoCompleteRequest@8 +IoConnectInterrupt@44 +IoConnectInterruptEx@4 +IoCreateArcName@4 +IoCreateController@4 +IoCreateDevice@28 +IoCreateDisk@8 +IoCreateDriver@8 +IoCreateFile@56 +IoCreateFileEx@60 +IoCreateFileSpecifyDeviceObjectHint@60 +IoCreateNotificationEvent@8 +IoCreateStreamFileObject@8 +IoCreateStreamFileObjectEx@12 +IoCreateStreamFileObjectLite@8 +IoCreateSymbolicLink@8 +IoCreateSynchronizationEvent@8 +IoCreateUnprotectedSymbolicLink@8 +IoCsqInitialize@28 +IoCsqInitializeEx@28 +IoCsqInsertIrp@12 +IoCsqInsertIrpEx@16 +IoCsqRemoveIrp@8 +IoCsqRemoveNextIrp@8 +IoDeleteAllDependencyRelations@4 +IoDeleteController@4 +IoDeleteDevice@4 +IoDeleteDriver@4 +IoDeleteSymbolicLink@4 +IoDetachDevice@4 +IoDeviceHandlerObjectSize DATA +IoDeviceHandlerObjectType DATA +IoDeviceObjectType DATA +IoDisconnectInterrupt@4 +IoDisconnectInterruptEx@4 +IoDriverObjectType DATA +IoDuplicateDependency@12 +IoEnqueueIrp@4 +IoEnumerateDeviceObjectList@16 +IoEnumerateRegisteredFiltersList@12 +IoFastQueryNetworkAttributes@20 +IoFileObjectType DATA +IoForwardAndCatchIrp@8 +IoForwardIrpSynchronously@8 +IoFreeController@4 +IoFreeErrorLogEntry@4 +IoFreeIrp@4 +IoFreeMdl@4 +IoFreeMiniCompletionPacket@4 +IoFreeSfioStreamIdentifier@8 +IoFreeWorkItem@4 +IoGetAffinityInterrupt@8 +IoGetAttachedDevice@4 +IoGetAttachedDeviceReference@4 +IoGetBaseFileSystemDeviceObject@4 +IoGetBootDiskInformation@8 +IoGetBootDiskInformationLite@4 +IoGetConfigurationInformation@0 +IoGetContainerInformation@16 +IoGetCurrentProcess@0 +IoGetDeviceAttachmentBaseRef@4 +IoGetDeviceInterfaceAlias@12 +IoGetDeviceInterfaces@16 +IoGetDeviceNumaNode@8 +IoGetDeviceObjectPointer@16 +IoGetDeviceProperty@20 +IoGetDevicePropertyData@32 +IoGetDeviceToVerify@4 +IoGetDiskDeviceObject@8 +IoGetDmaAdapter@12 +IoGetDriverObjectExtension@8 +IoGetFileObjectGenericMapping@0 +IoGetInitialStack@0 +IoGetIoPriorityHint@4 +IoGetIrpExtraCreateParameter@8 +IoGetLowerDeviceObject@4 +IoGetOplockKeyContext@4 +IoGetRelatedDeviceObject@4 +IoGetRequestorProcess@4 +IoGetRequestorProcessId@4 +IoGetRequestorSessionId@8 +IoGetSfioStreamIdentifier@8 +IoGetStackLimits@8 +IoGetSymlinkSupportInformation@8 +IoGetTopLevelIrp@0 +IoGetTransactionParameterBlock@4 +IoInitializeIrp@12 +IoInitializeRemoveLockEx@20 +IoInitializeTimer@12 +IoInitializeWorkItem@8 +IoInvalidateDeviceRelations@8 +IoInvalidateDeviceState@4 +IoIsFileObjectIgnoringSharing@4 +IoIsFileOriginRemote@4 +IoIsOperationSynchronous@4 +IoIsSystemThread@4 +IoIsValidNameGraftingBuffer@8 +IoIsWdmVersionAvailable@8 +IoMakeAssociatedIrp@8 +IoOpenDeviceInterfaceRegistryKey@12 +IoOpenDeviceRegistryKey@16 +IoPageRead@20 +IoQueryDeviceDescription@32 +IoQueryFileDosDeviceName@8 +IoQueryFileInformation@20 +IoQueryVolumeInformation@20 +IoQueueThreadIrp@4 +IoQueueWorkItem@16 +IoQueueWorkItemEx@16 +IoRaiseHardError@12 +IoRaiseInformationalHardError@12 +IoReadDiskSignature@12 +IoReadOperationCount DATA +IoReadPartitionTableEx@8 +IoReadTransferCount DATA +IoRegisterBootDriverReinitialization@12 +IoRegisterContainerNotification@20 +IoRegisterDeviceInterface@16 +IoRegisterDriverReinitialization@12 +IoRegisterFileSystem@4 +IoRegisterFsRegistrationChange@8 +IoRegisterFsRegistrationChangeMountAware@12 +IoRegisterLastChanceShutdownNotification@4 +IoRegisterPlugPlayNotification@28 +IoRegisterPriorityCallback@8 +IoRegisterShutdownNotification@4 +IoReleaseCancelSpinLock@4 +IoReleaseRemoveLockAndWaitEx@12 +IoReleaseRemoveLockEx@12 +IoReleaseVpbSpinLock@4 +IoRemoveShareAccess@8 +IoReplaceFileObjectName@12 +IoReplacePartitionUnit@12 +IoReportDetectedDevice@32 +IoReportHalResourceUsage@16 +IoReportResourceForDetection@28 +IoReportResourceUsage@36 +IoReportRootDevice@4 +IoReportTargetDeviceChange@8 +IoReportTargetDeviceChangeAsynchronous@16 +IoRequestDeviceEject@4 +IoRequestDeviceEjectEx@16 +IoRetrievePriorityInfo@16 +IoReuseIrp@8 +IoSetCompletionRoutineEx@28 +IoSetDependency@8 +IoSetDeviceInterfaceState@8 +IoSetDevicePropertyData@28 +IoSetDeviceToVerify@8 +IoSetFileObjectIgnoreSharing@4 +IoSetFileOrigin@8 +IoSetHardErrorOrVerifyDevice@8 +IoSetInformation@16 +IoSetIoCompletion@24 +IoSetIoCompletionEx@28 +IoSetIoPriorityHint@8 +IoSetIoPriorityHintIntoFileObject@8 +IoSetIoPriorityHintIntoThread@8 +IoSetIrpExtraCreateParameter@8 +IoSetOplockKeyContext@12 +IoSetPartitionInformationEx@12 +IoSetShareAccess@16 +IoSetShareAccessEx@20 +IoSetStartIoAttributes@12 +IoSetSystemPartition@4 +IoSetThreadHardErrorMode@4 +IoSetTopLevelIrp@4 +IoSizeofWorkItem@0 +IoStartNextPacket@8 +IoStartNextPacketByKey@12 +IoStartPacket@16 +IoStartTimer@4 +IoStatisticsLock DATA +IoStopTimer@4 +IoSynchronousInvalidateDeviceRelations@8 +IoSynchronousPageWrite@20 +IoThreadToProcess@4 +IoTranslateBusAddress@24 +IoUninitializeWorkItem@4 +IoUnregisterContainerNotification@4 +IoUnregisterFileSystem@4 +IoUnregisterFsRegistrationChange@8 +IoUnregisterPlugPlayNotification@4 +IoUnregisterPlugPlayNotificationEx@4 +IoUnregisterPriorityCallback@4 +IoUnregisterShutdownNotification@4 +IoUpdateShareAccess@8 +IoValidateDeviceIoControlAccess@8 +IoVerifyPartitionTable@8 +IoVerifyVolume@8 +IoVolumeDeviceToDosName@8 +IoWMIAllocateInstanceIds@12 +IoWMIDeviceObjectToInstanceName@12 +IoWMIExecuteMethod@24 +IoWMIHandleToInstanceName@12 +IoWMIOpenBlock@12 +IoWMIQueryAllData@12 +IoWMIQueryAllDataMultiple@16 +IoWMIQuerySingleInstance@16 +IoWMIQuerySingleInstanceMultiple@20 +IoWMIRegistrationControl@8 +IoWMISetNotificationCallback@12 +IoWMISetSingleInstance@20 +IoWMISetSingleItem@24 +IoWMISuggestInstanceName@16 +IoWMIWriteEvent@4 +IoWithinStackLimits@8 +IoWriteErrorLogEntry@4 +IoWriteOperationCount DATA +IoWritePartitionTableEx@8 +IoWriteTransferCount DATA +KdChangeOption@24 +KdDebuggerEnabled DATA +KdDebuggerNotPresent DATA +KdDisableDebugger@0 +KdEnableDebugger@0 +KdEnteredDebugger DATA +KdPollBreakIn@0 +KdPowerTransition@4 +KdRefreshDebuggerNotPresent@0 +KdSystemDebugControl@28 +Ke386CallBios@8 +Ke386IoSetAccessProcess@8 +Ke386QueryIoAccessMap@8 +Ke386SetIoAccessMap@8 +KeAcquireInterruptSpinLock@4 +KeAcquireSpinLockAtDpcLevel@4 +KeAddGroupAffinityEx@12 +KeAddProcessorAffinityEx@8 +KeAddProcessorGroupAffinity@8 +KeAddSystemServiceTable@20 +KeAlertThread@8 +KeAllocateCalloutStack@4 +KeAllocateCalloutStackEx@16 +KeAndAffinityEx@12 +KeAndGroupAffinityEx@12 +KeAreAllApcsDisabled@0 +KeAreApcsDisabled@0 +KeAttachProcess@4 +KeBugCheck@4 +KeBugCheckEx@20 +KeCancelTimer@4 +KeCapturePersistentThreadState@32 +KeCheckProcessorAffinityEx@8 +KeCheckProcessorGroupAffinity@8 +KeClearEvent@4 +KeComplementAffinityEx@8 +KeCopyAffinityEx@8 +KeCountSetBitsAffinityEx@4 +KeCountSetBitsGroupAffinity@4 +KeDelayExecutionThread@12 +KeDeregisterBugCheckCallback@4 +KeDeregisterBugCheckReasonCallback@4 +KeDeregisterNmiCallback@4 +KeDeregisterProcessorChangeCallback@4 +KeDetachProcess@0 +KeEnterCriticalRegion@0 +KeEnterGuardedRegion@0 +KeEnterKernelDebugger@0 +KeEnumerateNextProcessor@8 +KeExpandKernelStackAndCallout@12 +KeExpandKernelStackAndCalloutEx@20 +KeFindConfigurationEntry@16 +KeFindConfigurationNextEntry@20 +KeFindFirstSetLeftAffinityEx@4 +KeFindFirstSetLeftGroupAffinity@4 +KeFindFirstSetRightGroupAffinity@4 +KeFirstGroupAffinityEx@8 +KeFlushEntireTb@8 +KeFlushQueuedDpcs@0 +KeFreeCalloutStack@4 +KeGenericCallDpc@8 +KeGetCurrentNodeNumber@0 +KeGetCurrentProcessorNumberEx@4 +KeGetCurrentThread@0 +KeGetPreviousMode@0 +KeGetProcessorIndexFromNumber@4 +KeGetProcessorNumberFromIndex@8 +KeGetRecommendedSharedDataAlignment@0 +KeGetXSaveFeatureFlags@0 +KeI386AbiosCall@16 +KeI386AllocateGdtSelectors@8 +KeI386Call16BitCStyleFunction@0 +KeI386Call16BitFunction@0 +KeI386FlatToGdtSelector@12 +KeI386GetLid@20 +KeI386MachineType DATA +KeI386ReleaseGdtSelectors@8 +KeI386ReleaseLid@8 +KeI386SetGdtSelector@8 +KeInitializeAffinityEx@4 +KeInitializeApc@32 +KeInitializeCrashDumpHeader@20 +KeInitializeDeviceQueue@4 +KeInitializeDpc@12 +KeInitializeEnumerationContext@8 +KeInitializeEnumerationContextFromGroup@8 +KeInitializeEvent@12 +KeInitializeInterrupt@52 +KeInitializeMutant@8 +KeInitializeMutex@8 +KeInitializeQueue@8 +KeInitializeSemaphore@12 +KeInitializeSpinLock@4 +KeInitializeThreadedDpc@12 +KeInitializeTimer@4 +KeInitializeTimerEx@8 +KeInsertByKeyDeviceQueue@12 +KeInsertDeviceQueue@8 +KeInsertHeadQueue@8 +KeInsertQueue@8 +KeInsertQueueApc@16 +KeInsertQueueDpc@12 +KeInterlockedClearProcessorAffinityEx@8 +KeInterlockedSetProcessorAffinityEx@8 +KeInvalidateAllCaches@0 +KeIpiGenericCall@8 +KeIsAttachedProcess@0 +KeIsEmptyAffinityEx@4 +KeIsEqualAffinityEx@8 +KeIsExecutingDpc@0 +KeIsSingleGroupAffinityEx@8 +KeIsSubsetAffinityEx@8 +KeIsWaitListEmpty@4 +KeLeaveCriticalRegion@0 +KeLeaveGuardedRegion@0 +KeLoaderBlock DATA +KeNumberProcessors DATA +KeOrAffinityEx@12 +KePollFreezeExecution@0 +KeProcessorGroupAffinity@8 +KeProfileInterrupt@8 +KeProfileInterruptWithSource@8 +KePulseEvent@12 +KeQueryActiveGroupCount@0 +KeQueryActiveProcessorAffinity@4 +KeQueryActiveProcessorCount@4 +KeQueryActiveProcessorCountEx@4 +KeQueryActiveProcessors@0 +KeQueryDpcWatchdogInformation@4 +KeQueryGroupAffinity@4 +KeQueryGroupAffinityEx@8 +KeQueryHardwareCounterConfiguration@12 +KeQueryHighestNodeNumber@0 +KeQueryInterruptTime@0 +KeQueryLogicalProcessorRelationship@16 +KeQueryMaximumGroupCount@0 +KeQueryMaximumProcessorCount@0 +KeQueryMaximumProcessorCountEx@4 +KeQueryNodeActiveAffinity@12 +KeQueryNodeMaximumProcessorCount@4 +KeQueryPriorityThread@4 +KeQueryRuntimeThread@8 +KeQuerySystemTime@4 +KeQueryTickCount@4 +KeQueryTimeIncrement@0 +KeQueryUnbiasedInterruptTime@0 +KeRaiseUserException@4 +KeReadStateEvent@4 +KeReadStateMutant@4 +KeReadStateMutex@4 +KeReadStateQueue@4 +KeReadStateSemaphore@4 +KeReadStateTimer@4 +KeRegisterBugCheckCallback@20 +KeRegisterBugCheckReasonCallback@16 +KeRegisterNmiCallback@8 +KeRegisterProcessorChangeCallback@12 +KeReleaseInterruptSpinLock@8 +KeReleaseMutant@16 +KeReleaseMutex@8 +KeReleaseSemaphore@16 +KeReleaseSpinLockFromDpcLevel@4 +KeRemoveByKeyDeviceQueue@8 +KeRemoveByKeyDeviceQueueIfBusy@8 +KeRemoveDeviceQueue@4 +KeRemoveEntryDeviceQueue@8 +KeRemoveGroupAffinityEx@12 +KeRemoveProcessorAffinityEx@8 +KeRemoveProcessorGroupAffinity@8 +KeRemoveQueue@12 +KeRemoveQueueDpc@4 +KeRemoveQueueEx@24 +KeRemoveSystemServiceTable@4 +KeResetEvent@4 +KeRestoreExtendedProcessorState@4 +KeRestoreFloatingPointState@4 +KeRevertToUserAffinityThread@0 +KeRevertToUserAffinityThreadEx@4 +KeRevertToUserGroupAffinityThread@4 +KeRundownQueue@4 +KeSaveExtendedProcessorState@12 +KeSaveFloatingPointState@4 +KeSaveStateForHibernate@0 +KeServiceDescriptorTable DATA +KeSetActualBasePriorityThread@8 +KeSetAffinityThread@8 +KeSetBasePriorityThread@8 +KeSetCoalescableTimer@24 +KeSetDmaIoCoherency@4 +KeSetEvent@12 +KeSetEventBoostPriority@8 +KeSetHardwareCounterConfiguration@8 +KeSetIdealProcessorThread@8 +KeSetImportanceDpc@8 +KeSetKernelStackSwapEnable@4 +KeSetPriorityThread@8 +KeSetProfileIrql@4 +KeSetSystemAffinityThread@4 +KeSetSystemAffinityThreadEx@4 +KeSetSystemGroupAffinityThread@8 +KeSetTargetProcessorDpc@8 +KeSetTargetProcessorDpcEx@8 +KeSetTimeIncrement@8 +KeSetTimer@16 +KeSetTimerEx@20 +KeSignalCallDpcDone@4 +KeSignalCallDpcSynchronize@4 +KeStackAttachProcess@8 +KeStartDynamicProcessor@16 +KeSubtractAffinityEx@12 +KeSynchronizeExecution@12 +KeTestAlertThread@4 +KeTickCount DATA +KeUnstackDetachProcess@4 +KeUpdateSystemTime@0 +KeUserModeCallback@20 +KeWaitForMultipleObjects@32 +KeWaitForMutexObject@20 +KeWaitForSingleObject@20 +KiBugCheckData DATA +KiCheckForKernelApcDelivery@0 +KiCoprocessorError@0 +KiDeliverApc@12 +KiDispatchInterrupt@0 +KiIpiServiceRoutine@8 +;KiUnexpectedInterrupt ; Check!!! Couldn't determine function argument count. Function doesn't return. +LdrAccessResource@16 +LdrEnumResources@20 +LdrFindResourceDirectory_U@16 +LdrFindResourceEx_U@20 +LdrFindResource_U@16 +LdrResFindResource@36 +LdrResFindResourceDirectory@28 +LdrResSearchResource@32 +LpcPortObjectType DATA +LpcReplyWaitReplyPort@12 +LpcRequestPort@8 +LpcRequestWaitReplyPort@12 +LpcRequestWaitReplyPortEx@12 +LpcSendWaitReceivePort@28 +LsaCallAuthenticationPackage@28 +LsaDeregisterLogonProcess@4 +LsaFreeReturnBuffer@4 +LsaLogonUser@56 +LsaLookupAuthenticationPackage@12 +LsaRegisterLogonProcess@12 +Mm64BitPhysicalAddress DATA +MmAddPhysicalMemory@8 +MmAddVerifierThunks@8 +MmAdjustWorkingSetSize@16 +MmAdvanceMdl@8 +MmAllocateContiguousMemory@12 +MmAllocateContiguousMemorySpecifyCache@32 +MmAllocateContiguousMemorySpecifyCacheNode@36 +MmAllocateMappingAddress@8 +MmAllocateNonCachedMemory@4 +MmAllocatePagesForMdl@28 +MmAllocatePagesForMdlEx@36 +MmBadPointer DATA +MmBuildMdlForNonPagedPool@4 +MmCanFileBeTruncated@8 +MmCommitSessionMappedView@8 +MmCopyVirtualMemory@28 +MmCreateMdl@12 +MmCreateMirror@0 +MmCreateSection@32 +MmDisableModifiedWriteOfSection@4 +MmDoesFileHaveUserWritableReferences@4 +MmFlushImageSection@8 +MmForceSectionClosed@8 +MmFreeContiguousMemory@4 +MmFreeContiguousMemorySpecifyCache@12 +MmFreeMappingAddress@8 +MmFreeNonCachedMemory@8 +MmFreePagesFromMdl@4 +MmGetPhysicalAddress@4 +MmGetPhysicalMemoryRanges@0 +MmGetSystemRoutineAddress@4 +MmGetVirtualForPhysical@8 +MmGrowKernelStack@4 +MmHighestUserAddress DATA +MmIsAddressValid@4 +MmIsDriverVerifying@4 +MmIsDriverVerifyingByAddress@4 +MmIsIoSpaceActive@12 +MmIsNonPagedSystemAddressValid@4 +MmIsRecursiveIoFault@0 +MmIsThisAnNtAsSystem@0 +MmIsVerifierEnabled@4 +MmLockPagableDataSection@4 +MmLockPagableImageSection@4 +MmLockPagableSectionByHandle@4 +MmMapIoSpace@16 +MmMapLockedPages@8 +MmMapLockedPagesSpecifyCache@24 +MmMapLockedPagesWithReservedMapping@16 +MmMapMemoryDumpMdl@4 +MmMapUserAddressesToPage@12 +MmMapVideoDisplay@16 +MmMapViewInSessionSpace@12 +MmMapViewInSystemSpace@12 +MmMapViewOfSection@40 +MmMarkPhysicalMemoryAsBad@8 +MmMarkPhysicalMemoryAsGood@8 +MmPageEntireDriver@4 +MmPrefetchPages@8 +MmProbeAndLockPages@12 +MmProbeAndLockProcessPages@16 +MmProbeAndLockSelectedPages@16 +MmProtectMdlSystemAddress@8 +MmQuerySystemSize@0 +MmRemovePhysicalMemory@8 +MmResetDriverPaging@4 +MmRotatePhysicalView@24 +MmSectionObjectType DATA +MmSecureVirtualMemory@12 +MmSetAddressRangeModified@8 +MmSetBankedSection@24 +MmSizeOfMdl@8 +MmSystemRangeStart DATA +MmTrimAllSystemPagableMemory@4 +MmUnlockPagableImageSection@4 +MmUnlockPages@4 +MmUnmapIoSpace@8 +MmUnmapLockedPages@8 +MmUnmapReservedMapping@12 +MmUnmapVideoDisplay@8 +MmUnmapViewInSessionSpace@4 +MmUnmapViewInSystemSpace@4 +MmUnmapViewOfSection@8 +MmUnsecureVirtualMemory@4 +MmUserProbeAddress DATA +NlsAnsiCodePage DATA +NlsLeadByteInfo DATA +NlsMbCodePageTag DATA +NlsMbOemCodePageTag DATA +NlsOemCodePage DATA +NlsOemLeadByteInfo DATA +NtAddAtom@12 +NtAdjustPrivilegesToken@24 +NtAllocateLocallyUniqueId@4 +NtAllocateUuids@16 +NtAllocateVirtualMemory@24 +NtBuildGUID@0 +NtBuildLab@0 +NtBuildNumber@0 +NtClose@4 +NtCommitComplete@8 +NtCommitEnlistment@8 +NtCommitTransaction@8 +NtConnectPort@32 +NtCreateEnlistment@32 +NtCreateEvent@20 +NtCreateFile@44 +NtCreateResourceManager@28 +NtCreateSection@28 +NtCreateTransaction@40 +NtCreateTransactionManager@24 +NtDeleteAtom@4 +NtDeleteFile@4 +NtDeviceIoControlFile@40 +NtDuplicateObject@28 +NtDuplicateToken@24 +NtEnumerateTransactionObject@20 +NtFindAtom@12 +NtFreeVirtualMemory@16 +NtFreezeTransactions@8 +NtFsControlFile@40 +NtGetEnvironmentVariableEx@20 +NtGetNotificationResourceManager@28 +NtGlobalFlag DATA +NtLockFile@40 +NtMakePermanentObject@4 +NtMapViewOfSection@40 +NtNotifyChangeDirectoryFile@36 +NtOpenEnlistment@20 +NtOpenFile@24 +NtOpenProcess@16 +NtOpenProcessToken@12 +NtOpenProcessTokenEx@16 +NtOpenResourceManager@20 +NtOpenThread@16 +NtOpenThreadToken@16 +NtOpenThreadTokenEx@20 +NtOpenTransaction@20 +NtOpenTransactionManager@24 +NtPrePrepareComplete@8 +NtPrePrepareEnlistment@8 +NtPrepareComplete@8 +NtPrepareEnlistment@8 +NtPropagationComplete@16 +NtPropagationFailed@12 +NtQueryDirectoryFile@44 +NtQueryEaFile@36 +NtQueryEnvironmentVariableInfoEx@16 +NtQueryInformationAtom@20 +NtQueryInformationEnlistment@20 +NtQueryInformationFile@20 +NtQueryInformationProcess@20 +NtQueryInformationResourceManager@20 +NtQueryInformationThread@20 +NtQueryInformationToken@20 +NtQueryInformationTransaction@20 +NtQueryInformationTransactionManager@20 +NtQueryQuotaInformationFile@36 +NtQuerySecurityAttributesToken@24 +NtQuerySecurityObject@20 +NtQuerySystemInformation@16 +NtQuerySystemInformationEx@24 +NtQueryVolumeInformationFile@20 +NtReadFile@36 +NtReadOnlyEnlistment@8 +NtRecoverEnlistment@8 +NtRecoverResourceManager@4 +NtRecoverTransactionManager@4 +NtRequestPort@8 +NtRequestWaitReplyPort@12 +NtRollbackComplete@8 +NtRollbackEnlistment@8 +NtRollbackTransaction@8 +NtSetEaFile@16 +NtSetEvent@8 +NtSetInformationEnlistment@16 +NtSetInformationFile@20 +NtSetInformationProcess@16 +NtSetInformationResourceManager@16 +NtSetInformationThread@16 +NtSetInformationToken@16 +NtSetInformationTransaction@16 +NtSetQuotaInformationFile@16 +NtSetSecurityObject@12 +NtSetVolumeInformationFile@20 +NtShutdownSystem@4 +NtThawTransactions@0 +NtTraceControl@24 +NtTraceEvent@16 +NtUnlockFile@20 +NtVdmControl@8 +NtWaitForSingleObject@12 +NtWriteFile@36 +ObAssignSecurity@16 +ObCheckCreateObjectAccess@28 +ObCheckObjectAccess@20 +ObCloseHandle@8 +ObCreateObject@36 +ObCreateObjectType@16 +ObDeleteCapturedInsertInfo@4 +ObDereferenceObject@4 +ObDereferenceObjectDeferDelete@4 +ObDereferenceObjectDeferDeleteWithTag@8 +ObDereferenceSecurityDescriptor@8 +ObFindHandleForObject@20 +ObGetFilterVersion@0 +ObGetObjectSecurity@12 +ObGetObjectType@4 +ObInsertObject@24 +ObIsDosDeviceLocallyMapped@8 +ObIsKernelHandle@4 +ObLogSecurityDescriptor@12 +ObMakeTemporaryObject@4 +ObOpenObjectByName@28 +ObOpenObjectByPointer@28 +ObOpenObjectByPointerWithTag@32 +ObQueryNameInfo@4 +ObQueryNameString@16 +ObQueryObjectAuditingByHandle@8 +ObReferenceObjectByHandle@24 +ObReferenceObjectByHandleWithTag@28 +ObReferenceObjectByName@32 +ObReferenceObjectByPointer@16 +ObReferenceObjectByPointerWithTag@20 +ObReferenceSecurityDescriptor@8 +ObRegisterCallbacks@8 +ObReleaseObjectSecurity@8 +ObSetHandleAttributes@12 +ObSetSecurityDescriptorInfo@24 +ObSetSecurityObjectByPointer@12 +ObUnRegisterCallbacks@4 +POGOBuffer DATA +PcwAddInstance@20 +PcwCloseInstance@4 +PcwCreateInstance@20 +PcwRegister@8 +PcwUnregister@4 +PfFileInfoNotify@4 +PfxFindPrefix@8 +PfxInitialize@4 +PfxInsertPrefix@12 +PfxRemovePrefix@8 +PoCallDriver@8 +PoCancelDeviceNotify@4 +PoClearPowerRequest@8 +PoCreatePowerRequest@12 +PoDeletePowerRequest@4 +PoDisableSleepStates@12 +PoEndDeviceBusy@4 +PoGetSystemWake@4 +PoQueryWatchdogTime@8 +PoQueueShutdownWorkItem@4 +PoReenableSleepStates@4 +PoRegisterDeviceForIdleDetection@16 +PoRegisterDeviceNotify@24 +PoRegisterPowerSettingCallback@20 +PoRegisterSystemState@8 +PoRequestPowerIrp@24 +PoRequestShutdownEvent@4 +PoSetDeviceBusyEx@4 +PoSetFixedWakeSource@4 +PoSetHiberRange@20 +PoSetPowerRequest@8 +PoSetPowerState@12 +PoSetSystemState@4 +PoSetSystemWake@4 +PoShutdownBugCheck@4 +PoStartDeviceBusy@4 +PoStartNextPowerIrp@4 +PoUnregisterPowerSettingCallback@4 +PoUnregisterSystemState@4 +PoUserShutdownInitiated@0 +ProbeForRead@12 +ProbeForWrite@12 +PsCreateSystemProcess@12 +PsAcquireProcessExitSynchronization@4 +PsAssignImpersonationToken@8 +PsChargePoolQuota@12 +PsChargeProcessCpuCycles@12 +PsChargeProcessNonPagedPoolQuota@8 +PsChargeProcessPagedPoolQuota@8 +PsChargeProcessPoolQuota@12 +PsCreateSystemThread@28 +PsDereferenceImpersonationToken@4 +PsDereferencePrimaryToken@4 +PsDisableImpersonation@8 +PsEnterPriorityRegion@0 +PsEstablishWin32Callouts@4 +PsGetContextThread@12 +PsGetCurrentProcess@0 +PsGetCurrentProcessId@0 +PsGetCurrentProcessSessionId@0 +PsGetCurrentProcessWin32Process@0 +PsGetCurrentThread@0 +PsGetCurrentThreadId@0 +PsGetCurrentThreadPreviousMode@0 +PsGetCurrentThreadProcess@0 +PsGetCurrentThreadProcessId@0 +PsGetCurrentThreadStackBase@0 +PsGetCurrentThreadStackLimit@0 +PsGetCurrentThreadTeb@0 +PsGetCurrentThreadWin32Thread@0 +PsGetCurrentThreadWin32ThreadAndEnterCriticalRegion@4 +PsGetJobLock@4 +PsGetJobSessionId@4 +PsGetJobUIRestrictionsClass@4 +PsGetProcessCreateTimeQuadPart@4 +PsGetProcessDebugPort@4 +PsGetProcessExitProcessCalled@4 +PsGetProcessExitStatus@4 +PsGetProcessExitTime@0 +PsGetProcessId@4 +PsGetProcessImageFileName@4 +PsGetProcessInheritedFromUniqueProcessId@4 +PsGetProcessJob@4 +PsGetProcessPeb@4 +PsGetProcessPriorityClass@4 +PsGetProcessSectionBaseAddress@4 +PsGetProcessSecurityPort@4 +PsGetProcessSessionId@4 +PsGetProcessSessionIdEx@4 +PsGetProcessWin32Process@4 +PsGetProcessWin32WindowStation@4 +PsGetThreadFreezeCount@4 +PsGetThreadHardErrorsAreDisabled@4 +PsGetThreadId@4 +PsGetThreadProcess@4 +PsGetThreadProcessId@4 +PsGetThreadSessionId@4 +PsGetThreadTeb@4 +PsGetThreadWin32Thread@4 +PsGetVersion@16 +PsImpersonateClient@20 +PsInitialSystemProcess DATA +PsIsCurrentThreadPrefetching@0 +PsIsProcessBeingDebugged@4 +PsIsProtectedProcess@4 +PsIsSystemProcess@4 +PsIsSystemThread@4 +PsIsThreadImpersonating@4 +PsIsThreadTerminating@4 +PsJobType DATA +PsLeavePriorityRegion@0 +PsLookupProcessByProcessId@8 +PsLookupProcessThreadByCid@12 +PsLookupThreadByThreadId@8 +PsProcessType DATA +PsQueryProcessExceptionFlags@12 +PsReferenceImpersonationToken@16 +PsReferencePrimaryToken@4 +PsReferenceProcessFilePointer@8 +PsReleaseProcessExitSynchronization@4 +PsRemoveCreateThreadNotifyRoutine@4 +PsRemoveLoadImageNotifyRoutine@4 +PsRestoreImpersonation@8 +PsResumeProcess@4 +PsReturnPoolQuota@12 +PsReturnProcessNonPagedPoolQuota@8 +PsReturnProcessPagedPoolQuota@8 +PsRevertThreadToSelf@4 +PsRevertToSelf@0 +PsSetContextThread@12 +PsSetCreateProcessNotifyRoutine@8 +PsSetCreateProcessNotifyRoutineEx@8 +PsSetCreateThreadNotifyRoutine@4 +PsSetCurrentThreadPrefetching@4 +PsSetJobUIRestrictionsClass@8 +PsSetLegoNotifyRoutine@4 +PsSetLoadImageNotifyRoutine@4 +PsSetProcessPriorityByClass@8 +PsSetProcessPriorityClass@8 +PsSetProcessSecurityPort@8 +PsSetProcessWin32Process@12 +PsSetProcessWindowStation@8 +PsSetThreadHardErrorsAreDisabled@8 +PsSetThreadWin32Thread@12 +PsSuspendProcess@4 +PsTerminateSystemThread@4 +PsThreadType DATA +PsUILanguageComitted DATA +PsWrapApcWow64Thread@8 +READ_REGISTER_BUFFER_UCHAR@12 +READ_REGISTER_BUFFER_ULONG@12 +READ_REGISTER_BUFFER_USHORT@12 +READ_REGISTER_UCHAR@4 +READ_REGISTER_ULONG@4 +READ_REGISTER_USHORT@4 +RtlAbsoluteToSelfRelativeSD@12 +RtlAddAccessAllowedAce@16 +RtlAddAccessAllowedAceEx@20 +RtlAddAce@20 +RtlAddAtomToAtomTable@12 +RtlAddRange@36 +RtlAllocateHeap@12 +RtlAnsiCharToUnicodeChar@4 +RtlAnsiStringToUnicodeSize@4 +RtlAnsiStringToUnicodeString@12 +RtlAppendAsciizToString@8 +RtlAppendStringToString@8 +RtlAppendUnicodeStringToString@8 +RtlAppendUnicodeToString@8 +RtlAreAllAccessesGranted@8 +RtlAreAnyAccessesGranted@8 +RtlAreBitsClear@12 +RtlAreBitsSet@12 +RtlAssert@16 +RtlCaptureContext@4 +RtlCaptureStackBackTrace@16 +RtlCharToInteger@12 +RtlCheckRegistryKey@8 +RtlClearAllBits@4 +RtlClearBit@8 +RtlClearBits@12 +RtlCmDecodeMemIoResource@8 +RtlCmEncodeMemIoResource@24 +RtlCompareAltitudes@8 +RtlCompareMemory@12 +RtlCompareMemoryUlong@12 +RtlCompareString@12 +RtlCompareUnicodeString@12 +RtlCompareUnicodeStrings@20 +RtlCompressBuffer@32 +RtlCompressChunks@28 +RtlComputeCrc32@12 +RtlContractHashTable@4 +RtlConvertLongToLargeInteger@4 +RtlConvertSidToUnicodeString@12 +RtlConvertUlongToLargeInteger@4 +RtlCopyLuid@8 +RtlCopyLuidAndAttributesArray@12 +RtlCopyRangeList@8 +RtlCopySid@12 +RtlCopySidAndAttributesArray@28 +RtlCopyString@8 +RtlCopyUnicodeString@8 +RtlCreateAcl@12 +RtlCreateAtomTable@8 +RtlCreateHashTable@12 +RtlCreateHeap@24 +RtlCreateRegistryKey@8 +RtlCreateSecurityDescriptor@8 +RtlCreateSystemVolumeInformationFolder@4 +RtlCreateUnicodeString@8 +RtlCustomCPToUnicodeN@24 +RtlDecompressBuffer@24 +RtlDecompressChunks@28 +RtlDecompressFragment@32 +RtlDelete@4 +RtlDeleteAce@8 +RtlDeleteAtomFromAtomTable@8 +RtlDeleteElementGenericTable@8 +RtlDeleteElementGenericTableAvl@8 +RtlDeleteHashTable@4 +RtlDeleteNoSplay@8 +RtlDeleteOwnersRanges@8 +RtlDeleteRange@24 +RtlDeleteRegistryValue@12 +RtlDescribeChunk@20 +RtlDestroyAtomTable@4 +RtlDestroyHeap@4 +RtlDowncaseUnicodeChar@4 +RtlDowncaseUnicodeString@12 +RtlDuplicateUnicodeString@12 +RtlEmptyAtomTable@8 +RtlEndEnumerationHashTable@8 +RtlEndWeakEnumerationHashTable@8 +RtlEnlargedIntegerMultiply@8 +RtlEnlargedUnsignedDivide@16 +RtlEnlargedUnsignedMultiply@8 +RtlEnumerateEntryHashTable@8 +RtlEnumerateGenericTable@8 +RtlEnumerateGenericTableAvl@8 +RtlEnumerateGenericTableLikeADirectory@28 +RtlEnumerateGenericTableWithoutSplaying@8 +RtlEnumerateGenericTableWithoutSplayingAvl@8 +RtlEqualLuid@8 +RtlEqualSid@8 +RtlEqualString@12 +RtlEqualUnicodeString@12 +RtlEthernetAddressToStringA@8 +RtlEthernetAddressToStringW@8 +RtlEthernetStringToAddressA@12 +RtlEthernetStringToAddressW@12 +RtlExpandHashTable@4 +RtlExtendedIntegerMultiply@12 +RtlExtendedLargeIntegerDivide@16 +RtlExtendedMagicDivide@20 +RtlFillMemory@12 +RtlFillMemoryUlong@12 +RtlFillMemoryUlonglong@16 +RtlFindAceByType@12 +RtlFindClearBits@12 +RtlFindClearBitsAndSet@12 +RtlFindClearRuns@16 +RtlFindClosestEncodableLength@12 +RtlFindFirstRunClear@8 +RtlFindLastBackwardRunClear@12 +RtlFindLeastSignificantBit@8 +RtlFindLongestRunClear@8 +RtlFindMessage@20 +RtlFindMostSignificantBit@8 +RtlFindNextForwardRunClear@12 +RtlFindRange@48 +RtlFindSetBits@12 +RtlFindSetBitsAndClear@12 +RtlFindUnicodePrefix@12 +RtlFormatCurrentUserKeyPath@4 +RtlFormatMessage@36 +RtlFreeAnsiString@4 +RtlFreeHeap@12 +RtlFreeOemString@4 +RtlFreeRangeList@4 +RtlFreeUnicodeString@4 +RtlGUIDFromString@8 +RtlGenerate8dot3Name@16 +RtlGetAce@12 +RtlGetCallersAddress@8 +RtlGetCompressionWorkSpaceSize@12 +RtlGetDaclSecurityDescriptor@16 +RtlGetDefaultCodePage@8 +RtlGetElementGenericTable@8 +RtlGetElementGenericTableAvl@8 +RtlGetEnabledExtendedFeatures@8 +RtlGetFirstRange@12 +RtlGetGroupSecurityDescriptor@12 +RtlGetIntegerAtom@8 +RtlGetLastRange@12 +RtlGetNextEntryHashTable@8 +RtlGetNextRange@12 +RtlGetNtGlobalFlags@0 +RtlGetOwnerSecurityDescriptor@12 +RtlGetProductInfo@20 +RtlGetSaclSecurityDescriptor@16 +RtlGetSetBootStatusData@24 +RtlGetThreadLangIdByIndex@16 +RtlGetVersion@4 +RtlHashUnicodeString@16 +RtlIdnToAscii@20 +RtlIdnToNameprepUnicode@20 +RtlIdnToUnicode@20 +RtlImageDirectoryEntryToData@16 +RtlImageNtHeader@4 +RtlInitAnsiString@8 +RtlInitAnsiStringEx@8 +RtlInitCodePageTable@8 +RtlInitEnumerationHashTable@8 +RtlInitString@8 +RtlInitUnicodeString@8 +RtlInitUnicodeStringEx@8 +RtlInitWeakEnumerationHashTable@8 +RtlInitializeBitMap@12 +RtlInitializeGenericTable@20 +RtlInitializeGenericTableAvl@20 +RtlInitializeRangeList@4 +RtlInitializeSid@12 +RtlInitializeUnicodePrefix@4 +RtlInsertElementGenericTable@16 +RtlInsertElementGenericTableAvl@16 +RtlInsertElementGenericTableFull@24 +RtlInsertElementGenericTableFullAvl@24 +RtlInsertEntryHashTable@16 +RtlInsertUnicodePrefix@12 +RtlInt64ToUnicodeString@16 +RtlIntegerToChar@16 +RtlIntegerToUnicode@16 +RtlIntegerToUnicodeString@12 +RtlInvertRangeList@8 +RtlInvertRangeListEx@20 +RtlIoDecodeMemIoResource@16 +RtlIoEncodeMemIoResource@40 +RtlIpv4AddressToStringA@8 +RtlIpv4AddressToStringExA@16 +RtlIpv4AddressToStringExW@16 +RtlIpv4AddressToStringW@8 +RtlIpv4StringToAddressA@16 +RtlIpv4StringToAddressExA@16 +RtlIpv4StringToAddressExW@16 +RtlIpv4StringToAddressW@16 +RtlIpv6AddressToStringA@8 +RtlIpv6AddressToStringExA@20 +RtlIpv6AddressToStringExW@20 +RtlIpv6AddressToStringW@8 +RtlIpv6StringToAddressA@12 +RtlIpv6StringToAddressExA@16 +RtlIpv6StringToAddressExW@16 +RtlIpv6StringToAddressW@12 +RtlIsGenericTableEmpty@4 +RtlIsGenericTableEmptyAvl@4 +RtlIsNameLegalDOS8Dot3@12 +RtlIsNormalizedString@16 +RtlIsNtDdiVersionAvailable@4 +RtlIsRangeAvailable@40 +RtlIsServicePackVersionInstalled@4 +RtlIsValidOemCharacter@4 +RtlLargeIntegerAdd@16 +RtlLargeIntegerArithmeticShift@12 +RtlLargeIntegerDivide@20 +RtlLargeIntegerNegate@8 +RtlLargeIntegerShiftLeft@12 +RtlLargeIntegerShiftRight@12 +RtlLargeIntegerSubtract@16 +RtlLengthRequiredSid@4 +RtlLengthSecurityDescriptor@4 +RtlLengthSid@4 +RtlLoadString@32 +RtlLocalTimeToSystemTime@8 +RtlLockBootStatusData@4 +RtlLookupAtomInAtomTable@12 +RtlLookupElementGenericTable@8 +RtlLookupElementGenericTableAvl@8 +RtlLookupElementGenericTableFull@16 +RtlLookupElementGenericTableFullAvl@16 +RtlLookupEntryHashTable@12 +RtlLookupFirstMatchingElementGenericTableAvl@12 +RtlMapGenericMask@8 +RtlMapSecurityErrorToNtStatus@4 +RtlMergeRangeLists@16 +RtlMoveMemory@12 +RtlMultiByteToUnicodeN@20 +RtlMultiByteToUnicodeSize@12 +RtlNextUnicodePrefix@8 +RtlNormalizeString@20 +RtlNtStatusToDosError@4 +RtlNtStatusToDosErrorNoTeb@4 +RtlNumberGenericTableElements@4 +RtlNumberGenericTableElementsAvl@4 +RtlNumberOfClearBits@4 +RtlNumberOfSetBits@4 +RtlNumberOfSetBitsUlongPtr@4 +RtlOemStringToCountedUnicodeString@12 +RtlOemStringToUnicodeSize@4 +RtlOemStringToUnicodeString@12 +RtlOemToUnicodeN@20 +RtlOwnerAcesPresent@4 +RtlPinAtomInAtomTable@8 +RtlPrefixString@12 +RtlPrefixUnicodeString@12 +RtlQueryAtomInAtomTable@24 +RtlQueryDynamicTimeZoneInformation@4 +RtlQueryElevationFlags@4 +RtlQueryModuleInformation@12 +RtlQueryRegistryValues@20 +RtlQueryTimeZoneInformation@4 +RtlRaiseException@24 +RtlRandom@4 +RtlRandomEx@4 +RtlRealPredecessor@4 +RtlRealSuccessor@4 +RtlRemoveEntryHashTable@12 +RtlRemoveUnicodePrefix@8 +RtlReplaceSidInSd@16 +RtlReserveChunk@20 +RtlRunOnceBeginInitialize@12 +RtlRunOnceComplete@12 +RtlRunOnceExecuteOnce@16 +RtlRunOnceInitialize@4 +RtlSecondsSince1970ToTime@8 +RtlSecondsSince1980ToTime@8 +RtlSelfRelativeToAbsoluteSD2@8 +RtlSelfRelativeToAbsoluteSD@44 +RtlSetAllBits@4 +RtlSetBit@8 +RtlSetBits@12 +RtlSetDaclSecurityDescriptor@16 +RtlSetDynamicTimeZoneInformation@4 +RtlSetGroupSecurityDescriptor@12 +RtlSetOwnerSecurityDescriptor@12 +RtlSetSaclSecurityDescriptor@16 +RtlSetTimeZoneInformation@4 +RtlSidHashInitialize@12 +RtlSidHashLookup@8 +RtlSizeHeap@12 +RtlSplay@4 +RtlStringFromGUID@8 +RtlSubAuthorityCountSid@4 +RtlSubAuthoritySid@8 +RtlSubtreePredecessor@4 +RtlSubtreeSuccessor@4 +RtlSystemTimeToLocalTime@8 +RtlTestBit@8 +RtlTimeFieldsToTime@8 +RtlTimeToElapsedTimeFields@8 +RtlTimeToSecondsSince1970@8 +RtlTimeToSecondsSince1980@8 +RtlTimeToTimeFields@8 +RtlTraceDatabaseAdd@16 +RtlTraceDatabaseCreate@20 +RtlTraceDatabaseDestroy@4 +RtlTraceDatabaseEnumerate@12 +RtlTraceDatabaseFind@16 +RtlTraceDatabaseLock@4 +RtlTraceDatabaseUnlock@4 +RtlTraceDatabaseValidate@4 +RtlUTF8ToUnicodeN@20 +RtlUnicodeStringToAnsiSize@4 +RtlUnicodeStringToAnsiString@12 +RtlUnicodeStringToCountedOemString@12 +RtlUnicodeStringToInteger@12 +RtlUnicodeStringToOemSize@4 +RtlUnicodeStringToOemString@12 +RtlUnicodeToCustomCPN@24 +RtlUnicodeToMultiByteN@20 +RtlUnicodeToMultiByteSize@12 +RtlUnicodeToOemN@20 +RtlUnicodeToUTF8N@20 +RtlUnlockBootStatusData@4 +RtlUnwind@16 +RtlUpcaseUnicodeChar@4 +RtlUpcaseUnicodeString@12 +RtlUpcaseUnicodeStringToAnsiString@12 +RtlUpcaseUnicodeStringToCountedOemString@12 +RtlUpcaseUnicodeStringToOemString@12 +RtlUpcaseUnicodeToCustomCPN@24 +RtlUpcaseUnicodeToMultiByteN@20 +RtlUpcaseUnicodeToOemN@20 +RtlUpperChar@4 +RtlUpperString@8 +RtlValidRelativeSecurityDescriptor@12 +RtlValidSecurityDescriptor@4 +RtlValidSid@4 +RtlValidateUnicodeString@8 +RtlVerifyVersionInfo@16 +RtlVolumeDeviceToDosName@8 +RtlWalkFrameChain@12 +RtlWeaklyEnumerateEntryHashTable@8 +RtlWriteRegistryValue@24 +RtlZeroHeap@8 +RtlZeroMemory@8 +RtlxAnsiStringToUnicodeSize@4 +RtlxOemStringToUnicodeSize@4 +RtlxUnicodeStringToAnsiSize@4 +RtlxUnicodeStringToOemSize@4 +SeAccessCheck@40 +SeAccessCheckEx@24 +SeAccessCheckFromState@40 +SeAccessCheckWithHint@44 +SeAppendPrivileges@8 +SeAssignSecurity@28 +SeAssignSecurityEx@36 +SeAuditHardLinkCreation@12 +SeAuditHardLinkCreationWithTransaction@16 +SeAuditTransactionStateChange@12 +SeAuditingAnyFileEventsWithContext@8 +SeAuditingFileEvents@8 +SeAuditingFileEventsWithContext@12 +SeAuditingFileOrGlobalEvents@12 +SeAuditingHardLinkEvents@8 +SeAuditingHardLinkEventsWithContext@12 +SeCaptureSecurityDescriptor@20 +SeCaptureSubjectContext@4 +SeCaptureSubjectContextEx@12 +SeCloseObjectAuditAlarm@12 +SeCloseObjectAuditAlarmForNonObObject@16 +SeComputeAutoInheritByObjectType@12 +SeCreateAccessState@16 +SeCreateAccessStateEx@24 +SeCreateClientSecurity@16 +SeCreateClientSecurityFromSubjectContext@16 +SeDeassignSecurity@4 +SeDeleteAccessState@4 +SeDeleteObjectAuditAlarm@8 +SeDeleteObjectAuditAlarmWithTransaction@12 +SeExamineSacl@24 +SeExports DATA +SeFilterToken@24 +SeFreePrivileges@4 +SeGetLinkedToken@12 +SeImpersonateClient@8 +SeImpersonateClientEx@8 +SeLocateProcessImageName@8 +SeLockSubjectContext@4 +SeMarkLogonSessionForTerminationNotification@4 +SeOpenObjectAuditAlarm@36 +SeOpenObjectAuditAlarmForNonObObject@44 +SeOpenObjectAuditAlarmWithTransaction@40 +SeOpenObjectForDeleteAuditAlarm@36 +SeOpenObjectForDeleteAuditAlarmWithTransaction@40 +SePrivilegeCheck@12 +SePrivilegeObjectAuditAlarm@24 +SePublicDefaultDacl DATA +SeQueryAuthenticationIdToken@8 +SeQueryInformationToken@12 +SeQuerySecurityAttributesToken@24 +SeQuerySecurityDescriptorInfo@16 +SeQuerySessionIdToken@8 +SeRegisterLogonSessionTerminatedRoutine@4 +SeReleaseSecurityDescriptor@12 +SeReleaseSubjectContext@4 +SeReportSecurityEvent@16 +SeReportSecurityEventWithSubCategory@20 +SeSetAccessStateGenericMapping@8 +SeSetAuditParameter@16 +SeSetSecurityAttributesToken@16 +SeSetSecurityDescriptorInfo@24 +SeSetSecurityDescriptorInfoEx@28 +SeSinglePrivilegeCheck@12 +SeSrpAccessCheck@24 +SeSystemDefaultDacl DATA +SeTokenImpersonationLevel@4 +SeTokenIsAdmin@4 +SeTokenIsRestricted@4 +SeTokenIsWriteRestricted@4 +SeTokenObjectType DATA +SeTokenType@4 +SeUnlockSubjectContext@4 +SeUnregisterLogonSessionTerminatedRoutine@4 +SeValidSecurityDescriptor@8 +TmCancelPropagationRequest@4 +TmCommitComplete@8 +TmCommitEnlistment@8 +TmCommitTransaction@8 +TmCreateEnlistment@36 +TmCurrentTransaction@4 +TmDereferenceEnlistmentKey@8 +TmEnableCallbacks@12 +TmEndPropagationRequest@4 +TmEnlistmentObjectType DATA +TmFreezeTransactions@12 +TmGetTransactionId@8 +TmInitSystem@0 +TmInitSystemPhase2@0 +TmInitializeResourceManager@20 +TmInitializeTransaction@36 +TmIsTransactionActive@4 +TmPrePrepareComplete@8 +TmPrePrepareEnlistment@8 +TmPrepareComplete@8 +TmPrepareEnlistment@8 +TmPropagationComplete@16 +TmPropagationFailed@12 +TmReadOnlyEnlistment@8 +TmRecoverEnlistment@8 +TmRecoverResourceManager@4 +TmRecoverTransactionManager@8 +TmReferenceEnlistmentKey@8 +TmRequestOutcomeEnlistment@8 +TmResourceManagerObjectType DATA +TmRollbackComplete@8 +TmRollbackEnlistment@8 +TmRollbackTransaction@8 +TmSetCurrentTransaction@4 +TmThawTransactions@0 +TmTransactionManagerObjectType DATA +TmTransactionObjectType DATA +TmpIsKTMCommitCoordinator@4 +VerSetConditionMask@16 +VfFailDeviceNode@0 +VfFailDriver@0 +VfFailSystemBIOS@0 +VfIsVerificationEnabled@8 +WRITE_REGISTER_BUFFER_UCHAR@12 +WRITE_REGISTER_BUFFER_ULONG@12 +WRITE_REGISTER_BUFFER_USHORT@12 +WRITE_REGISTER_UCHAR@8 +WRITE_REGISTER_ULONG@8 +WRITE_REGISTER_USHORT@8 +WheaAddErrorSource@8 +WheaConfigureErrorSource@8 +WheaGetErrorSource@4 +WheaInitializeRecordHeader@4 +WheaReportHwError@4 +WmiQueryTraceInformation@20 +WmiTraceMessage +WmiTraceMessageVa@24 +XIPDispatch@12 +ZwAccessCheckAndAuditAlarm@44 +ZwAddBootEntry@8 +ZwAddDriverEntry@8 +ZwAdjustPrivilegesToken@24 +ZwAlertThread@4 +ZwAllocateLocallyUniqueId@4 +ZwAllocateVirtualMemory@24 +ZwAlpcAcceptConnectPort@36 +ZwAlpcCancelMessage@12 +ZwAlpcConnectPort@44 +ZwAlpcCreatePort@12 +ZwAlpcCreatePortSection@24 +ZwAlpcCreateResourceReserve@16 +ZwAlpcCreateSectionView@12 +ZwAlpcCreateSecurityContext@12 +ZwAlpcDeletePortSection@12 +ZwAlpcDeleteResourceReserve@12 +ZwAlpcDeleteSectionView@12 +ZwAlpcDeleteSecurityContext@12 +ZwAlpcDisconnectPort@8 +ZwAlpcQueryInformation@20 +ZwAlpcSendWaitReceivePort@32 +ZwAlpcSetInformation@16 +ZwAssignProcessToJobObject@8 +ZwCancelIoFile@8 +ZwCancelTimer@8 +ZwClearEvent@4 +ZwClose@4 +ZwCloseObjectAuditAlarm@12 +ZwCommitComplete@8 +ZwCommitEnlistment@8 +ZwCommitTransaction@8 +ZwConnectPort@32 +ZwCreateDirectoryObject@12 +ZwCreateEnlistment@32 +ZwCreateEvent@20 +ZwCreateFile@44 +ZwCreateIoCompletion@16 +ZwCreateJobObject@12 +ZwCreateKey@28 +ZwCreateKeyTransacted@32 +ZwCreateResourceManager@28 +ZwCreateSection@28 +ZwCreateSymbolicLinkObject@16 +ZwCreateTimer@16 +ZwCreateTransaction@40 +ZwCreateTransactionManager@24 +ZwDeleteBootEntry@4 +ZwDeleteDriverEntry@4 +ZwDeleteFile@4 +ZwDeleteKey@4 +ZwDeleteValueKey@8 +ZwDeviceIoControlFile@40 +ZwDisplayString@4 +ZwDuplicateObject@28 +ZwDuplicateToken@24 +ZwEnumerateBootEntries@8 +ZwEnumerateDriverEntries@8 +ZwEnumerateKey@24 +ZwEnumerateTransactionObject@20 +ZwEnumerateValueKey@24 +ZwFlushBuffersFile@8 +ZwFlushInstructionCache@12 +ZwFlushKey@4 +ZwFlushVirtualMemory@16 +ZwFreeVirtualMemory@16 +ZwFsControlFile@40 +ZwGetNotificationResourceManager@28 +ZwImpersonateAnonymousToken@4 +ZwInitiatePowerAction@16 +ZwIsProcessInJob@8 +ZwLoadDriver@4 +ZwLoadKey@8 +ZwLoadKeyEx@32 +ZwLockFile@40 +ZwLockProductActivationKeys@8 +ZwMakeTemporaryObject@4 +ZwMapViewOfSection@40 +ZwModifyBootEntry@4 +ZwModifyDriverEntry@4 +ZwNotifyChangeKey@40 +ZwNotifyChangeSession@32 +ZwOpenDirectoryObject@12 +ZwOpenEnlistment@20 +ZwOpenEvent@12 +ZwOpenFile@24 +ZwOpenJobObject@12 +ZwOpenKey@12 +ZwOpenKeyEx@16 +ZwOpenKeyTransacted@16 +ZwOpenKeyTransactedEx@20 +ZwOpenProcess@16 +ZwOpenProcessToken@12 +ZwOpenProcessTokenEx@16 +ZwOpenResourceManager@20 +ZwOpenSection@12 +ZwOpenSession@12 +ZwOpenSymbolicLinkObject@12 +ZwOpenThread@16 +ZwOpenThreadToken@16 +ZwOpenThreadTokenEx@20 +ZwOpenTimer@12 +ZwOpenTransaction@20 +ZwOpenTransactionManager@24 +ZwPowerInformation@20 +ZwPrePrepareComplete@8 +ZwPrePrepareEnlistment@8 +ZwPrepareComplete@8 +ZwPrepareEnlistment@8 +ZwPropagationComplete@16 +ZwPropagationFailed@12 +ZwPulseEvent@8 +ZwQueryBootEntryOrder@8 +ZwQueryBootOptions@8 +ZwQueryDefaultLocale@8 +ZwQueryDefaultUILanguage@4 +ZwQueryDirectoryFile@44 +ZwQueryDirectoryObject@28 +ZwQueryDriverEntryOrder@8 +ZwQueryEaFile@36 +ZwQueryFullAttributesFile@8 +ZwQueryInformationEnlistment@20 +ZwQueryInformationFile@20 +ZwQueryInformationJobObject@20 +ZwQueryInformationProcess@20 +ZwQueryInformationResourceManager@20 +ZwQueryInformationThread@20 +ZwQueryInformationToken@20 +ZwQueryInformationTransaction@20 +ZwQueryInformationTransactionManager@20 +ZwQueryInstallUILanguage@4 +ZwQueryKey@20 +ZwQueryLicenseValue@20 +ZwQueryObject@20 +ZwQueryQuotaInformationFile@36 +ZwQuerySection@20 +ZwQuerySecurityAttributesToken@24 +ZwQuerySecurityObject@20 +ZwQuerySymbolicLinkObject@12 +ZwQuerySystemInformation@16 +ZwQueryValueKey@24 +ZwQueryVirtualMemory@24 +ZwQueryVolumeInformationFile@20 +ZwReadFile@36 +ZwReadOnlyEnlistment@8 +ZwRecoverEnlistment@8 +ZwRecoverResourceManager@4 +ZwRecoverTransactionManager@4 +ZwRemoveIoCompletion@20 +ZwRemoveIoCompletionEx@24 +ZwReplaceKey@12 +ZwRequestPort@8 +ZwRequestWaitReplyPort@12 +ZwResetEvent@8 +ZwRestoreKey@12 +ZwRollbackComplete@8 +ZwRollbackEnlistment@8 +ZwRollbackTransaction@8 +ZwSaveKey@8 +ZwSaveKeyEx@12 +ZwSecureConnectPort@36 +ZwSetBootEntryOrder@8 +ZwSetBootOptions@8 +ZwSetDefaultLocale@8 +ZwSetDefaultUILanguage@4 +ZwSetDriverEntryOrder@8 +ZwSetEaFile@16 +ZwSetEvent@8 +ZwSetInformationEnlistment@16 +ZwSetInformationFile@20 +ZwSetInformationJobObject@16 +ZwSetInformationObject@16 +ZwSetInformationProcess@16 +ZwSetInformationResourceManager@16 +ZwSetInformationThread@16 +ZwSetInformationToken@16 +ZwSetInformationTransaction@16 +ZwSetQuotaInformationFile@16 +ZwSetSecurityObject@12 +ZwSetSystemInformation@12 +ZwSetSystemTime@8 +ZwSetTimer@28 +ZwSetTimerEx@16 +ZwSetValueKey@24 +ZwSetVolumeInformationFile@20 +ZwTerminateJobObject@8 +ZwTerminateProcess@8 +ZwTraceEvent@16 +ZwTranslateFilePath@16 +ZwUnloadDriver@4 +ZwUnloadKey@4 +ZwUnloadKeyEx@8 +ZwUnlockFile@20 +ZwUnmapViewOfSection@8 +ZwWaitForMultipleObjects@20 +ZwWaitForSingleObject@12 +ZwWriteFile@36 +ZwYieldExecution@0 +_CIcos +_CIsin +_CIsqrt +_abnormal_termination +_alldiv@16 +_alldvrm@16 +_allmul@16 +_alloca_probe +_alloca_probe_16 +_alloca_probe_8 +_allrem@16 +_allshl +_allshr +_aulldiv@16 +_aulldvrm@16 +_aullrem@16 +_aullshr +;_chkstk +_except_handler2 +_except_handler3 +_global_unwind2 +_i64toa_s +_i64tow_s +_itoa +_itoa_s +_itow +_itow_s +_local_unwind2 +_ltoa_s +_ltow_s +_makepath_s +_purecall +_snprintf +_snprintf_s +_snscanf_s +_snwprintf +_snwprintf_s +_snwscanf_s +_splitpath_s +_stricmp +_strlwr +strlwr == _strlwr +_strnicmp +_strnset +_strnset_s +_strrev +_strset +_strset_s +_strtoui64 +_strupr +_swprintf +_ui64toa_s +_ui64tow_s +_ultoa_s +_ultow_s +_vsnprintf +_vsnprintf_s +_vsnwprintf +_vsnwprintf_s +_vswprintf +_wcsicmp +_wcslwr +wcslwr == _wcslwr +_wcsnicmp +_wcsnset +_wcsnset_s +_wcsrev +_wcsset_s +_wcsupr +_wmakepath_s +_wsplitpath_s +_wtoi +_wtol +atoi +atol +bsearch +isdigit +islower +isprint +isspace +isupper +isxdigit +mbstowcs +mbtowc +memchr +memcpy +memcpy_s +memmove +memmove_s +memset +psMUITest DATA +qsort +rand +sprintf +sprintf_s +srand +sscanf_s +strcat +strcat_s +strchr +strcmp +strcpy +strcpy_s +strlen +strncat +strncat_s +strncmp +strncpy +strncpy_s +strnlen +strrchr +strspn +strstr +strtok_s +swprintf +swprintf_s +swscanf_s +tolower +toupper +towlower +towupper +vDbgPrintEx@16 +vDbgPrintExWithPrefix@20 +vsprintf +vsprintf_s +vswprintf_s +wcscat +wcscat_s +wcschr +wcscmp +wcscpy +wcscpy_s +wcscspn +wcslen +wcsncat +wcsncat_s +wcsncmp +wcsncpy +wcsncpy_s +wcsnlen +wcsrchr +wcsspn +wcsstr +wcstombs +wcstoul +wctomb diff --git a/lib/libc/mingw/lib32/ntquery.def b/lib/libc/mingw/lib32/ntquery.def new file mode 100644 index 0000000000..3c90963440 --- /dev/null +++ b/lib/libc/mingw/lib32/ntquery.def @@ -0,0 +1,17 @@ +; +; Definition file of query.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "query.dll" +EXPORTS +LoadBinaryFilter@8 +LoadTextFilter@8 +BindIFilterFromStorage@12 +BindIFilterFromStream@12 +DllCanUnloadNow +DllGetClassObject@12 +DllRegisterServer +DllUnregisterServer +LoadIFilter@12 +LoadIFilterEx@16 diff --git a/lib/libc/mingw/lib32/odbccp32.def b/lib/libc/mingw/lib32/odbccp32.def new file mode 100644 index 0000000000..f8fdfd7385 --- /dev/null +++ b/lib/libc/mingw/lib32/odbccp32.def @@ -0,0 +1,54 @@ +LIBRARY ODBCCP32.dll +EXPORTS +SQLConfigDataSource@16 +SQLConfigDataSourceW@16 +SQLConfigDriver@28 +SQLConfigDriverW@28 +SQLCreateDataSource@8 +SQLCreateDataSourceW@8 +SQLGetAvailableDrivers@16 +SQLGetAvailableDriversW@16 +SQLGetConfigMode@4 +SQLGetInstalledDrivers@12 +SQLGetInstalledDriversW@12 +SQLGetPrivateProfileString@24 +SQLGetPrivateProfileStringW@24 +SQLGetTranslator@32 +SQLGetTranslatorW@32 +SQLInstallDriver@20 +SQLInstallDriverEx@28 +SQLInstallDriverExW@28 +SQLInstallDriverManager@12 +SQLInstallDriverManagerW@12 +SQLInstallDriverW@20 +SQLInstallODBC@16 +SQLInstallODBCW@16 +SQLInstallTranslator@32 +SQLInstallTranslatorEx@28 +SQLInstallTranslatorExW@28 +SQLInstallTranslatorW@32 +SQLInstallerError@20 +SQLInstallerErrorW@20 +SQLManageDataSources@4 +SQLPostInstallerError@8 +SQLPostInstallerErrorW@8 +SQLReadFileDSN@24 +SQLReadFileDSNW@24 +SQLRemoveDSNFromIni@4 +SQLRemoveDSNFromIniW@4 +SQLRemoveDefaultDataSource@0 +SQLRemoveDriver@12 +SQLRemoveDriverManager@4 +SQLRemoveDriverW@12 +SQLRemoveTranslator@8 +SQLRemoveTranslatorW@8 +SQLSetConfigMode@4 +SQLValidDSN@4 +SQLValidDSNW@4 +SQLWriteDSNToIni@8 +SQLWriteDSNToIniW@8 +SQLWriteFileDSN@16 +SQLWriteFileDSNW@16 +SQLWritePrivateProfileString@16 +SQLWritePrivateProfileStringW@16 +ODBC___GetSetupProc@4 \ No newline at end of file diff --git a/lib/libc/mingw/lib32/ole32.def b/lib/libc/mingw/lib32/ole32.def index 7f5b37c574..7a8b4d3014 100644 --- a/lib/libc/mingw/lib32/ole32.def +++ b/lib/libc/mingw/lib32/ole32.def @@ -383,8 +383,6 @@ StgOpenStorageOnHandle@24 StgOpenStorageOnILockBytes@24 StgPropertyLengthAsVariant@16 StgSetTimes@16 -StgCreateStorageEx@32 -StgOpenStorageEx@32 StringFromCLSID@8 StringFromGUID2@12 StringFromIID@8 diff --git a/lib/libc/mingw/lib32/olecli32.def b/lib/libc/mingw/lib32/olecli32.def new file mode 100644 index 0000000000..6101e31e77 --- /dev/null +++ b/lib/libc/mingw/lib32/olecli32.def @@ -0,0 +1,185 @@ +; +; Definition file of OLECLI32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "OLECLI32.dll" +EXPORTS +WEP@4 +OleDelete@4 +OleSaveToStream@8 +OleLoadFromStream@24 +OleClone@20 +OleCopyFromLink@24 +OleEqual@8 +OleQueryLinkFromClip@12 +OleQueryCreateFromClip@12 +OleCreateLinkFromClip@28 +OleCreateFromClip@28 +OleCopyToClipboard@4 +OleQueryType@8 +OleSetHostNames@12 +OleSetTargetDevice@8 +OleSetBounds@8 +OleQueryBounds@8 +OleDraw@20 +OleQueryOpen@4 +OleActivate@24 +OleUpdate@4 +OleReconnect@4 +OleGetLinkUpdateOptions@8 +OleSetLinkUpdateOptions@8 +OleEnumFormats@8 +OleClose@4 +OleGetData@12 +OleSetData@12 +OleQueryProtocol@8 +OleQueryOutOfDate@4 +OleObjectConvert@24 +OleCreateFromTemplate@32 +OleCreate@32 +OleQueryReleaseStatus@4 +OleQueryReleaseError@4 +OleQueryReleaseMethod@4 +OleCreateFromFile@36 +OleCreateLinkFromFile@40 +OleRelease@4 +OleRegisterClientDoc@16 +OleRevokeClientDoc@4 +OleRenameClientDoc@8 +OleRevertClientDoc@4 +OleSavedClientDoc@4 +OleRename@8 +OleEnumObjects@8 +OleQueryName@12 +OleSetColorScheme@8 +OleRequestData@8 +OleLockServer@8 +OleUnlockServer@4 +OleQuerySize@8 +OleExecute@12 +OleCreateInvisible@36 +OleQueryClientVersion@0 +OleIsDcMeta@4 +DocWndProc@16 +SrvrWndProc@16 +MfCallbackFunc@20 +DefLoadFromStream@36 +DefCreateFromClip@32 +DefCreateLinkFromClip@28 +DefCreateFromTemplate@32 +DefCreate@32 +DefCreateFromFile@36 +DefCreateLinkFromFile@40 +DefCreateInvisible@36 +LeRelease@4 +LeShow@8 +LeGetData@12 +LeSetData@12 +LeSetHostNames@12 +LeSetTargetDevice@8 +LeSetBounds@8 +LeSaveToStream@8 +LeClone@20 +LeCopyFromLink@20 +LeEqual@8 +LeCopy@4 +LeQueryType@8 +LeQueryBounds@8 +LeDraw@20 +LeQueryOpen@4 +LeActivate@24 +LeUpdate@4 +LeReconnect@4 +LeEnumFormat@8 +LeQueryProtocol@8 +LeQueryOutOfDate@4 +LeObjectConvert@24 +LeChangeData@16 +LeClose@4 +LeGetUpdateOptions@8 +LeSetUpdateOptions@8 +LeExecute@12 +LeObjectLong@12 +LeCreateInvisible@32 +MfRelease@4 +MfGetData@12 +MfSaveToStream@8 +MfClone@20 +MfEqual@8 +MfCopy@4 +MfQueryBounds@8 +MfDraw@20 +MfEnumFormat@8 +MfChangeData@16 +BmRelease@4 +BmGetData@12 +BmSaveToStream@8 +BmClone@20 +BmEqual@8 +BmCopy@4 +BmQueryBounds@8 +BmDraw@20 +BmEnumFormat@8 +BmChangeData@16 +DibRelease@4 +DibGetData@12 +DibSaveToStream@8 +DibClone@20 +DibEqual@8 +DibCopy@4 +DibQueryBounds@8 +DibDraw@20 +DibEnumFormat@8 +DibChangeData@16 +GenRelease@4 +GenGetData@12 +GenSetData@12 +GenSaveToStream@8 +GenClone@20 +GenEqual@8 +GenCopy@4 +GenQueryBounds@8 +GenDraw@20 +GenEnumFormat@8 +GenChangeData@16 +ErrShow@8 +ErrSetData@12 +ErrSetHostNames@12 +ErrSetTargetDevice@8 +ErrSetBounds@8 +ErrCopyFromLink@20 +ErrQueryOpen@4 +ErrActivate@24 +ErrClose@4 +ErrUpdate@4 +ErrReconnect@4 +ErrQueryProtocol@8 +ErrQueryOutOfDate@4 +ErrObjectConvert@24 +ErrGetUpdateOptions@8 +ErrSetUpdateOptions@8 +ErrExecute@12 +ErrObjectLong@12 +PbLoadFromStream@36 +PbCreateFromClip@32 +PbCreateLinkFromClip@28 +PbCreateFromTemplate@32 +PbCreate@32 +PbDraw@20 +PbQueryBounds@8 +PbCopyToClipboard@4 +PbCreateFromFile@36 +PbCreateLinkFromFile@40 +PbEnumFormats@8 +PbGetData@12 +PbCreateInvisible@36 +ObjQueryName@12 +ObjRename@8 +ObjQueryType@8 +ObjQuerySize@8 +ConnectDlgProc@16 +SetNetName@4 +CheckNetDrive@8 +SetNextNetDrive@12 +GetTaskVisibleWindow@8 diff --git a/lib/libc/mingw/lib32/olepro32.def b/lib/libc/mingw/lib32/olepro32.def new file mode 100644 index 0000000000..171bb5fe88 --- /dev/null +++ b/lib/libc/mingw/lib32/olepro32.def @@ -0,0 +1,18 @@ +; +; Definition file of OLEPRO32.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "OLEPRO32.DLL" +EXPORTS +OleIconToCursor@8 +OleCreatePropertyFrameIndirect@4 +OleCreatePropertyFrame@44 +OleLoadPicture@20 +OleCreatePictureIndirect@16 +OleCreateFontIndirect@12 +OleTranslateColor@12 +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 diff --git a/lib/libc/mingw/lib32/olesvr32.def b/lib/libc/mingw/lib32/olesvr32.def new file mode 100644 index 0000000000..2266ab18f0 --- /dev/null +++ b/lib/libc/mingw/lib32/olesvr32.def @@ -0,0 +1,30 @@ +; +; Definition file of OLESVR32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "OLESVR32.dll" +EXPORTS +WEP@4 +OleRegisterServer@20 +OleRevokeServer@4 +OleBlockServer@4 +OleUnblockServer@8 +OleRegisterServerDoc@16 +OleRevokeServerDoc@4 +OleRenameServerDoc@8 +OleRevertServerDoc@4 +OleSavedServerDoc@4 +OleRevokeObject@4 +OleQueryServerVersion@0 +SrvrWndProc@16 +DocWndProc@16 +ItemWndProc@16 +SendDataMsg@12 +FindItemWnd@8 +ItemCallBack@12 +TerminateClients@12 +TerminateDocClients@12 +DeleteClientInfo@12 +SendRenameMsg@12 +EnumForTerminate@12 diff --git a/lib/libc/mingw/lib32/olethk32.def b/lib/libc/mingw/lib32/olethk32.def new file mode 100644 index 0000000000..6f100c05c4 --- /dev/null +++ b/lib/libc/mingw/lib32/olethk32.def @@ -0,0 +1,21 @@ +; +; Definition file of OLETHK32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "OLETHK32.dll" +EXPORTS +InvokeOn32@12 +IntOpInitialize@12 +CallbackProcessing_3216@12 +IUnknownObj32@12 +CSm16ReleaseHandler_Release32@12 +ThkMgrInitialize@12 +ThkMgrUninitialize@12 +TransformHRESULT_1632@4 +TransformHRESULT_3216@4 +ConvertObjDescriptor@8 +ConvertHr1632Thunk@12 +ConvertHr3216Thunk@12 +IntOpUninitialize@12 +ThkAddAppCompatFlag@4 diff --git a/lib/libc/mingw/lib32/p2pcollab.def b/lib/libc/mingw/lib32/p2pcollab.def new file mode 100644 index 0000000000..d0de1d5e0a --- /dev/null +++ b/lib/libc/mingw/lib32/p2pcollab.def @@ -0,0 +1,92 @@ +; +; Definition file of P2PCOLLAB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "P2PCOLLAB.dll" +EXPORTS +AIApplicationGetRegistrationInfo@12 +AIApplicationRegister@8 +AIApplicationUnregister@8 +AIAsyncSend@20 +AICancel@4 +AICloseHandle@4 +AIEnumApplicationRegistrationInfo@8 +AIGetApplicationLaunchInfo@4 +AIGetResponse@8 +AIRespond@8 +AIShutdown@0 +AISpecificStart@4 +AISpecificStop@0 +AIStartup@8 +AISyncSend@16 +CollabAddContact@8 +CollabConvertBitmapToPicture@12 +CollabConvertPicture@12 +CollabConvertPictureToBitmap@8 +CollabCreateXMLContactBlob@12 +CollabDeleteContact@4 +CollabDisableAutoStart@0 +CollabDisplayPrivacyWebpage@8 +CollabEnableAutoStart@0 +CollabEnumContacts@4 +CollabExportContact@8 +CollabExportScopedContact@12 +CollabGetContact@8 +CollabGetContactPicture@16 +CollabGetScopedContact@12 +CollabGetSignInInfo@4 +CollabGetUserSettings@4 +CollabLayerInitialize@8 +CollabLayerShutdown@0 +CollabLoadPrivacyStmt@8 +CollabParseContact@8 +CollabPublicationInitialize@8 +CollabPublicationListen@4 +CollabPublicationPublish@0 +CollabPublicationShutdown@0 +CollabPublicationStopListen@4 +CollabPublicationUnpublish@0 +CollabRegisterIPAddrChange@4 +CollabSetSignInInfo@4 +CollabSetUserSettings@8 +CollabSetup@4 +CollabTrimNicknameSpaces@12 +CollabUnregisterIPAddrChange@4 +CollabUpdateContact@4 +ContactManagerCleanup@0 +ContactManagerInit@4 +PeopleNearMeGetEndpointsNearMe@8 +PeopleNearMeInitialize@4 +PeopleNearMeSignin@4 +PeopleNearMeSignout@0 +PeopleNearMeUninitialize@0 +PeopleNearMeUpdateEndpointName@4 +PeopleNearMeUpdateFriendlyName@4 +SPDeleteContact@4 +SPEndRequest@4 +SPGetApplications@16 +SPGetEndpointName@4 +SPGetEndpoints@12 +SPGetObjects@16 +SPGetPresenceInfo@8 +SPPublishObject@8 +SPQueryContactData@8 +SPRegisterApplication@4 +SPRequestPublishedItems@4 +SPSetEndpointName@4 +SPSetPresenceInfo@4 +SPSubscribeEndpoint@8 +SPUnpublishObjects@4 +SPUnregisterApplication@4 +SPUnsubscribeEndpoint@8 +SPUnsubscribeOnRundown@4 +SPUpdateContact@8 +SPUpdateMeContact@0 +SPUpdateUserPicture@0 +SPUpdateUserSettings@4 +SSPAddCredentials@12 +SSPRemoveCredentials@4 +DllMain@12 +InitSecurityInterfaceW@0 +QuerySecurityPackageInfoW@8 diff --git a/lib/libc/mingw/lib32/pcwum.def b/lib/libc/mingw/lib32/pcwum.def new file mode 100644 index 0000000000..23805cff0c --- /dev/null +++ b/lib/libc/mingw/lib32/pcwum.def @@ -0,0 +1,46 @@ +; +; Definition file of pcwum.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "pcwum.dll" +EXPORTS +PcwAddQueryItem@36 +PcwClearCounterSetSecurity@4 +PcwCollectData@16 +PcwCompleteNotification@20 +PcwCreateNotifier@8 +PcwCreateQuery@8 +PcwDisconnectCounterSet@8 +PcwEnumerateInstances@24 +PcwIsNotifierAlive@12 +PcwQueryCounterSetSecurity@20 +PcwReadNotificationData@16 +PcwRegisterCounterSet@12 +PcwRemoveQueryItem@8 +PcwSendNotification@32 +PcwSendStatelessNotification@32 +PcwSetCounterSetSecurity@12 +PcwSetQueryItemUserData@12 +PerfCreateInstance@16 +PerfDecrementULongCounterValue@16 +PerfDecrementULongLongCounterValue@20 +PerfDeleteInstance@8 +PerfIncrementULongCounterValue@16 +PerfIncrementULongLongCounterValue@20 +PerfQueryInstance@16 +PerfSetCounterRefValue@16 +PerfSetCounterSetInfo@12 +PerfSetULongCounterValue@16 +PerfSetULongLongCounterValue@20 +PerfStartProvider@12 +PerfStartProviderEx@12 +PerfStopProvider@4 +StmAlignSize@4 +StmAllocateFlat@8 +StmCoalesceChunks@12 +StmDeinitialize@4 +StmInitialize@20 +StmReduceSize@8 +StmReserve@12 +StmWrite@12 diff --git a/lib/libc/mingw/lib32/pdhui.def b/lib/libc/mingw/lib32/pdhui.def new file mode 100644 index 0000000000..cc94674463 --- /dev/null +++ b/lib/libc/mingw/lib32/pdhui.def @@ -0,0 +1,17 @@ +; +; Definition file of pdhui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "pdhui.dll" +EXPORTS +PdhUiBrowseCountersA@4 +PdhUiBrowseCountersExA@4 +PdhUiBrowseCountersExHA@4 +PdhUiBrowseCountersExHW@4 +PdhUiBrowseCountersExW@4 +PdhUiBrowseCountersHA@4 +PdhUiBrowseCountersHW@4 +PdhUiBrowseCountersW@4 +PdhUiSelectDataSourceA@16 +PdhUiSelectDataSourceW@16 diff --git a/lib/libc/mingw/lib32/penwin32.def b/lib/libc/mingw/lib32/penwin32.def new file mode 100644 index 0000000000..0efc7f73a5 --- /dev/null +++ b/lib/libc/mingw/lib32/penwin32.def @@ -0,0 +1,101 @@ +LIBRARY PENWIN32.DLL +EXPORTS +AddInksetInterval@8 +AddPenDataHRC@8 +AddPenInputHRC@20 +AddPointsPenData@16 +AddWordsHWL@12 +BoundingRectFromPoints@12 +CharacterToSymbol@12 +CompressPenData@12 +ConfigHREC@16 +CorrectWriting@24 +CreateCompatibleHRC@8 +CreateHWL@16 +CreateInkset@4 +CreateInksetHRCRESULT@12 +CreatePenDataEx@16 +CreatePenDataHRC@4 +CreatePenDataRegion@8 +DPtoTP@8 +DestroyHRC@4 +DestroyHRCRESULT@4 +DestroyHWL@4 +DestroyInkset@4 +DestroyPenData@4 +DoDefaultPenInput@8 +DrawPenDataEx@40 +DuplicatePenData@8 +EnableGestureSetHRC@12 +EnableSystemDictionaryHRC@8 +EndPenInputHRC@4 +ExtractPenDataPoints@28 +ExtractPenDataStrokes@20 +GetAlphabetHRC@12 +GetAlphabetPriorityHRC@12 +GetAlternateWordsHRCRESULT@20 +GetBoxMappingHRCRESULT@16 +GetBoxResultsHRC@24 +GetGuideHRC@12 +GetHRECFromHRC@4 +GetHotspotsHRCRESULT@16 +GetInksetInterval@12 +GetInksetIntervalCount@4 +GetInternationalHRC@20 +GetMaxResultsHRC@4 +GetPenAppFlags@0 +GetPenAsyncState@4 +GetPenDataAttributes@12 +GetPenDataInfo@16 +GetPenInput@24 +GetPenMiscInfo@8 +GetPointsFromPenData@20 +GetResultsHRC@16 +GetStrokeAttributes@16 +GetStrokeTableAttributes@16 +GetSymbolCountHRCRESULT@4 +GetSymbolsHRCRESULT@16 +GetVersionPenWin@0 +GetWordlistCoercionHRC@4 +GetWordlistHRC@8 +HitTestPenData@20 +InsertPenData@12 +InsertPenDataPoints@24 +InsertPenDataStroke@20 +InstallRecognizer@4 +IsPenEvent@8 +MetricScalePenData@8 +OffsetPenData@12 +PeekPenInput@20 +PenDataFromBuffer@20 +PenDataToBuffer@16 +ProcessHRC@8 +ReadHWL@8 +RedisplayPenData@24 +RemovePenDataStrokes@12 +ResizePenData@8 +SetAlphabetHRC@12 +SetAlphabetPriorityHRC@12 +SetBoxAlphabetHRC@12 +SetGuideHRC@12 +SetInternationalHRC@20 +SetMaxResultsHRC@8 +SetPenAppFlags@8 +SetPenMiscInfo@8 +SetResultsHookHREC@8 +SetStrokeAttributes@16 +SetStrokeTableAttributes@16 +SetWordlistCoercionHRC@8 +SetWordlistHRC@8 +StartInking@12 +StartPenInput@16 +StopInking@4 +StopPenInput@12 +SymbolToCharacter@16 +TPtoDP@8 +TargetPoints@20 +TrainHREC@20 +TrimPenData@12 +UnhookResultsHookHREC@8 +UninstallRecognizer@4 +WriteHWL@8 diff --git a/lib/libc/mingw/lib32/pkpd32.def b/lib/libc/mingw/lib32/pkpd32.def new file mode 100644 index 0000000000..58fbc27ab2 --- /dev/null +++ b/lib/libc/mingw/lib32/pkpd32.def @@ -0,0 +1,36 @@ +LIBRARY PKPD32.DLL +EXPORTS +AddInksetInterval@8 +AddPointsPenData@16 +BoundingRectFromPoints@12 +CompressPenData@12 +CreateInkset@4 +CreatePenDataEx@16 +CreatePenDataRegion@8 +DestroyInkset@4 +DestroyPenData@4 +DrawPenDataEx@40 +DuplicatePenData@8 +ExtractPenDataPoints@28 +ExtractPenDataStrokes@20 +GetInksetInterval@12 +GetInksetIntervalCount@4 +GetPenDataAttributes@12 +GetPenDataInfo@16 +GetPointsFromPenData@20 +GetStrokeAttributes@16 +GetStrokeTableAttributes@16 +HitTestPenData@20 +InsertPenData@12 +InsertPenDataPoints@24 +InsertPenDataStroke@20 +MetricScalePenData@8 +OffsetPenData@12 +PenDataFromBuffer@20 +PenDataToBuffer@16 +RedisplayPenData@24 +RemovePenDataStrokes@12 +ResizePenData@8 +SetStrokeAttributes@16 +SetStrokeTableAttributes@16 +TrimPenData@12 diff --git a/lib/libc/mingw/lib32/profapi.def b/lib/libc/mingw/lib32/profapi.def new file mode 100644 index 0000000000..34462021fd --- /dev/null +++ b/lib/libc/mingw/lib32/profapi.def @@ -0,0 +1,21 @@ +LIBRARY profapi + +EXPORTS + +CreateAppContainerEnumerator@8 +CreateEnvBlock@12 +DeleteAppContainerEnumerator@4 +DestroyEnvBlock@4 +ExpandEnvStringForUser@16 +GetAppContainerPath@12 +GetAppContainerPathFromSidString@16 +GetAppContainerRegistryHandle@8 +GetAppContainerRegistryHandleFromName@20 +GetAppContainerRegistryPath@8 +GetAppContainerSpecificSubPath@16 +GetBasicProfileFolderPath@16 +GetBasicProfileFolderPathAlloc@12 +GetBasicProfileFolderPathEx@20 +GetNextAppContainerSid@8 +LoadProfileBasic@8 +UnloadProfileBasic@8 diff --git a/lib/libc/mingw/lib32/qutil.def b/lib/libc/mingw/lib32/qutil.def new file mode 100644 index 0000000000..112961f5ef --- /dev/null +++ b/lib/libc/mingw/lib32/qutil.def @@ -0,0 +1,27 @@ +; +; Definition file of QUtil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "QUtil.dll" +EXPORTS +AllocConnections@8 +AllocCountedString@8 +AllocFixupInfo@8 +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +FreeConnections@4 +FreeCountedString@4 +FreeFixupInfo@4 +FreeIsolationInfo@4 +FreeIsolationInfoEx@4 +FreeNapComponentRegistrationInfoArray@8 +FreeNetworkSoH@4 +FreePrivateData@4 +FreeSoH@4 +FreeSoHAttributeValue@8 +FreeSystemHealthAgentState@4 +InitializeNapAgentNotifier@8 +UninitializeNapAgentNotifier@4 diff --git a/lib/libc/mingw/lib32/rapi.def b/lib/libc/mingw/lib32/rapi.def new file mode 100644 index 0000000000..730faa2948 --- /dev/null +++ b/lib/libc/mingw/lib32/rapi.def @@ -0,0 +1,84 @@ +LIBRARY RAPI.DLL +EXPORTS +CeCheckPassword@4 +CeCloseHandle@4 +CeCopyFile@12 +CeCreateDatabase@16 +CeCreateDirectory@8 +CeCreateFile@28 +CeCreateProcess@40 +CeDeleteDatabase@4 +CeDeleteFile@4 +CeDeleteRecord@8 +CeFindAllDatabases@16 +CeFindAllFiles@16 +CeFindClose@4 +CeFindFirstDatabase@4 +CeFindFirstFile@8 +CeFindNextDatabase@4 +CeFindNextFile@8 +CeGetClassName@12 +CeGetDesktopDeviceCaps@4 +CeGetFileAttributes@4 +CeGetFileSize@8 +CeGetFileTime@16 +CeGetLastError@0 +CeGetSpecialFolderPath@12 +CeGetStoreInformation@4 +CeGetSystemInfo@4 +CeGetSystemMetrics@4 +CeGetSystemPowerStatusEx@8 +CeGetTempPath@8 +CeGetVersionEx@4 +CeGetWindow@8 +CeGetWindowLong@8 +CeGetWindowText@12 +CeGlobalMemoryStatus@4 +CeMoveFile@8 +CeOidGetInfo@8 +CeOpenDatabase@20 +CeRapiFreeBuffer@4 +CeRapiGetError@0 +CeRapiInit@0 +CeRapiInitEx@4 +CeRapiInvoke@32 +CeRapiUninit@0 +CeReadFile@20 +CeReadRecordProps@24 +CeRegCloseKey@4 +CeRegCreateKeyEx@36 +CeRegDeleteKey@8 +CeRegDeleteValue@8 +CeRegEnumKeyEx@32 +CeRegEnumValue@32 +CeRegOpenKeyEx@20 +CeRegQueryInfoKey@48 +CeRegQueryValueEx@24 +CeRegSetValueEx@24 +CeRemoveDirectory@4 +CeSHCreateShortcut@8 +CeSHGetShortcutTarget@12 +CeSeekDatabase@16 +CeSetDatabaseInfo@8 +CeSetEndOfFile@4 +CeSetFileAttributes@8 +CeSetFilePointer@16 +CeSetFileTime@16 +CeWriteFile@20 +CeWriteRecordProps@16 +GetRapiError@0 +RAPI_EXP_10@4 +RAPI_EXP_11@8 +RAPI_EXP_12@4 +RAPI_EXP_13@0 +RAPI_EXP_14@4 +RAPI_EXP_15@4 +RAPI_EXP_16@0 +RAPI_EXP_17@8 +RAPI_EXP_18@8 +RAPI_EXP_19@12 +RAPI_EXP_20@4 +RAPI_EXP_21@8 +RAPI_EXP_22@8 +RAPI_EXP_23@12 +RapiFreeBuffer@4 diff --git a/lib/libc/mingw/lib32/resutil.def b/lib/libc/mingw/lib32/resutil.def new file mode 100644 index 0000000000..fb2b2bca82 --- /dev/null +++ b/lib/libc/mingw/lib32/resutil.def @@ -0,0 +1,85 @@ +; +; Definition file of RESUTILS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "RESUTILS.dll" +EXPORTS +ClusWorkerCheckTerminate@4 +ClusWorkerCreate@12 +ClusWorkerStart@4 +ClusWorkerTerminate@4 +ResUtilAddUnknownProperties@24 +ResUtilCreateDirectoryTree@4 +ResUtilDupParameterBlock@12 +ResUtilDupString@4 +ResUtilEnumPrivateProperties@20 +ResUtilEnumProperties@20 +ResUtilEnumResources@16 +ResUtilEnumResourcesEx@20 +ResUtilExpandEnvironmentStrings@4 +ResUtilFindBinaryProperty@20 +ResUtilFindDependentDiskResourceDriveLetter@16 +ResUtilFindDwordProperty@16 +ResUtilFindExpandSzProperty@16 +ResUtilFindExpandedSzProperty@16 +ResUtilFindFileTimeProperty@16 +ResUtilFindLongProperty@16 +ResUtilFindMultiSzProperty@20 +ResUtilFindSzProperty@16 +ResUtilFreeEnvironment@4 +ResUtilFreeParameterBlock@12 +ResUtilGetAllProperties@24 +ResUtilGetBinaryProperty@28 +ResUtilGetBinaryValue@16 +ResUtilGetClusterRoleState@8 +ResUtilGetCoreClusterResources@16 +ResUtilGetDwordProperty@28 +ResUtilGetDwordValue@16 +ResUtilGetEnvironmentWithNetName@4 +ResUtilGetFileTimeProperty@40 +ResUtilGetLongProperty@28 +ResUtilGetMultiSzProperty@28 +ResUtilGetPrivateProperties@20 +ResUtilGetProperties@24 +ResUtilGetPropertiesToParameterBlock@20 +ResUtilGetProperty@16 +ResUtilGetPropertyFormats@20 +ResUtilGetPropertySize@16 +ResUtilGetQwordValue@20 +ResUtilGetResourceDependency@8 +ResUtilGetResourceDependencyByClass@16 +ResUtilGetResourceDependencyByName@16 +ResUtilGetResourceDependentIPAddressProps@28 +ResUtilGetResourceName@12 +ResUtilGetResourceNameDependency@8 +ResUtilGetSzProperty@20 +ResUtilGetSzValue@8 +ResUtilIsPathValid@4 +ResUtilIsResourceClassEqual@8 +ResUtilPropertyListFromParameterBlock@24 +ResUtilRemoveResourceServiceEnvironment@12 +ResUtilResourceTypesEqual@8 +ResUtilResourcesEqual@8 +ResUtilSetBinaryValue@24 +ResUtilSetDwordValue@16 +ResUtilSetExpandSzValue@16 +ResUtilSetMultiSzValue@24 +ResUtilSetPrivatePropertyList@12 +ResUtilSetPropertyParameterBlock@28 +ResUtilSetPropertyParameterBlockEx@32 +ResUtilSetPropertyTable@28 +ResUtilSetPropertyTableEx@32 +ResUtilSetQwordValue@20 +ResUtilSetResourceServiceEnvironment@16 +ResUtilSetResourceServiceStartParameters@20 +ResUtilSetSzValue@16 +ResUtilSetUnknownProperties@16 +ResUtilStartResourceService@8 +ResUtilStopResourceService@4 +ResUtilStopService@4 +ResUtilTerminateServiceProcessFromResDll@20 +ResUtilVerifyPrivatePropertyList@8 +ResUtilVerifyPropertyTable@24 +ResUtilVerifyResourceService@4 +ResUtilVerifyService@4 diff --git a/lib/libc/mingw/lib32/rometadata.def b/lib/libc/mingw/lib32/rometadata.def new file mode 100644 index 0000000000..11a197d9d4 --- /dev/null +++ b/lib/libc/mingw/lib32/rometadata.def @@ -0,0 +1,3 @@ +LIBRARY "RoMetadata.dll" +EXPORTS +MetaDataGetDispenser@12 diff --git a/lib/libc/mingw/lib32/rpcdce4.def b/lib/libc/mingw/lib32/rpcdce4.def new file mode 100644 index 0000000000..43e96a7f38 --- /dev/null +++ b/lib/libc/mingw/lib32/rpcdce4.def @@ -0,0 +1,26 @@ +LIBRARY RPCDCE4.dll +EXPORTS +DceErrorInqTextA@8 +DceErrorInqTextW@8 +MIDL_user_allocate@4 +MIDL_user_free@4 +RpcBindingToStringBindingA@8 +RpcBindingToStringBindingW@8 +RpcMgmtEpEltInqBegin@24 +RpcMgmtEpEltInqDone@4 +RpcMgmtEpEltInqNextA@20 +RpcMgmtEpEltInqNextW@20 +RpcMgmtEpUnregister@16 +RpcMgmtInqIfIds@8 +RpcMgmtInqServerPrincNameA@12 +RpcMgmtInqServerPrincNameW@12 +RpcMgmtInqStats@8 +RpcMgmtIsServerListening@4 +RpcMgmtSetAuthorizationFn@4 +RpcMgmtStopServerListening@4 +RpcServerListen@12 +UuidCompare@12 +UuidCreateNil@4 +UuidEqual@12 +UuidHash@8 +UuidIsNil@8 diff --git a/lib/libc/mingw/lib32/rpcdiag.def b/lib/libc/mingw/lib32/rpcdiag.def new file mode 100644 index 0000000000..32a2f4845f --- /dev/null +++ b/lib/libc/mingw/lib32/rpcdiag.def @@ -0,0 +1,9 @@ +; +; Definition file of RpcDiag.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "RpcDiag.dll" +EXPORTS +I_RpcSetupDiagCallback@4 +RpcDiagnoseError@24 diff --git a/lib/libc/mingw/lib32/rpchttp.def b/lib/libc/mingw/lib32/rpchttp.def new file mode 100644 index 0000000000..24d0e746d2 --- /dev/null +++ b/lib/libc/mingw/lib32/rpchttp.def @@ -0,0 +1,54 @@ +; +; Definition file of rpchttp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "rpchttp.dll" +EXPORTS +CompareHttpTransportCredentials@8 +ConvertToUnicodeHttpTransportCredentials@4 +DuplicateHttpTransportCredentials@4 +FreeHttpTransportCredentials@4 +HTTP2AbortConnection@4 +HTTP2ChannelDataOriginatorDirectSend@20 +HTTP2ContinueDrainChannel@4 +HTTP2DirectReceive@20 +HTTP2EpRecvFailed@12 +HTTP2FlowControlChannelDirectSend@24 +HTTP2IISDirectReceive@4 +HTTP2IISSenderDirectSend@4 +HTTP2PlugChannelDirectSend@20 +HTTP2ProcessComplexTReceive@20 +HTTP2ProcessComplexTSend@12 +HTTP2RecycleChannel@4 +HTTP2TestHook@12 +HTTP2TimerReschedule@4 +HTTP2WinHttpDelayedReceive@4 +HTTP2WinHttpDirectReceive@16 +HTTP2WinHttpDirectSend@12 +HTTP_Abort@4 +HTTP_Close@8 +HTTP_CopyResolverHint@12 +HTTP_FreeResolverHint@4 +HTTP_Initialize@16 +HTTP_Open@56 +HTTP_QueryClientAddress@8 +HTTP_QueryClientId@8 +HTTP_QueryClientIpAddress@8 +HTTP_QueryLocalAddress@16 +HTTP_Recv@4 +HTTP_Send@16 +HTTP_ServerListen@28 +HTTP_SetLastBufferToFree@12 +HTTP_SyncRecv@16 +HTTP_SyncSend@24 +HTTP_TurnOnOffKeepAlives@24 +HttpParseNetworkOptions@36 +HttpSendIdentifyResponse@4 +I_RpcGetRpcProxy@8 +I_RpcTransFreeHttpCredentials@4 +I_RpcTransGetHttpCredentials@4 +WS_HTTP2_CONNECTION__Initialize@4 +WS_HTTP2_INITIAL_CONNECTION__new@4 +I_RpcProxyNewConnection@28 +I_RpcReplyToClientWithStatus@8 diff --git a/lib/libc/mingw/lib32/rpcrt4.def b/lib/libc/mingw/lib32/rpcrt4.def index a494f08c97..b3adb0a302 100644 --- a/lib/libc/mingw/lib32/rpcrt4.def +++ b/lib/libc/mingw/lib32/rpcrt4.def @@ -257,13 +257,6 @@ NdrFixedArrayMarshall@12 NdrFixedArrayMemorySize@8 NdrFixedArrayUnmarshall@16 NdrFreeBuffer@4 -NdrFullPointerFree@8 -NdrFullPointerInsertRefId@12 -NdrFullPointerQueryPointer@16 -NdrFullPointerQueryRefId@16 -NdrFullPointerInsertRefId@12 -NdrFullPointerQueryPointer@16 -NdrFullPointerQueryRefId@16 NdrFullPointerXlatFree@4 NdrFullPointerXlatInit@8 NdrGetBuffer@12 diff --git a/lib/libc/mingw/lib32/rtutils.def b/lib/libc/mingw/lib32/rtutils.def new file mode 100644 index 0000000000..22fb4d3ccd --- /dev/null +++ b/lib/libc/mingw/lib32/rtutils.def @@ -0,0 +1,54 @@ +LIBRARY RTUTILS.DLL +EXPORTS +CreateWaitEvent@40 +CreateWaitEventBinding@20 +CreateWaitTimer@16 +DeRegisterWaitEventBinding@4 +DeRegisterWaitEventBindingSelf@4 +DeRegisterWaitEventsTimers@8 +DeRegisterWaitEventsTimersSelf@8 +DebugPrintWaitWorkerThreads@4 +LogErrorA@16 +LogErrorW@16 +LogEventA@16 +LogEventW@16 +MprSetupProtocolEnum@12 +MprSetupProtocolFree@4 +QueueWorkItem@12 +RegisterWaitEventBinding@4 +RegisterWaitEventsTimers@8 +RouterAssert@16 +RouterGetErrorStringA@8 +RouterGetErrorStringW@8 +RouterLogDeregisterA@4 +RouterLogDeregisterW@4 +RouterLogEventA@24 +RouterLogEventW@24 +RouterLogEventDataA@28 +RouterLogEventDataW@28 +RouterLogEventExA@24 +RouterLogEventExW@24 +RouterLogEventStringA@28 +RouterLogEventStringW@28 +RouterLogEventValistExA@24 +RouterLogEventValistExW@24 +RouterLogRegisterA@4 +RouterLogRegisterW@4 +SetIoCompletionProc@8 +TraceDeregisterA@4 +TraceDeregisterW@4 +TraceDeregisterExA@8 +TraceDeregisterExW@8 +TraceDumpExA@28 +TraceDumpExW@28 +TraceGetConsoleA@8 +TraceGetConsoleW@8 +TracePutsExA@12 +TracePutsExW@12 +TraceRegisterExA@8 +TraceRegisterExW@8 +TraceVprintfExA@8 +TraceVprintfExW@8 +UpdateWaitTimer@8 +WTFreeEvent@4 +WTFreeTimer@4 diff --git a/lib/libc/mingw/lib32/scsiport.def b/lib/libc/mingw/lib32/scsiport.def new file mode 100644 index 0000000000..49d8ea0dba --- /dev/null +++ b/lib/libc/mingw/lib32/scsiport.def @@ -0,0 +1,49 @@ +LIBRARY scsiport.sys +EXPORTS +DllInitialize@4 +ScsiDebugPrint +ScsiPortCompleteRequest@20 +;ScsiPortConvertPhysicalAddressToUlong +ScsiPortConvertUlongToPhysicalAddress@4 +ScsiPortFlushDma@4 +ScsiPortFreeDeviceBase@8 +ScsiPortGetBusData@24 +ScsiPortGetDeviceBase@28 +ScsiPortGetLogicalUnit@16 +ScsiPortGetPhysicalAddress@16 +ScsiPortGetSrb@20 +ScsiPortGetUncachedExtension@12 +ScsiPortGetVirtualAddress@12 +ScsiPortInitialize@16 +ScsiPortIoMapTransfer@16 +ScsiPortLogError@28 +ScsiPortMoveMemory@12 +ScsiPortNotification +ScsiPortQuerySystemTime@4 +ScsiPortReadPortBufferUchar@12 +ScsiPortReadPortBufferUlong@12 +ScsiPortReadPortBufferUshort@12 +ScsiPortReadPortUchar@4 +ScsiPortReadPortUlong@4 +ScsiPortReadPortUshort@4 +ScsiPortReadRegisterBufferUchar@12 +ScsiPortReadRegisterBufferUlong@12 +ScsiPortReadRegisterBufferUshort@12 +ScsiPortReadRegisterUchar@4 +ScsiPortReadRegisterUlong@4 +ScsiPortReadRegisterUshort@4 +ScsiPortSetBusDataByOffset@28 +ScsiPortStallExecution@4 +ScsiPortValidateRange@28 +ScsiPortWritePortBufferUchar@12 +ScsiPortWritePortBufferUlong@12 +ScsiPortWritePortBufferUshort@12 +ScsiPortWritePortUchar@8 +ScsiPortWritePortUlong@8 +ScsiPortWritePortUshort@8 +ScsiPortWriteRegisterBufferUchar@12 +ScsiPortWriteRegisterBufferUlong@12 +ScsiPortWriteRegisterBufferUshort@12 +ScsiPortWriteRegisterUchar@8 +ScsiPortWriteRegisterUlong@8 +ScsiPortWriteRegisterUshort@8 diff --git a/lib/libc/mingw/lib32/security.def b/lib/libc/mingw/lib32/security.def new file mode 100644 index 0000000000..8b94d0ea4e --- /dev/null +++ b/lib/libc/mingw/lib32/security.def @@ -0,0 +1,38 @@ +LIBRARY Security.dll +EXPORTS +AcceptSecurityContext@36 +AcquireCredentialsHandleA@36 +AcquireCredentialsHandleW@36 +AddSecurityPackageA@8 +AddSecurityPackageW@8 +ApplyControlToken@8 +CompleteAuthToken@8 +DecryptMessage@16 +DeleteSecurityContext@4 +DeleteSecurityPackageA@4 +DeleteSecurityPackageW@4 +EncryptMessage@16 +EnumerateSecurityPackagesA@8 +EnumerateSecurityPackagesW@8 +ExportSecurityContext@16 +FreeContextBuffer@4 +FreeCredentialsHandle@4 +ImpersonateSecurityContext@4 +ImportSecurityContextA@16 +ImportSecurityContextW@16 +InitSecurityInterfaceA@0 +InitSecurityInterfaceW@0 +InitializeSecurityContextA@48 +InitializeSecurityContextW@48 +MakeSignature@16 +QueryContextAttributesA@12 +QueryContextAttributesW@12 +QueryCredentialsAttributesA@12 +QueryCredentialsAttributesW@12 +QuerySecurityContextToken@8 +QuerySecurityPackageInfoA@8 +QuerySecurityPackageInfoW@8 +RevertSecurityContext@4 +SealMessage@16 +UnsealMessage@16 +VerifySignature@16 diff --git a/lib/libc/mingw/lib32/sens.def b/lib/libc/mingw/lib32/sens.def new file mode 100644 index 0000000000..781521888f --- /dev/null +++ b/lib/libc/mingw/lib32/sens.def @@ -0,0 +1,12 @@ +; +; Definition file of Sens.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "Sens.dll" +EXPORTS +ServiceMain@8 +SvchostPushServiceGlobals@4 +SensNotifyNetconEvent@4 +SensNotifyRasEvent@4 +SensNotifyWinlogonEvent@4 diff --git a/lib/libc/mingw/lib32/sensapi.def b/lib/libc/mingw/lib32/sensapi.def new file mode 100644 index 0000000000..d1290ccae4 --- /dev/null +++ b/lib/libc/mingw/lib32/sensapi.def @@ -0,0 +1,10 @@ +; +; Definition file of SensApi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "SensApi.dll" +EXPORTS +IsDestinationReachableA@8 +IsDestinationReachableW@8 +IsNetworkAlive@4 diff --git a/lib/libc/mingw/lib32/shfolder.def b/lib/libc/mingw/lib32/shfolder.def new file mode 100644 index 0000000000..edcf7060b6 --- /dev/null +++ b/lib/libc/mingw/lib32/shfolder.def @@ -0,0 +1,4 @@ +LIBRARY SHFOLDER.DLL +EXPORTS +SHGetFolderPathA@20 +SHGetFolderPathW@20 diff --git a/lib/libc/mingw/lib32/svrapi.def b/lib/libc/mingw/lib32/svrapi.def new file mode 100644 index 0000000000..4a7b0dba6a --- /dev/null +++ b/lib/libc/mingw/lib32/svrapi.def @@ -0,0 +1,22 @@ +LIBRARY SVRAPI.DLL +EXPORTS +NetAccessAdd@16 +NetAccessCheck@20 +NetAccessDel@8 +NetAccessEnum@32 +NetAccessGetInfo@24 +NetAccessGetUserPerms@16 +NetAccessSetInfo@24 +NetConnectionEnum@28 +NetFileClose2@8 +NetFileEnum@28 +NetSecurityGetInfo@20 +NetServerGetInfo@20 +NetSessionDel@12 +NetSessionEnum@24 +NetSessionGetInfo@24 +NetShareAdd@16 +NetShareDel@12 +NetShareEnum@24 +NetShareGetInfo@24 +NetShareSetInfo@24 diff --git a/lib/libc/mingw/lib32/sxs.def b/lib/libc/mingw/lib32/sxs.def new file mode 100644 index 0000000000..5ab342739c --- /dev/null +++ b/lib/libc/mingw/lib32/sxs.def @@ -0,0 +1,28 @@ +; +; Definition file of sxs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "sxs.dll" +EXPORTS +SxsFindClrClassInformation@24 +SxsFindClrSurrogateInformation@24 +SxsLookupClrGuid@24 +SxsRunDllInstallAssembly@16 +SxsRunDllInstallAssemblyW@16 +SxspGenerateManifestPathOnAssemblyIdentity@16 +CreateAssemblyCache@8 +CreateAssemblyNameObject@16 +SxsBeginAssemblyInstall@24 +SxsEndAssemblyInstall@12 +SxsGenerateActivationContext@4 +SxsInstallW@4 +SxsOleAut32MapConfiguredClsidToReferenceClsid@8 +SxsOleAut32MapIIDOrCLSIDToTypeLibrary@8 +SxsOleAut32MapIIDToProxyStubCLSID@8 +SxsOleAut32MapIIDToTLBPath@16 +SxsOleAut32MapReferenceClsidToConfiguredClsid@8 +SxsOleAut32RedirectTypeLibrary@28 +SxsProbeAssemblyInstallation@12 +SxsQueryManifestInformation@28 +SxsUninstallW@8 diff --git a/lib/libc/mingw/lib32/tdi.def b/lib/libc/mingw/lib32/tdi.def new file mode 100644 index 0000000000..ee90642f86 --- /dev/null +++ b/lib/libc/mingw/lib32/tdi.def @@ -0,0 +1,50 @@ +LIBRARY tdi.sys +EXPORTS +;CTEAllocateString +;CTEBlock +;CTEInitEvent +;CTEInitString +;CTEInitTimer +;CTEInitialize +;CTELogEvent +;CTEScheduleDelayedEvent +;CTEScheduleEvent +;CTESignal +;CTEStartTimer +;CTESystemUpTime +TdiBuildNetbiosAddress@12 +TdiBuildNetbiosAddressEa@12 +TdiCopyBufferToMdl@24 +TdiCopyMdlChainToMdlChain@20 +TdiCopyMdlToBuffer@24 +TdiDefaultChainedRcvDatagramHandler@40 +TdiDefaultChainedRcvExpeditedHandler@28 +TdiDefaultChainedReceiveHandler@28 +TdiDefaultConnectHandler@36 +TdiDefaultDisconnectHandler@28 +TdiDefaultErrorHandler@8 +TdiDefaultRcvDatagramHandler@44 +TdiDefaultRcvExpeditedHandler@32 +TdiDefaultReceiveHandler@32 +TdiDefaultSendPossibleHandler@12 +TdiDeregisterAddressChangeHandler@4 +TdiDeregisterDeviceObject@4 +TdiDeregisterNetAddress@4 +;TdiDeregisterNotificationHandler +TdiDeregisterPnPHandlers@4 +TdiDeregisterProvider@4 +TdiEnumerateAddresses@4 +TdiInitialize@0 +TdiMapUserRequest@12 +TdiMatchPdoWithChainedReceiveContext@8 +;TdiOpenNetbiosAddress +TdiPnPPowerComplete@12 +TdiPnPPowerRequest@20 +TdiProviderReady@4 +TdiRegisterAddressChangeHandler@12 +TdiRegisterDeviceObject@8 +TdiRegisterNetAddress@16 +TdiRegisterNotificationHandler@12 +TdiRegisterPnPHandlers@12 +TdiRegisterProvider@8 +TdiReturnChainedReceives@8 diff --git a/lib/libc/mingw/lib32/uiautomationcore.def b/lib/libc/mingw/lib32/uiautomationcore.def new file mode 100644 index 0000000000..e3fb5d141b --- /dev/null +++ b/lib/libc/mingw/lib32/uiautomationcore.def @@ -0,0 +1,106 @@ +; +; Definition file of UIAutomationCore.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "UIAutomationCore.DLL" +EXPORTS +DockPattern_SetDockPosition@8 +ExpandCollapsePattern_Collapse@4 +ExpandCollapsePattern_Expand@4 +GridPattern_GetItem@16 +InitializeChannelBasedConnectionForProviderProxy@12 +InvokePattern_Invoke@4 +ItemContainerPattern_FindItemByProperty@32 +LegacyIAccessiblePattern_DoDefaultAction@4 +LegacyIAccessiblePattern_GetIAccessible@8 +LegacyIAccessiblePattern_Select@8 +LegacyIAccessiblePattern_SetValue@8 +MultipleViewPattern_GetViewName@12 +MultipleViewPattern_SetCurrentView@8 +RangeValuePattern_SetValue@12 +ScrollItemPattern_ScrollIntoView@4 +ScrollPattern_Scroll@12 +ScrollPattern_SetScrollPercent@20 +SelectionItemPattern_AddToSelection@4 +SelectionItemPattern_RemoveFromSelection@4 +SelectionItemPattern_Select@4 +SynchronizedInputPattern_Cancel@4 +SynchronizedInputPattern_StartListening@8 +TextPattern_GetSelection@8 +TextPattern_GetVisibleRanges@8 +TextPattern_RangeFromChild@12 +TextPattern_RangeFromPoint@24 +TextPattern_get_DocumentRange@8 +TextPattern_get_SupportedTextSelection@8 +TextRange_AddToSelection@4 +TextRange_Clone@8 +TextRange_Compare@12 +TextRange_CompareEndpoints@20 +TextRange_ExpandToEnclosingUnit@8 +TextRange_FindAttribute@32 +TextRange_FindText@20 +TextRange_GetAttributeValue@12 +TextRange_GetBoundingRectangles@8 +TextRange_GetChildren@8 +TextRange_GetEnclosingElement@8 +TextRange_GetText@12 +TextRange_Move@16 +TextRange_MoveEndpointByRange@16 +TextRange_MoveEndpointByUnit@20 +TextRange_RemoveFromSelection@4 +TextRange_ScrollIntoView@8 +TextRange_Select@4 +TogglePattern_Toggle@4 +TransformPattern_Move@20 +TransformPattern_Resize@20 +TransformPattern_Rotate@12 +UiaAddEvent@32 +UiaClientsAreListening@0 +UiaDisconnectAllProviders@0 +UiaDisconnectProvider@4 +UiaEventAddWindow@8 +UiaEventRemoveWindow@8 +UiaFind@24 +UiaGetErrorDescription@4 +UiaGetPatternProvider@12 +UiaGetPropertyValue@12 +UiaGetReservedMixedAttributeValue@4 +UiaGetReservedNotSupportedValue@4 +UiaGetRootNode@4 +UiaGetRuntimeId@8 +UiaGetUpdatedCache@24 +UiaHPatternObjectFromVariant@8 +UiaHTextRangeFromVariant@8 +UiaHUiaNodeFromVariant@8 +UiaHasServerSideProvider@4 +UiaHostProviderFromHwnd@8 +UiaIAccessibleFromProvider@16 +UiaLookupId@8 +UiaNavigate@24 +UiaNodeFromFocus@12 +UiaNodeFromHandle@8 +UiaNodeFromPoint@28 +UiaNodeFromProvider@8 +UiaNodeRelease@4 +UiaPatternRelease@4 +UiaProviderForNonClient@16 +UiaProviderFromIAccessible@16 +UiaRaiseActiveTextPositionChangedEvent@8 +UiaRaiseAsyncContentLoadedEvent@16 +UiaRaiseAutomationEvent@8 +UiaRaiseAutomationPropertyChangedEvent@40 +UiaRaiseChangesEvent@12 +UiaRaiseNotificationEvent@20 +UiaRaiseStructureChangedEvent@16 +UiaRaiseTextEditTextChangedEvent@12 +UiaRegisterProviderCallback@4 +UiaRemoveEvent@4 +UiaReturnRawElementProvider@16 +UiaSetFocus@4 +UiaTextRangeRelease@4 +ValuePattern_SetValue@8 +VirtualizedItemPattern_Realize@4 +WindowPattern_Close@4 +WindowPattern_SetWindowVisualState@8 +WindowPattern_WaitForInputIdle@12 diff --git a/lib/libc/mingw/lib32/url.def b/lib/libc/mingw/lib32/url.def new file mode 100644 index 0000000000..202073259c --- /dev/null +++ b/lib/libc/mingw/lib32/url.def @@ -0,0 +1,9 @@ +LIBRARY URL.DLL +EXPORTS +URLAssociationDialogW@24 +URLAssociationDialogA@24 +TranslateURLW@12 +TranslateURLA@12 +MIMEAssociationDialogW@24 +MIMEAssociationDialogA@24 +InetIsOffline@4 diff --git a/lib/libc/mingw/lib32/usbcamd.def b/lib/libc/mingw/lib32/usbcamd.def new file mode 100644 index 0000000000..4a3f44447b --- /dev/null +++ b/lib/libc/mingw/lib32/usbcamd.def @@ -0,0 +1,15 @@ +; +; Definition file of USBCAMD.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBCAMD.SYS" +EXPORTS +DllUnload@0 +USBCAMD_AdapterReceivePacket@16 +USBCAMD_ControlVendorCommand@36 +USBCAMD_Debug_LogEntry@16 +USBCAMD_DriverEntry@20 +USBCAMD_GetRegistryKeyValue@20 +USBCAMD_InitializeNewInterface@16 +USBCAMD_SelectAlternateInterface@8 diff --git a/lib/libc/mingw/lib32/usbcamd2.def b/lib/libc/mingw/lib32/usbcamd2.def new file mode 100644 index 0000000000..ec0745b64c --- /dev/null +++ b/lib/libc/mingw/lib32/usbcamd2.def @@ -0,0 +1,15 @@ +; +; Definition file of USBCAMD2.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBCAMD2.SYS" +EXPORTS +DllUnload@0 +USBCAMD_AdapterReceivePacket@16 +USBCAMD_ControlVendorCommand@36 +USBCAMD_Debug_LogEntry@16 +USBCAMD_DriverEntry@20 +USBCAMD_GetRegistryKeyValue@20 +USBCAMD_InitializeNewInterface@16 +USBCAMD_SelectAlternateInterface@8 diff --git a/lib/libc/mingw/lib32/usbd.def b/lib/libc/mingw/lib32/usbd.def new file mode 100644 index 0000000000..1b52c7c992 --- /dev/null +++ b/lib/libc/mingw/lib32/usbd.def @@ -0,0 +1,45 @@ +; +; Definition file of USBD.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBD.SYS" +EXPORTS +; USBD_CreateConfigurationRequestEx@8 +; USBD_ParseConfigurationDescriptorEx@28 +; USBD_ParseDescriptors@16 +DllInitialize@4 +DllUnload@0 +USBD_AllocateDeviceName@4 +USBD_CalculateUsbBandwidth@12 +USBD_CompleteRequest@8 +USBD_CreateConfigurationRequest@8 +; _USBD_CreateConfigurationRequestEx@8@8 +USBD_CreateDevice@20 +USBD_Debug_GetHeap@16 +USBD_Debug_LogEntry@16 +USBD_Debug_RetHeap@12 +USBD_Dispatch@16 +USBD_FreeDeviceMutex@4 +USBD_FreeDeviceName@4 +USBD_GetDeviceInformation@12 +USBD_GetInterfaceLength@8 +USBD_GetPdoRegistryParameter@20 +USBD_GetSuspendPowerState@4 +USBD_GetUSBDIVersion@4 +USBD_InitializeDevice@24 +USBD_MakePdoName@8 +USBD_ParseConfigurationDescriptor@12 +; _USBD_ParseConfigurationDescriptorEx@28@28 +; _USBD_ParseDescriptors@16@16 +USBD_QueryBusTime@8 +USBD_RegisterHcDeviceCapabilities@12 +USBD_RegisterHcFilter@8 +USBD_RegisterHostController@40 +USBD_RemoveDevice@12 +USBD_RestoreDevice@12 +USBD_SetSuspendPowerState@8 +USBD_WaitDeviceMutex@4 +USBD_CreateConfigurationRequestEx@8==_USBD_CreateConfigurationRequestEx@8 +USBD_ParseConfigurationDescriptorEx@28==_USBD_ParseConfigurationDescriptorEx@28 +USBD_ParseDescriptors@16==_USBD_ParseDescriptors@16 diff --git a/lib/libc/mingw/lib32/usbport.def b/lib/libc/mingw/lib32/usbport.def new file mode 100644 index 0000000000..8afd42a6e3 --- /dev/null +++ b/lib/libc/mingw/lib32/usbport.def @@ -0,0 +1,10 @@ +; +; Definition file of USBPORT.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBPORT.SYS" +EXPORTS +DllUnload@0 +USBPORT_GetHciMn@0 +USBPORT_RegisterUSBPortDriver@12 diff --git a/lib/libc/mingw/lib32/userenv.def b/lib/libc/mingw/lib32/userenv.def index 72107f2c62..bec717b7f0 100644 --- a/lib/libc/mingw/lib32/userenv.def +++ b/lib/libc/mingw/lib32/userenv.def @@ -6,10 +6,29 @@ LIBRARY "USERENV.dll" EXPORTS RsopLoggingEnabled@0 +AreThereVisibleLogoffScripts@4 +AreThereVisibleShutdownScripts@4 +CheckDirectoryOwnership@12 +CheckXForestLogon@4 +CopyProfileDirectoryEx2@28 +CreateAppContainerProfile@24 +CreateAppContainerProfileInternal@28 +CreateDirectoryJunctionsForSystem@0 +CreateDirectoryJunctionsForUserProfile@4 CreateEnvironmentBlock@12 +CreateGroupEx@16 +CreateLinkFileEx@48 CreateProfile@16 +DeleteAppContainerProfile@4 +DeleteAppContainerProfileInternal@8 +DeleteGroup@8 +DeleteLinkFile@16 DeleteProfileA@12 +DeleteProfileDirectory2@16 +DeleteProfileDirectory@12 DeleteProfileW@12 +DeriveAppContainerSidFromAppContainerName@8 +DeriveRestrictedAppContainerSidFromAppContainerSidAndRestrictedName@12 DestroyEnvironmentBlock@4 ;DllCanUnloadNow@0 ;DllGetClassObject@12 @@ -22,34 +41,45 @@ ExpandEnvironmentStringsForUserW@16 ForceSyncFgPolicy@4 FreeGPOListA@4 FreeGPOListW@4 +GenerateGPNotification@12 GetAllUsersProfileDirectoryA@8 GetAllUsersProfileDirectoryW@8 +GetAppContainerFolderPath@8 +GetAppContainerRegistryLocation@8 GetAppliedGPOListA@20 GetAppliedGPOListW@20 GetDefaultUserProfileDirectoryA@8 GetDefaultUserProfileDirectoryW@8 GetGPOListA@24 GetGPOListW@24 +GetLongProfilePathName@12 GetNextFgPolicyRefreshInfo@8 GetPreviousFgPolicyRefreshInfo@8 GetProfileType@4 GetProfilesDirectoryA@8 GetProfilesDirectoryW@8 GetUserProfileDirectoryA@12 +GetUserProfileDirectoryForUserSidW@12 GetUserProfileDirectoryW@12 +HasPolicyForegroundProcessingCompleted@20 +IsAppContainerProfilePresentInternal@12 LeaveCriticalPolicySection@4 LoadUserProfileA@8 LoadUserProfileW@8 +LookupAppContainerDisplayName@8 +PingComputer@8 ProcessGroupPolicyCompleted@12 ProcessGroupPolicyCompletedEx@16 RefreshPolicy@4 RefreshPolicyEx@8 RegisterGPNotification@8 +RemapProfile@12 RsopAccessCheckByType@44 RsopFileAccessCheck@20 RsopResetPolicySettingStatus@12 RsopSetPolicySettingStatus@20 UnloadUserProfile@8 UnregisterGPNotification@4 +UpdateAppContainerProfile@28 WaitForMachinePolicyForegroundProcessing@0 WaitForUserPolicyForegroundProcessing@0 diff --git a/lib/libc/mingw/lib32/vdmdbg.def b/lib/libc/mingw/lib32/vdmdbg.def new file mode 100644 index 0000000000..fbd1b4fe66 --- /dev/null +++ b/lib/libc/mingw/lib32/vdmdbg.def @@ -0,0 +1,18 @@ +LIBRARY VDMDBG.dll +EXPORTS +VDMBreakThread@8 +VDMDetectWOW@0 +VDMEnumProcessWOW@8 +VDMEnumTaskWOW@12 +VDMGetModuleSelector@20 +VDMGetPointer@20 +VDMGetSelectorModule@32 +VDMGetThreadContext@8 +VDMGetThreadSelectorEntry@16 +VDMGlobalFirst@24 +VDMGlobalNext@24 +VDMKillWOW@0 +VDMModuleFirst@20 +VDMModuleNext@20 +VDMProcessException@4 +VDMSetThreadContext@8 diff --git a/lib/libc/mingw/lib32/videoprt.def b/lib/libc/mingw/lib32/videoprt.def new file mode 100644 index 0000000000..da0b20a725 --- /dev/null +++ b/lib/libc/mingw/lib32/videoprt.def @@ -0,0 +1,116 @@ +LIBRARY videoprt.sys +EXPORTS +VideoPortAcquireDeviceLock@4 +VideoPortAcquireSpinLock@12 +VideoPortAcquireSpinLockAtDpcLevel@8 +VideoPortAllocateBuffer@12 +VideoPortAllocateCommonBuffer@24 +VideoPortAllocateContiguousMemory@16 +VideoPortAllocatePool@16 +VideoPortAssociateEventsWithDmaHandle@16 +;VideoPortCheckForDeviceExistance +VideoPortCheckForDeviceExistence@28 +VideoPortClearEvent@8 +VideoPortCompareMemory@12 +VideoPortCompleteDma@16 +VideoPortCreateEvent@16 +VideoPortCreateSecondaryDisplay@12 +VideoPortCreateSpinLock@8 +VideoPortDDCMonitorHelper@16 +VideoPortDebugPrint +VideoPortDeleteEvent@8 +VideoPortDeleteSpinLock@8 +VideoPortDisableInterrupt@4 +VideoPortDoDma@12 +VideoPortEnableInterrupt@4 +VideoPortEnumerateChildren@8 +;VideoPortFlushRegistry +VideoPortFreeCommonBuffer@24 +VideoPortFreeDeviceBase@8 +VideoPortFreePool@8 +VideoPortGetAccessRanges@32 +VideoPortGetAgpServices@8 +VideoPortGetAssociatedDeviceExtension@4 +VideoPortGetAssociatedDeviceID@4 +VideoPortGetBusData@24 +VideoPortGetBytesUsed@8 +VideoPortGetCommonBuffer@24 +VideoPortGetCurrentIrql@0 +VideoPortGetDeviceBase@20 +VideoPortGetDeviceData@16 +VideoPortGetDmaAdapter@8 +VideoPortGetDmaContext@8 +VideoPortGetMdl@8 +VideoPortGetRegistryParameters@20 +VideoPortGetRomImage@16 +VideoPortGetVersion@8 +VideoPortGetVgaStatus@8 +VideoPortInitialize@16 +VideoPortInt10@8 +@VideoPortInterlockedDecrement@4 +@VideoPortInterlockedExchange@8 +@VideoPortInterlockedIncrement@4 +VideoPortLockBuffer@16 +VideoPortLockPages@20 +VideoPortLogError@16 +VideoPortMapBankedMemory@40 +VideoPortMapDmaMemory@36 +VideoPortMapMemory@24 +VideoPortMoveMemory@12 +VideoPortPutDmaAdapter@8 +VideoPortQueryPerformanceCounter@8 +VideoPortQueryServices@12 +VideoPortQuerySystemTime@4 +VideoPortQueueDpc@12 +VideoPortReadPortBufferUchar@12 +VideoPortReadPortBufferUlong@12 +VideoPortReadPortBufferUshort@12 +VideoPortReadPortUchar@4 +VideoPortReadPortUlong@4 +VideoPortReadPortUshort@4 +VideoPortReadRegisterBufferUchar@12 +VideoPortReadRegisterBufferUlong@12 +VideoPortReadRegisterBufferUshort@12 +VideoPortReadRegisterUchar@4 +VideoPortReadRegisterUlong@4 +VideoPortReadRegisterUshort@4 +VideoPortReadStateEvent@8 +VideoPortRegisterBugcheckCallback@16 +VideoPortReleaseBuffer@8 +VideoPortReleaseCommonBuffer@28 +VideoPortReleaseDeviceLock@4 +VideoPortReleaseSpinLock@12 +VideoPortReleaseSpinLockFromDpcLevel@8 +VideoPortScanRom@16 +VideoPortSetBusData@24 +VideoPortSetBytesUsed@12 +VideoPortSetDmaContext@12 +VideoPortSetEvent@8 +VideoPortSetRegistryParameters@16 +VideoPortSetTrappedEmulatorPorts@12 +VideoPortSignalDmaComplete@8 +VideoPortStallExecution@4 +VideoPortStartDma@32 +VideoPortStartTimer@4 +VideoPortStopTimer@4 +VideoPortSynchronizeExecution@16 +VideoPortUnlockBuffer@8 +VideoPortUnlockPages@8 +VideoPortUnmapDmaMemory@16 +VideoPortUnmapMemory@12 +VideoPortVerifyAccessRanges@12 +VideoPortWaitForSingleObject@12 +VideoPortWritePortBufferUchar@12 +VideoPortWritePortBufferUlong@12 +VideoPortWritePortBufferUshort@12 +VideoPortWritePortUchar@8 +VideoPortWritePortUlong@8 +VideoPortWritePortUshort@8 +VideoPortWriteRegisterBufferUchar@12 +VideoPortWriteRegisterBufferUlong@12 +VideoPortWriteRegisterBufferUshort@12 +VideoPortWriteRegisterUchar@8 +VideoPortWriteRegisterUlong@8 +VideoPortWriteRegisterUshort@8 +VideoPortZeroDeviceMemory@8 +VideoPortZeroMemory@8 diff --git a/lib/libc/mingw/lib32/vss_ps.def b/lib/libc/mingw/lib32/vss_ps.def new file mode 100644 index 0000000000..5cdfd89dae --- /dev/null +++ b/lib/libc/mingw/lib32/vss_ps.def @@ -0,0 +1,12 @@ +; +; Definition file of vss_ps.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "vss_ps.dll" +EXPORTS +DllCanUnloadNow@0 +DllGetClassObject@12 +DllRegisterServer@0 +DllUnregisterServer@0 +GetProxyDllInfo@8 diff --git a/lib/libc/mingw/lib32/wdsclient.def b/lib/libc/mingw/lib32/wdsclient.def new file mode 100644 index 0000000000..cb2d19cb04 --- /dev/null +++ b/lib/libc/mingw/lib32/wdsclient.def @@ -0,0 +1,19 @@ +; +; Definition file of WdsClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsClient.dll" +EXPORTS +CallBack_WdsClient_ConnectToImageStore@8 +CallBack_WdsClient_DetectWdsMode@8 +CallBack_WdsClient_GetImageList@8 +CallBack_WdsClient_ImageSelectionDone@8 +CallBack_WdsClient_ProcessCmdLine@8 +GetServerParamsFromBootPacket@8 +Module_Init_WdsClient@16 +g_Kernel32 DATA +g_Mpr DATA +g_Wdscore DATA +g_Wdslib DATA +g_hSession DATA diff --git a/lib/libc/mingw/lib32/wdscore.def b/lib/libc/mingw/lib32/wdscore.def new file mode 100644 index 0000000000..f1466c1ff1 --- /dev/null +++ b/lib/libc/mingw/lib32/wdscore.def @@ -0,0 +1,234 @@ +; +; Definition file of WDSCORE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSCORE.dll" +EXPORTS +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@EPAE@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@EPAUSKey@@@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@EPAUSValue@@@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@GPAG@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::(unsigned int) +??0?$CDynamicArray@_KPA_K@@QAE@I@Z ; has WINAPI (@4) +; public: __thiscall ::~(void) +??1?$CDynamicArray@EPAE@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@EPAUSKey@@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@EPAUSValue@@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@GPAG@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CDynamicArray@_KPA_K@@QAE@XZ +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@EPAE@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@EPAUSKey@@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@EPAUSValue@@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@GPAG@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CDynamicArray@_KPA_K@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: struct SEnumBinContext *&__thiscall ::operator[](unsigned int) +??A?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEAAPAUSEnumBinContext@@I@Z ; has WINAPI (@4) +; public: unsigned __int64 &__thiscall ::operator[](unsigned int) +??A?$CDynamicArray@_KPA_K@@QAEAA_KI@Z ; has WINAPI (@4) +; public: void __thiscall ::operator struct SKey *(...)const throw() +??B?$CDynamicArray@EPAUSKey@@@@QBEPAUSKey@@XZ +; public: void __thiscall ::operator struct SValue *(...)const throw() +??B?$CDynamicArray@EPAUSValue@@@@QBEPAUSValue@@XZ +; public: void __thiscall ::operator unsigned short *(...)const throw() +??B?$CDynamicArray@GPAG@@QBEPAGXZ +; public: struct SKey *__thiscall ::operator ->(void)const +??C?$CDynamicArray@EPAUSKey@@@@QBEPAUSKey@@XZ +; public: struct SValue *__thiscall ::operator ->(void)const +??C?$CDynamicArray@EPAUSValue@@@@QBEPAUSValue@@XZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@EPAE@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@EPAUSKey@@@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@EPAUSValue@@@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@GPAG@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEXXZ +; public: void __thiscall ::__dflt_ctor_closure(void) +??_F?$CDynamicArray@_KPA_K@@QAEXXZ +; public: int __thiscall ::Add(struct SEnumBinContext *&) +?Add@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEHAAPAUSEnumBinContext@@@Z ; has WINAPI (@4) +; public: int __thiscall ::Add(struct CBlackboardFactory::SKeeperEntry &) +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEHAAUSKeeperEntry@CBlackboardFactory@@@Z ; has WINAPI (@4) +; public: int __thiscall ::Add(struct CBlackboardFactory::SKeeperEntry &,unsigned int &) +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEHAAUSKeeperEntry@CBlackboardFactory@@AAI@Z ; has WINAPI (@8) +; public: int __thiscall ::Add(unsigned __int64 &) +?Add@?$CDynamicArray@_KPA_K@@QAEHAA_K@Z ; has WINAPI (@4) +; public: unsigned short &__thiscall ::ElementAt(unsigned int) +?ElementAt@?$CDynamicArray@GPAG@@QAEAAGI@Z ; has WINAPI (@4) +; public: struct CBlackboardFactory::SKeeperEntry &__thiscall ::ElementAt(unsigned int) +?ElementAt@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEAAUSKeeperEntry@CBlackboardFactory@@I@Z ; has WINAPI (@4) +; public: unsigned char *__thiscall ::GetBuffer(unsigned int) +?GetBuffer@?$CDynamicArray@EPAE@@QAEPAEI@Z ; has WINAPI (@4) +; public: struct SValue *__thiscall ::GetBuffer(unsigned int) +?GetBuffer@?$CDynamicArray@EPAUSValue@@@@QAEPAUSValue@@I@Z ; has WINAPI (@4) +; public: unsigned short *__thiscall ::GetBuffer(unsigned int) +?GetBuffer@?$CDynamicArray@GPAG@@QAEPAGI@Z ; has WINAPI (@4) +; public: unsigned int __thiscall ::GetSize(void)const +?GetSize@?$CDynamicArray@EPAE@@QBEIXZ +; public: unsigned int __thiscall ::GetSize(void)const +?GetSize@?$CDynamicArray@GPAG@@QBEIXZ +; public: unsigned int __thiscall ::GetSize(void)const +?GetSize@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QBEIXZ +; public: unsigned int __thiscall ::GetSize(void)const +?GetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QBEIXZ +; public: unsigned int __thiscall ::GetSize(void)const +?GetSize@?$CDynamicArray@_KPA_K@@QBEIXZ +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@EPAE@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@EPAUSKey@@@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@EPAUSValue@@@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@GPAG@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall ::Init(unsigned int) +?Init@?$CDynamicArray@_KPA_K@@IAEXI@Z ; has WINAPI (@4) +; public: void __thiscall ::RemoveAll(void) +?RemoveAll@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEXXZ +; public: void __thiscall ::RemoveAll(void) +?RemoveAll@?$CDynamicArray@_KPA_K@@QAEXXZ +; public: void __thiscall ::RemoveItemFromTail(void) +?RemoveItemFromTail@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEXXZ +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@EPAE@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@EPAUSKey@@@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@EPAUSValue@@@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@GPAG@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAEHK@Z ; has WINAPI (@4) +; public: int __thiscall ::SetSize(unsigned long) +?SetSize@?$CDynamicArray@_KPA_K@@QAEHK@Z ; has WINAPI (@4) +WdsGetPointer@4 +g_Kernel32 DATA +g_bEnableDiagnosticMode DATA +ConstructPartialMsgIfA +ConstructPartialMsgIfW +ConstructPartialMsgVA@12 +ConstructPartialMsgVW@12 +CurrentIP +EndMajorTask +EndMinorTask +GetMajorTask +GetMajorTaskA +GetMinorTask +GetMinorTaskA +StartMajorTask@4 +StartMinorTask@4 +WdsAbortBlackboardItemEnum@4 +WdsAddModule@16 +WdsAddUsmtLogStack@12 +WdsAllocCollection +WdsCollectionAddValue@12 +WdsCollectionGetValue@12 +WdsCopyBlackboardItems@16 +WdsCopyBlackboardItemsEx@24 +WdsCreateBlackboard@12 +WdsDeleteBlackboardValue@12 +WdsDeleteEvent@4 +WdsDestroyBlackboard@4 +WdsDuplicateData@8 +WdsEnableDiagnosticMode@4 +WdsEnableExit@4 +WdsEnableExitEx@8 +WdsEnumFirstBlackboardItem@20 +WdsEnumFirstCollectionValue@8 +WdsEnumNextBlackboardItem@4 +WdsEnumNextCollectionValue@4 +WdsExecuteWorkQueue2@24 +WdsExecuteWorkQueue@24 +WdsExecuteWorkQueueEx@28 +WdsExitImmediately@4 +WdsExitImmediatelyEx@8 +WdsFreeCollection@4 +WdsFreeData@4 +WdsGenericSetupLogInit@8 +WdsGetAssertFlags +WdsGetBlackboardBinaryData@24 +WdsGetBlackboardStringA@20 +WdsGetBlackboardStringW@20 +WdsGetBlackboardUintPtr@16 +WdsGetBlackboardValue@16 +WdsGetCurrentExecutionGroup@8 +WdsGetSetupLog +WdsGetTempDir@12 +WdsInitialize@28 +WdsInitializeCallbackArray@12 +WdsInitializeDataBinary@12 +WdsInitializeDataStringA@8 +WdsInitializeDataStringW@8 +WdsInitializeDataUInt32@8 +WdsInitializeDataUInt64@12 +WdsIsDiagnosticModeEnabled +WdsIterateOfflineQueue@28 +WdsIterateQueue@28 +WdsLockBlackboardValue@16 +WdsLockExecutionGroup +WdsLogCreate@12 +WdsLogDestroy@4 +WdsLogRegStockProviders +WdsLogRegisterProvider@8 +WdsLogStructuredException@4 +WdsLogUnRegStockProviders +WdsLogUnRegisterProvider@4 +WdsPackCollection@8 +WdsPublish@24 +WdsPublishEx@28 +WdsPublishImmediateAsync@24 +WdsPublishImmediateEx@20 +WdsPublishOffline@24 +WdsSeqAlloc@8 +WdsSeqFree@4 +WdsSetAssertFlags@4 +WdsSetBlackboardValue@16 +WdsSetNextExecutionGroup@4 +WdsSetUILanguage@4 +WdsSetupLogDestroy +WdsSetupLogInit@12 +WdsSetupLogMessageA@44 +WdsSetupLogMessageW@44 +WdsSubscribeEx@20 +WdsTerminate +WdsUnlockExecutionGroup +WdsUnpackCollection@4 +WdsUnsubscribe@4 +WdsUnsubscribeEx@16 +WdsValidBlackboard@4 diff --git a/lib/libc/mingw/lib32/wdscsl.def b/lib/libc/mingw/lib32/wdscsl.def new file mode 100644 index 0000000000..32d62ad61f --- /dev/null +++ b/lib/libc/mingw/lib32/wdscsl.def @@ -0,0 +1,23 @@ +; +; Definition file of WDSCSL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSCSL.dll" +EXPORTS +WdsClientExecute@32 +WdsClientInitializeLibrary +WdsClientPacketAllocate@4 +WdsClientPacketFree@4 +WdsClientRegisterTrace@4 +WdsClientSessionCreate@16 +WdsClientSessionExecute@28 +WdsClientSessionShutdown@4 +WdsCpPacketGetBuffer@12 +WdsCpPacketInitialize@12 +WdsCpPacketRelease@4 +WdsCpParameterAdd@20 +WdsCpParameterDelete@8 +WdsCpParameterQuery@24 +WdsCpParameterValidate@28 +WdsCpRecvPacketInitialize@20 diff --git a/lib/libc/mingw/lib32/wdsimage.def b/lib/libc/mingw/lib32/wdsimage.def new file mode 100644 index 0000000000..ca935e9db4 --- /dev/null +++ b/lib/libc/mingw/lib32/wdsimage.def @@ -0,0 +1,81 @@ +; +; Definition file of WdsImage.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsImage.dll" +EXPORTS +FindFirstImage@8 +FindNextImage@4 +WDSFreeImageInformation@4 +WDSGetImageInformation@8 +WDSInitializeEmptyImageInformation@4 +WDSParseImageInformation@12 +WDSSetImageInformation@8 +WdsImgAddReference@4 +WdsImgApplyImage@20 +WdsImgCaptureImage@40 +WdsImgClose@4 +WdsImgCopyImage@12 +WdsImgCreateImageGroup@20 +WdsImgDeleteImage@4 +WdsImgDeleteImageGroup@4 +WdsImgDeleteUnattendFile@4 +WdsImgExportImage@36 +WdsImgExtractFiles@20 +WdsImgFindFirstImage@16 +WdsImgFindFirstImageGroup@12 +WdsImgFindNextImage@4 +WdsImgFindNextImageGroup@4 +WdsImgGetArchitecture@8 +WdsImgGetBootIndex@8 +WdsImgGetCompressionType@8 +WdsImgGetCreationTime@8 +WdsImgGetDependantFiles@12 +WdsImgGetDescription@8 +WdsImgGetEnabled@8 +WdsImgGetExFlags@8 +WdsImgGetFlags@8 +WdsImgGetHalName@8 +WdsImgGetHandleFromFindHandle@8 +WdsImgGetImageType@8 +WdsImgGetIndex@8 +WdsImgGetLanguage@8 +WdsImgGetLanguages@12 +WdsImgGetLastModifiedTime@8 +WdsImgGetName@8 +WdsImgGetPartitionStyle@8 +WdsImgGetPath@8 +WdsImgGetProductFamily@8 +WdsImgGetProductName@8 +WdsImgGetResourcePath@8 +WdsImgGetSecurity@8 +WdsImgGetServicePackLevel@8 +WdsImgGetSize@8 +WdsImgGetSystemRoot@8 +WdsImgGetUnattendFilePresent@8 +WdsImgGetVersion@8 +WdsImgGetXml@8 +WdsImgGroupCanImportImage@8 +WdsImgGroupGetName@8 +WdsImgGroupGetSecurity@8 +WdsImgGroupSetName@8 +WdsImgGroupSetSecurity@8 +WdsImgImportImage@32 +WdsImgIsAccessible@8 +WdsImgIsBootImage@8 +WdsImgIsFoundationImage@8 +WdsImgIsValidImageFile@8 +WdsImgOpenBootImageGroup@12 +WdsImgOpenImage@16 +WdsImgOpenImageGroup@12 +WdsImgOpenImageStore@8 +WdsImgRefreshData@4 +WdsImgReplaceImage@32 +WdsImgSetBootImage@8 +WdsImgSetDescription@8 +WdsImgSetEnabled@8 +WdsImgSetName@8 +WdsImgSetSecurity@8 +WdsImgSetUnattendFile@12 +WdsImgVerifyImageFile@8 diff --git a/lib/libc/mingw/lib32/wdsupgcompl.def b/lib/libc/mingw/lib32/wdsupgcompl.def new file mode 100644 index 0000000000..20e5597ebf --- /dev/null +++ b/lib/libc/mingw/lib32/wdsupgcompl.def @@ -0,0 +1,8 @@ +; +; Definition file of WdsUpgCompl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsUpgCompl.dll" +EXPORTS +WdsUpgradeComplianceCheck@8 diff --git a/lib/libc/mingw/lib32/wdsutil.def b/lib/libc/mingw/lib32/wdsutil.def new file mode 100644 index 0000000000..27d2098910 --- /dev/null +++ b/lib/libc/mingw/lib32/wdsutil.def @@ -0,0 +1,525 @@ +; +; Definition file of WDSUTIL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSUTIL.dll" +EXPORTS +; public: __thiscall ::(class const &) +??0?$CShimUserSetting@VCStringUserSetting@@@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall ::(void) +??0?$CShimUserSetting@VCStringUserSetting@@@@QAE@XZ +; public: __thiscall ::(class const &) +??0?$CShimUserSetting@VCUInt32UserSetting@@@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall ::(void) +??0?$CShimUserSetting@VCUInt32UserSetting@@@@QAE@XZ +; public: __thiscall ::(class const &) +??0?$CShimUserSetting@VCUInt64UserSetting@@@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall ::(void) +??0?$CShimUserSetting@VCUInt64UserSetting@@@@QAE@XZ +; public: __thiscall CComputerNameSetting::CComputerNameSetting(class CComputerNameSetting const &) +??0CComputerNameSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CComputerNameSetting::CComputerNameSetting(void) +??0CComputerNameSetting@@QAE@XZ +; public: __thiscall CDUUIProgressSetting::CDUUIProgressSetting(class CDUUIProgressSetting const &) +??0CDUUIProgressSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CDUUIProgressSetting::CDUUIProgressSetting(void) +??0CDUUIProgressSetting@@QAE@XZ +; public: __thiscall CDUUIWelcomeSetting::CDUUIWelcomeSetting(class CDUUIWelcomeSetting const &) +??0CDUUIWelcomeSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CDUUIWelcomeSetting::CDUUIWelcomeSetting(void) +??0CDUUIWelcomeSetting@@QAE@XZ +; public: __thiscall CDiskPartFileSystemUserSetting::CDiskPartFileSystemUserSetting(class CDiskPartFileSystemUserSetting const &) +??0CDiskPartFileSystemUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CDiskPartFileSystemUserSetting::CDiskPartFileSystemUserSetting(void) +??0CDiskPartFileSystemUserSetting@@QAE@XZ +; public: __thiscall CDiskPartFormatUserSetting::CDiskPartFormatUserSetting(class CDiskPartFormatUserSetting const &) +??0CDiskPartFormatUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CDiskPartFormatUserSetting::CDiskPartFormatUserSetting(void) +??0CDiskPartFormatUserSetting@@QAE@XZ +; public: __thiscall CDiskPartUserSetting::CDiskPartUserSetting(class CDiskPartUserSetting const &) +??0CDiskPartUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CDiskPartUserSetting::CDiskPartUserSetting(void) +??0CDiskPartUserSetting@@QAE@XZ +; public: __thiscall CEulaSetting::CEulaSetting(class CEulaSetting const &) +??0CEulaSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CEulaSetting::CEulaSetting(void) +??0CEulaSetting@@QAE@XZ +; public: __thiscall CIBSUIImageSelectionSetting::CIBSUIImageSelectionSetting(class CIBSUIImageSelectionSetting const &) +??0CIBSUIImageSelectionSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CIBSUIImageSelectionSetting::CIBSUIImageSelectionSetting(void) +??0CIBSUIImageSelectionSetting@@QAE@XZ +; public: __thiscall CKeyboardSetting::CKeyboardSetting(class CKeyboardSetting const &) +??0CKeyboardSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CKeyboardSetting::CKeyboardSetting(void) +??0CKeyboardSetting@@QAE@XZ +; public: __thiscall COOBEUIFinishSetting::COOBEUIFinishSetting(class COOBEUIFinishSetting const &) +??0COOBEUIFinishSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall COOBEUIFinishSetting::COOBEUIFinishSetting(void) +??0COOBEUIFinishSetting@@QAE@XZ +; public: __thiscall COOBEUIWelcomeSetting::COOBEUIWelcomeSetting(class COOBEUIWelcomeSetting const &) +??0COOBEUIWelcomeSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall COOBEUIWelcomeSetting::COOBEUIWelcomeSetting(void) +??0COOBEUIWelcomeSetting@@QAE@XZ +; public: __thiscall CProductKeyUserSetting::CProductKeyUserSetting(class CProductKeyUserSetting const &) +??0CProductKeyUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CProductKeyUserSetting::CProductKeyUserSetting(void) +??0CProductKeyUserSetting@@QAE@XZ +; public: __thiscall CSetupUISummarySetting::CSetupUISummarySetting(class CSetupUISummarySetting const &) +??0CSetupUISummarySetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSetupUISummarySetting::CSetupUISummarySetting(void) +??0CSetupUISummarySetting@@QAE@XZ +; public: __thiscall CSetupUIWelcomeSetting::CSetupUIWelcomeSetting(class CSetupUIWelcomeSetting const &) +??0CSetupUIWelcomeSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSetupUIWelcomeSetting::CSetupUIWelcomeSetting(void) +??0CSetupUIWelcomeSetting@@QAE@XZ +; public: __thiscall CShimStringUserSetting::CShimStringUserSetting(class CShimStringUserSetting const &) +??0CShimStringUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CShimStringUserSetting::CShimStringUserSetting(void) +??0CShimStringUserSetting@@QAE@XZ +; public: __thiscall CShimUInt32UserSetting::CShimUInt32UserSetting(class CShimUInt32UserSetting const &) +??0CShimUInt32UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CShimUInt32UserSetting::CShimUInt32UserSetting(void) +??0CShimUInt32UserSetting@@QAE@XZ +; public: __thiscall CShimUInt64UserSetting::CShimUInt64UserSetting(class CShimUInt64UserSetting const &) +??0CShimUInt64UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CShimUInt64UserSetting::CShimUInt64UserSetting(void) +??0CShimUInt64UserSetting@@QAE@XZ +; protected: __thiscall CShowFlagUserSetting::CShowFlagUserSetting(void) +??0CShowFlagUserSetting@@IAE@XZ +; public: __thiscall CShowFlagUserSetting::CShowFlagUserSetting(class CShowFlagUserSetting const &) +??0CShowFlagUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSimpleStringUserSetting::CSimpleStringUserSetting(class CSimpleStringUserSetting const &) +??0CSimpleStringUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSimpleStringUserSetting::CSimpleStringUserSetting(void) +??0CSimpleStringUserSetting@@QAE@XZ +; public: __thiscall CSimpleUInt32UserSetting::CSimpleUInt32UserSetting(class CSimpleUInt32UserSetting const &) +??0CSimpleUInt32UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSimpleUInt32UserSetting::CSimpleUInt32UserSetting(void) +??0CSimpleUInt32UserSetting@@QAE@XZ +; public: __thiscall CSimpleUInt64UserSetting::CSimpleUInt64UserSetting(class CSimpleUInt64UserSetting const &) +??0CSimpleUInt64UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CSimpleUInt64UserSetting::CSimpleUInt64UserSetting(void) +??0CSimpleUInt64UserSetting@@QAE@XZ +; protected: __thiscall CStringUserSetting::CStringUserSetting(void) +??0CStringUserSetting@@IAE@XZ +; public: __thiscall CStringUserSetting::CStringUserSetting(class CStringUserSetting const &) +??0CStringUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CTimezoneSetting::CTimezoneSetting(class CTimezoneSetting const &) +??0CTimezoneSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CTimezoneSetting::CTimezoneSetting(void) +??0CTimezoneSetting@@QAE@XZ +; protected: __thiscall CUInt32UserSetting::CUInt32UserSetting(void) +??0CUInt32UserSetting@@IAE@XZ +; public: __thiscall CUInt32UserSetting::CUInt32UserSetting(class CUInt32UserSetting const &) +??0CUInt32UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; protected: __thiscall CUInt64UserSetting::CUInt64UserSetting(void) +??0CUInt64UserSetting@@IAE@XZ +; public: __thiscall CUInt64UserSetting::CUInt64UserSetting(class CUInt64UserSetting const &) +??0CUInt64UserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CUpgStoreUserSetting::CUpgStoreUserSetting(class CUpgStoreUserSetting const &) +??0CUpgStoreUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CUpgStoreUserSetting::CUpgStoreUserSetting(void) +??0CUpgStoreUserSetting@@QAE@XZ +; public: __thiscall CUpgradeUserSetting::CUpgradeUserSetting(class CUpgradeUserSetting const &) +??0CUpgradeUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CUpgradeUserSetting::CUpgradeUserSetting(void) +??0CUpgradeUserSetting@@QAE@XZ +; public: __thiscall CUserSetting::CUserSetting(class CUserSetting const &) +??0CUserSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CUserSetting::CUserSetting(void) +??0CUserSetting@@QAE@XZ +; public: __thiscall CWDSUIImageSelectionSetting::CWDSUIImageSelectionSetting(class CWDSUIImageSelectionSetting const &) +??0CWDSUIImageSelectionSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CWDSUIImageSelectionSetting::CWDSUIImageSelectionSetting(void) +??0CWDSUIImageSelectionSetting@@QAE@XZ +; public: __thiscall CWDSUIWelcomeSetting::CWDSUIWelcomeSetting(class CWDSUIWelcomeSetting const &) +??0CWDSUIWelcomeSetting@@QAE@ABV0@@Z ; has WINAPI (@4) +; public: __thiscall CWDSUIWelcomeSetting::CWDSUIWelcomeSetting(void) +??0CWDSUIWelcomeSetting@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CShimUserSetting@VCStringUserSetting@@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CShimUserSetting@VCUInt32UserSetting@@@@QAE@XZ +; public: __thiscall ::~(void) +??1?$CShimUserSetting@VCUInt64UserSetting@@@@QAE@XZ +; public: __thiscall CComputerNameSetting::~CComputerNameSetting(void) +??1CComputerNameSetting@@QAE@XZ +; public: __thiscall CDUUIProgressSetting::~CDUUIProgressSetting(void) +??1CDUUIProgressSetting@@QAE@XZ +; public: __thiscall CDUUIWelcomeSetting::~CDUUIWelcomeSetting(void) +??1CDUUIWelcomeSetting@@QAE@XZ +; public: __thiscall CDiskPartFileSystemUserSetting::~CDiskPartFileSystemUserSetting(void) +??1CDiskPartFileSystemUserSetting@@QAE@XZ +; public: __thiscall CDiskPartFormatUserSetting::~CDiskPartFormatUserSetting(void) +??1CDiskPartFormatUserSetting@@QAE@XZ +; public: __thiscall CDiskPartUserSetting::~CDiskPartUserSetting(void) +??1CDiskPartUserSetting@@QAE@XZ +; public: __thiscall CEulaSetting::~CEulaSetting(void) +??1CEulaSetting@@QAE@XZ +; public: __thiscall CIBSUIImageSelectionSetting::~CIBSUIImageSelectionSetting(void) +??1CIBSUIImageSelectionSetting@@QAE@XZ +; public: __thiscall CKeyboardSetting::~CKeyboardSetting(void) +??1CKeyboardSetting@@QAE@XZ +; public: __thiscall COOBEUIFinishSetting::~COOBEUIFinishSetting(void) +??1COOBEUIFinishSetting@@QAE@XZ +; public: __thiscall COOBEUIWelcomeSetting::~COOBEUIWelcomeSetting(void) +??1COOBEUIWelcomeSetting@@QAE@XZ +; public: __thiscall CProductKeyUserSetting::~CProductKeyUserSetting(void) +??1CProductKeyUserSetting@@QAE@XZ +; public: __thiscall CSetupUISummarySetting::~CSetupUISummarySetting(void) +??1CSetupUISummarySetting@@QAE@XZ +; public: __thiscall CSetupUIWelcomeSetting::~CSetupUIWelcomeSetting(void) +??1CSetupUIWelcomeSetting@@QAE@XZ +; public: __thiscall CShimStringUserSetting::~CShimStringUserSetting(void) +??1CShimStringUserSetting@@QAE@XZ +; public: __thiscall CShimUInt32UserSetting::~CShimUInt32UserSetting(void) +??1CShimUInt32UserSetting@@QAE@XZ +; public: __thiscall CShimUInt64UserSetting::~CShimUInt64UserSetting(void) +??1CShimUInt64UserSetting@@QAE@XZ +; protected: __thiscall CShowFlagUserSetting::~CShowFlagUserSetting(void) +??1CShowFlagUserSetting@@IAE@XZ +; public: __thiscall CSimpleStringUserSetting::~CSimpleStringUserSetting(void) +??1CSimpleStringUserSetting@@QAE@XZ +; public: __thiscall CSimpleUInt32UserSetting::~CSimpleUInt32UserSetting(void) +??1CSimpleUInt32UserSetting@@QAE@XZ +; public: __thiscall CSimpleUInt64UserSetting::~CSimpleUInt64UserSetting(void) +??1CSimpleUInt64UserSetting@@QAE@XZ +; protected: __thiscall CStringUserSetting::~CStringUserSetting(void) +??1CStringUserSetting@@IAE@XZ +; public: __thiscall CTimezoneSetting::~CTimezoneSetting(void) +??1CTimezoneSetting@@QAE@XZ +; protected: __thiscall CUInt32UserSetting::~CUInt32UserSetting(void) +??1CUInt32UserSetting@@IAE@XZ +; protected: __thiscall CUInt64UserSetting::~CUInt64UserSetting(void) +??1CUInt64UserSetting@@IAE@XZ +; public: __thiscall CUpgStoreUserSetting::~CUpgStoreUserSetting(void) +??1CUpgStoreUserSetting@@QAE@XZ +; public: __thiscall CUpgradeUserSetting::~CUpgradeUserSetting(void) +??1CUpgradeUserSetting@@QAE@XZ +; public: __thiscall CUserSetting::~CUserSetting(void) +??1CUserSetting@@QAE@XZ +; public: __thiscall CWDSUIImageSelectionSetting::~CWDSUIImageSelectionSetting(void) +??1CWDSUIImageSelectionSetting@@QAE@XZ +; public: __thiscall CWDSUIWelcomeSetting::~CWDSUIWelcomeSetting(void) +??1CWDSUIWelcomeSetting@@QAE@XZ +; public: class &__thiscall ::operator =(class const &) +??4?$CShimUserSetting@VCStringUserSetting@@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CShimUserSetting@VCUInt32UserSetting@@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class &__thiscall ::operator =(class const &) +??4?$CShimUserSetting@VCUInt64UserSetting@@@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CComputerNameSetting &__thiscall CComputerNameSetting::operator =(class CComputerNameSetting const &) +??4CComputerNameSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CDUUIProgressSetting &__thiscall CDUUIProgressSetting::operator =(class CDUUIProgressSetting const &) +??4CDUUIProgressSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CDUUIWelcomeSetting &__thiscall CDUUIWelcomeSetting::operator =(class CDUUIWelcomeSetting const &) +??4CDUUIWelcomeSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CDiskPartFileSystemUserSetting &__thiscall CDiskPartFileSystemUserSetting::operator =(class CDiskPartFileSystemUserSetting const &) +??4CDiskPartFileSystemUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CDiskPartFormatUserSetting &__thiscall CDiskPartFormatUserSetting::operator =(class CDiskPartFormatUserSetting const &) +??4CDiskPartFormatUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CDiskPartUserSetting &__thiscall CDiskPartUserSetting::operator =(class CDiskPartUserSetting const &) +??4CDiskPartUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CEulaSetting &__thiscall CEulaSetting::operator =(class CEulaSetting const &) +??4CEulaSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CIBSUIImageSelectionSetting &__thiscall CIBSUIImageSelectionSetting::operator =(class CIBSUIImageSelectionSetting const &) +??4CIBSUIImageSelectionSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CKeyboardSetting &__thiscall CKeyboardSetting::operator =(class CKeyboardSetting const &) +??4CKeyboardSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class COOBEUIFinishSetting &__thiscall COOBEUIFinishSetting::operator =(class COOBEUIFinishSetting const &) +??4COOBEUIFinishSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class COOBEUIWelcomeSetting &__thiscall COOBEUIWelcomeSetting::operator =(class COOBEUIWelcomeSetting const &) +??4COOBEUIWelcomeSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CProductKeyUserSetting &__thiscall CProductKeyUserSetting::operator =(class CProductKeyUserSetting const &) +??4CProductKeyUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CSetupUISummarySetting &__thiscall CSetupUISummarySetting::operator =(class CSetupUISummarySetting const &) +??4CSetupUISummarySetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CSetupUIWelcomeSetting &__thiscall CSetupUIWelcomeSetting::operator =(class CSetupUIWelcomeSetting const &) +??4CSetupUIWelcomeSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CShimStringUserSetting &__thiscall CShimStringUserSetting::operator =(class CShimStringUserSetting const &) +??4CShimStringUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CShimUInt32UserSetting &__thiscall CShimUInt32UserSetting::operator =(class CShimUInt32UserSetting const &) +??4CShimUInt32UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CShimUInt64UserSetting &__thiscall CShimUInt64UserSetting::operator =(class CShimUInt64UserSetting const &) +??4CShimUInt64UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CShowFlagUserSetting &__thiscall CShowFlagUserSetting::operator =(class CShowFlagUserSetting const &) +??4CShowFlagUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CSimpleStringUserSetting &__thiscall CSimpleStringUserSetting::operator =(class CSimpleStringUserSetting const &) +??4CSimpleStringUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CSimpleUInt32UserSetting &__thiscall CSimpleUInt32UserSetting::operator =(class CSimpleUInt32UserSetting const &) +??4CSimpleUInt32UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CSimpleUInt64UserSetting &__thiscall CSimpleUInt64UserSetting::operator =(class CSimpleUInt64UserSetting const &) +??4CSimpleUInt64UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CStringUserSetting &__thiscall CStringUserSetting::operator =(class CStringUserSetting const &) +??4CStringUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CTimezoneSetting &__thiscall CTimezoneSetting::operator =(class CTimezoneSetting const &) +??4CTimezoneSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CUInt32UserSetting &__thiscall CUInt32UserSetting::operator =(class CUInt32UserSetting const &) +??4CUInt32UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CUInt64UserSetting &__thiscall CUInt64UserSetting::operator =(class CUInt64UserSetting const &) +??4CUInt64UserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CUpgStoreUserSetting &__thiscall CUpgStoreUserSetting::operator =(class CUpgStoreUserSetting const &) +??4CUpgStoreUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CUpgradeUserSetting &__thiscall CUpgradeUserSetting::operator =(class CUpgradeUserSetting const &) +??4CUpgradeUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CUserSetting &__thiscall CUserSetting::operator =(class CUserSetting const &) +??4CUserSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CWDSUIImageSelectionSetting &__thiscall CWDSUIImageSelectionSetting::operator =(class CWDSUIImageSelectionSetting const &) +??4CWDSUIImageSelectionSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; public: class CWDSUIWelcomeSetting &__thiscall CWDSUIWelcomeSetting::operator =(class CWDSUIWelcomeSetting const &) +??4CWDSUIWelcomeSetting@@QAEAAV0@ABV0@@Z ; has WINAPI (@4) +; const ::$vftable +??_7?$CShimUserSetting@VCStringUserSetting@@@@6B@ DATA +; const ::$vftable +??_7?$CShimUserSetting@VCUInt32UserSetting@@@@6B@ DATA +; const ::$vftable +??_7?$CShimUserSetting@VCUInt64UserSetting@@@@6B@ DATA +; const CComputerNameSetting::$vftable +??_7CComputerNameSetting@@6B@ DATA +; const CDUUIProgressSetting::$vftable +??_7CDUUIProgressSetting@@6B@ DATA +; const CDUUIWelcomeSetting::$vftable +??_7CDUUIWelcomeSetting@@6B@ DATA +; const CDiskPartFileSystemUserSetting::$vftable +??_7CDiskPartFileSystemUserSetting@@6B@ DATA +; const CDiskPartFormatUserSetting::$vftable +??_7CDiskPartFormatUserSetting@@6B@ DATA +; const CDiskPartUserSetting::$vftable +??_7CDiskPartUserSetting@@6B@ DATA +; const CEulaSetting::$vftable +??_7CEulaSetting@@6B@ DATA +; const CIBSUIImageSelectionSetting::$vftable +??_7CIBSUIImageSelectionSetting@@6B@ DATA +; const CKeyboardSetting::$vftable +??_7CKeyboardSetting@@6B@ DATA +; const COOBEUIFinishSetting::$vftable +??_7COOBEUIFinishSetting@@6B@ DATA +; const COOBEUIWelcomeSetting::$vftable +??_7COOBEUIWelcomeSetting@@6B@ DATA +; const CProductKeyUserSetting::$vftable +??_7CProductKeyUserSetting@@6B@ DATA +; const CSetupUISummarySetting::$vftable +??_7CSetupUISummarySetting@@6B@ DATA +; const CSetupUIWelcomeSetting::$vftable +??_7CSetupUIWelcomeSetting@@6B@ DATA +; const CShimStringUserSetting::$vftable +??_7CShimStringUserSetting@@6B@ DATA +; const CShimUInt32UserSetting::$vftable +??_7CShimUInt32UserSetting@@6B@ DATA +; const CShimUInt64UserSetting::$vftable +??_7CShimUInt64UserSetting@@6B@ DATA +; const CShowFlagUserSetting::$vftable +??_7CShowFlagUserSetting@@6B@ DATA +; const CSimpleStringUserSetting::$vftable +??_7CSimpleStringUserSetting@@6B@ DATA +; const CSimpleUInt32UserSetting::$vftable +??_7CSimpleUInt32UserSetting@@6B@ DATA +; const CSimpleUInt64UserSetting::$vftable +??_7CSimpleUInt64UserSetting@@6B@ DATA +; const CStringUserSetting::$vftable +??_7CStringUserSetting@@6B@ DATA +; const CTimezoneSetting::$vftable +??_7CTimezoneSetting@@6B@ DATA +; const CUInt32UserSetting::$vftable +??_7CUInt32UserSetting@@6B@ DATA +; const CUInt64UserSetting::$vftable +??_7CUInt64UserSetting@@6B@ DATA +; const CUpgStoreUserSetting::$vftable +??_7CUpgStoreUserSetting@@6B@ DATA +; const CUpgradeUserSetting::$vftable +??_7CUpgradeUserSetting@@6B@ DATA +; const CUserSetting::$vftable +??_7CUserSetting@@6B@ DATA +; const CWDSUIImageSelectionSetting::$vftable +??_7CWDSUIImageSelectionSetting@@6B@ DATA +; const CWDSUIWelcomeSetting::$vftable +??_7CWDSUIWelcomeSetting@@6B@ DATA +; protected: void __thiscall CUserSetting::AcquireMutex(void) +?AcquireMutex@CUserSetting@@IAEXXZ +; protected: long __thiscall CUserSetting::DeserializeField(unsigned short const *,unsigned int,struct WDS_DATA *,int) +?DeserializeField@CUserSetting@@IAEJPBGIPAUWDS_DATA@@H@Z ; has WINAPI (@16) +; protected: long __thiscall CStringUserSetting::DeserializeString(unsigned short **,int) +?DeserializeString@CStringUserSetting@@IAEJPAPAGH@Z ; has WINAPI (@8) +; protected: long __thiscall CUInt32UserSetting::DeserializeUInt32(unsigned int *,int) +?DeserializeUInt32@CUInt32UserSetting@@IAEJPAIH@Z ; has WINAPI (@8) +; protected: long __thiscall CUInt64UserSetting::DeserializeUInt64(unsigned __int64 *,int) +?DeserializeUInt64@CUInt64UserSetting@@IAEJPA_KH@Z ; has WINAPI (@8) +DiskRegionSupportsCapabilityForType@28 +DiskSupportsCapabilityForType@20 +FreeReason@4 +GetApplicableDiskReason@20 +GetApplicableDiskRegionReason@28 +; protected: struct _BLACKBOARD *__thiscall CUserSetting::GetBlackboard(void) +?GetBlackboard@CUserSetting@@IAEPAU_BLACKBOARD@@XZ +GetDiskKey@8 +; protected: long __thiscall CUserSetting::GetKeyName(unsigned short *,int,int) +?GetKeyName@CUserSetting@@IAEJPAGHH@Z ; has WINAPI (@12) +; public: void *__thiscall CUserSetting::GetModuleId(void) +?GetModuleId@CUserSetting@@QAEPAXXZ +GetRegionKey@16 +; public: static int __stdcall CUpgradeUserSetting::IsUpgrade(void) +?IsUpgrade@CUpgradeUserSetting@@SGHXZ +LogDiskReasons@8 +LogDiskRegionReasons@16 +; protected: long __thiscall CUserSetting::ReadError(long *,int) +?ReadError@CUserSetting@@IAEJPAJH@Z ; has WINAPI (@8) +; protected: long __thiscall CUserSetting::ReadShow(int *,int) +?ReadShow@CUserSetting@@IAEJPAHH@Z ; has WINAPI (@8) +; protected: void __thiscall CUserSetting::ReleaseMutex(void) +?ReleaseMutex@CUserSetting@@IAEXXZ +; protected: void __thiscall CUserSetting::SerializeField(unsigned short const *,struct WDS_DATA *) +?SerializeField@CUserSetting@@IAEXPBGPAUWDS_DATA@@@Z ; has WINAPI (@8) +; protected: void __thiscall CStringUserSetting::SerializeString(unsigned short const *) +?SerializeString@CStringUserSetting@@IAEXPBG@Z ; has WINAPI (@4) +; protected: void __thiscall CUInt32UserSetting::SerializeUInt32(unsigned int) +?SerializeUInt32@CUInt32UserSetting@@IAEXI@Z ; has WINAPI (@4) +; protected: void __thiscall CUInt64UserSetting::SerializeUInt64(unsigned __int64) +?SerializeUInt64@CUInt64UserSetting@@IAEX_K@Z ; has WINAPI (@8) +; public: void __thiscall CUserSetting::SetModuleId(void *) +?SetModuleId@CUserSetting@@QAEXPAX@Z ; has WINAPI (@4) +; protected: long __thiscall CStringUserSetting::Simple_get_String(unsigned short **) +?Simple_get_String@CStringUserSetting@@IAEJPAPAG@Z ; has WINAPI (@4) +; protected: long __thiscall CUInt32UserSetting::Simple_get_UInt32(unsigned int *) +?Simple_get_UInt32@CUInt32UserSetting@@IAEJPAI@Z ; has WINAPI (@4) +; protected: long __thiscall CUInt64UserSetting::Simple_get_UInt64(unsigned __int64 *) +?Simple_get_UInt64@CUInt64UserSetting@@IAEJPA_K@Z ; has WINAPI (@4) +; protected: long __thiscall CStringUserSetting::Simple_set_String(unsigned short const *) +?Simple_set_String@CStringUserSetting@@IAEJPBG@Z ; has WINAPI (@4) +; protected: long __thiscall CUInt32UserSetting::Simple_set_UInt32(unsigned int) +?Simple_set_UInt32@CUInt32UserSetting@@IAEJI@Z ; has WINAPI (@4) +; protected: long __thiscall CUInt64UserSetting::Simple_set_UInt64(unsigned __int64) +?Simple_set_UInt64@CUInt64UserSetting@@IAEJ_K@Z ; has WINAPI (@8) +; public: static int __stdcall CUpgradeUserSetting::UnattendChecked(void) +?UnattendChecked@CUpgradeUserSetting@@SGHXZ +; protected: static unsigned short const *const const CUserSetting::c_stErrorName +?c_stErrorName@CUserSetting@@1QBGB DATA +; protected: static unsigned short const *const const CUserSetting::c_stMutex +?c_stMutex@CUserSetting@@1QBGB DATA +; protected: static unsigned short const *const const CUserSetting::c_stShowName +?c_stShowName@CUserSetting@@1QBGB DATA +; protected: static unsigned short const *const const CUserSetting::c_stValueName +?c_stValueName@CUserSetting@@1QBGB DATA +; public: virtual long __thiscall ::get_Error(long *) +?get_Error@?$CShimUserSetting@VCStringUserSetting@@@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall ::get_Error(long *) +?get_Error@?$CShimUserSetting@VCUInt32UserSetting@@@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall ::get_Error(long *) +?get_Error@?$CShimUserSetting@VCUInt64UserSetting@@@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShowFlagUserSetting::get_Error(long *) +?get_Error@CShowFlagUserSetting@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleStringUserSetting::get_Error(long *) +?get_Error@CSimpleStringUserSetting@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt32UserSetting::get_Error(long *) +?get_Error@CSimpleUInt32UserSetting@@UAEJPAJ@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt64UserSetting::get_Error(long *) +?get_Error@CSimpleUInt64UserSetting@@UAEJPAJ@Z ; has WINAPI (@4) +; private: virtual unsigned short *__thiscall CComputerNameSetting::get_Name(void) +?get_Name@CComputerNameSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CDUUIProgressSetting::get_Name(void) +?get_Name@CDUUIProgressSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CDUUIWelcomeSetting::get_Name(void) +?get_Name@CDUUIWelcomeSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CDiskPartFileSystemUserSetting::get_Name(void) +?get_Name@CDiskPartFileSystemUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CDiskPartFormatUserSetting::get_Name(void) +?get_Name@CDiskPartFormatUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CDiskPartUserSetting::get_Name(void) +?get_Name@CDiskPartUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CEulaSetting::get_Name(void) +?get_Name@CEulaSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CIBSUIImageSelectionSetting::get_Name(void) +?get_Name@CIBSUIImageSelectionSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CKeyboardSetting::get_Name(void) +?get_Name@CKeyboardSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall COOBEUIFinishSetting::get_Name(void) +?get_Name@COOBEUIFinishSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall COOBEUIWelcomeSetting::get_Name(void) +?get_Name@COOBEUIWelcomeSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CProductKeyUserSetting::get_Name(void) +?get_Name@CProductKeyUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CSetupUISummarySetting::get_Name(void) +?get_Name@CSetupUISummarySetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CSetupUIWelcomeSetting::get_Name(void) +?get_Name@CSetupUIWelcomeSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CTimezoneSetting::get_Name(void) +?get_Name@CTimezoneSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CUpgStoreUserSetting::get_Name(void) +?get_Name@CUpgStoreUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CUpgradeUserSetting::get_Name(void) +?get_Name@CUpgradeUserSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CWDSUIImageSelectionSetting::get_Name(void) +?get_Name@CWDSUIImageSelectionSetting@@EAEPAGXZ +; private: virtual unsigned short *__thiscall CWDSUIWelcomeSetting::get_Name(void) +?get_Name@CWDSUIWelcomeSetting@@EAEPAGXZ +; public: virtual long __thiscall ::get_Show(int *) +?get_Show@?$CShimUserSetting@VCStringUserSetting@@@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall ::get_Show(int *) +?get_Show@?$CShimUserSetting@VCUInt32UserSetting@@@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall ::get_Show(int *) +?get_Show@?$CShimUserSetting@VCUInt64UserSetting@@@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CComputerNameSetting::get_Show(int *) +?get_Show@CComputerNameSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CDiskPartUserSetting::get_Show(int *) +?get_Show@CDiskPartUserSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShowFlagUserSetting::get_Show(int *) +?get_Show@CShowFlagUserSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleStringUserSetting::get_Show(int *) +?get_Show@CSimpleStringUserSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt32UserSetting::get_Show(int *) +?get_Show@CSimpleUInt32UserSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt64UserSetting::get_Show(int *) +?get_Show@CSimpleUInt64UserSetting@@UAEJPAH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimStringUserSetting::get_String(unsigned short **) +?get_String@CShimStringUserSetting@@UAEJPAPAG@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleStringUserSetting::get_String(unsigned short **) +?get_String@CSimpleStringUserSetting@@UAEJPAPAG@Z ; has WINAPI (@4) +; public: virtual long __thiscall CDiskPartUserSetting::get_UInt32(unsigned int *) +?get_UInt32@CDiskPartUserSetting@@UAEJPAI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimUInt32UserSetting::get_UInt32(unsigned int *) +?get_UInt32@CShimUInt32UserSetting@@UAEJPAI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt32UserSetting::get_UInt32(unsigned int *) +?get_UInt32@CSimpleUInt32UserSetting@@UAEJPAI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimUInt64UserSetting::get_UInt64(unsigned __int64 *) +?get_UInt64@CShimUInt64UserSetting@@UAEJPA_K@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt64UserSetting::get_UInt64(unsigned __int64 *) +?get_UInt64@CSimpleUInt64UserSetting@@UAEJPA_K@Z ; has WINAPI (@4) +; private: virtual int __thiscall CComputerNameSetting::get_ValidateID(void) +?get_ValidateID@CComputerNameSetting@@EAEHXZ +; private: virtual int __thiscall CDiskPartUserSetting::get_ValidateID(void) +?get_ValidateID@CDiskPartUserSetting@@EAEHXZ +; private: virtual int __thiscall CProductKeyUserSetting::get_ValidateID(void) +?get_ValidateID@CProductKeyUserSetting@@EAEHXZ +; public: long __thiscall CUserSetting::set_Error(long) +?set_Error@CUserSetting@@QAEJJ@Z ; has WINAPI (@4) +; public: long __thiscall CUserSetting::set_Show(int) +?set_Show@CUserSetting@@QAEJH@Z ; has WINAPI (@4) +; public: virtual long __thiscall CComputerNameSetting::set_String(unsigned short const *) +?set_String@CComputerNameSetting@@UAEJPBG@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimStringUserSetting::set_String(unsigned short const *) +?set_String@CShimStringUserSetting@@UAEJPBG@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleStringUserSetting::set_String(unsigned short const *) +?set_String@CSimpleStringUserSetting@@UAEJPBG@Z ; has WINAPI (@4) +; public: virtual long __thiscall CDiskPartUserSetting::set_UInt32(unsigned int) +?set_UInt32@CDiskPartUserSetting@@UAEJI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimUInt32UserSetting::set_UInt32(unsigned int) +?set_UInt32@CShimUInt32UserSetting@@UAEJI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CSimpleUInt32UserSetting::set_UInt32(unsigned int) +?set_UInt32@CSimpleUInt32UserSetting@@UAEJI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CUpgradeUserSetting::set_UInt32(unsigned int) +?set_UInt32@CUpgradeUserSetting@@UAEJI@Z ; has WINAPI (@4) +; public: virtual long __thiscall CShimUInt64UserSetting::set_UInt64(unsigned __int64) +?set_UInt64@CShimUInt64UserSetting@@UAEJ_K@Z ; has WINAPI (@8) +; public: virtual long __thiscall CSimpleUInt64UserSetting::set_UInt64(unsigned __int64) +?set_UInt64@CSimpleUInt64UserSetting@@UAEJ_K@Z ; has WINAPI (@8) +CallbackGetArgumentInt32@12 +CallbackGetArgumentString@12 +CallbackGetArgumentUInt64@12 +IsCrossArchitectureInstall@8 +PublishMessage +SignalSetupComplianceBlock@8 +WdsCollectionAddString@12 +WdsCollectionAddUInt32@12 +WdsCollectionAddUInt64@16 +WdsPickTempDriveBasedOnInstallDrive@20 +WdsValidateInstallDrive@20 diff --git a/lib/libc/mingw/lib32/webauthn.def b/lib/libc/mingw/lib32/webauthn.def new file mode 100644 index 0000000000..87402c3b6a --- /dev/null +++ b/lib/libc/mingw/lib32/webauthn.def @@ -0,0 +1,57 @@ +LIBRARY "webauthn.dll" +EXPORTS +CryptsvcDllCtrl@16 +I_WebAuthNCtapDecodeGetAssertionRpcResponse@32 +I_WebAuthNCtapDecodeMakeCredentialRpcResponse@24 +I_WebAuthNCtapEncodeGetAssertionRpcRequest@56 +I_WebAuthNCtapEncodeMakeCredentialRpcRequest@56 +WebAuthNAuthenticatorGetAssertion@20 +WebAuthNAuthenticatorMakeCredential@28 +WebAuthNCancelCurrentOperation@4 +WebAuthNCtapChangeClientPin@28 +WebAuthNCtapChangeClientPinForSelectedDevice@24 +WebAuthNCtapFreeSelectedDeviceInformation@4 +WebAuthNCtapGetAssertion@52 +WebAuthNCtapGetSupportedTransports@8 +WebAuthNCtapGetWnfLocalizedString@24 +WebAuthNCtapIsStopSendCommandError@4 +WebAuthNCtapMakeCredential@52 +WebAuthNCtapManageAuthenticatePin@20 +WebAuthNCtapManageCancelEnrollFingerprint@8 +WebAuthNCtapManageChangePin@24 +WebAuthNCtapManageClose@4 +WebAuthNCtapManageDeleteCredential@16 +WebAuthNCtapManageEnrollFingerprint@24 +WebAuthNCtapManageFreeDisplayCredentials@4 +WebAuthNCtapManageGetDisplayCredentials@12 +WebAuthNCtapManageRemoveFingerprints@8 +WebAuthNCtapManageResetDevice@8 +WebAuthNCtapManageSelect@16 +WebAuthNCtapManageSetPin@16 +WebAuthNCtapParseAuthenticatorData@16 +WebAuthNCtapResetDevice@12 +WebAuthNCtapRpcGetAssertionUserList@24 +WebAuthNCtapRpcGetCborCommand@12 +WebAuthNCtapRpcSelectGetAssertion@20 +WebAuthNCtapSendCommand@28 +WebAuthNCtapSetClientPin@20 +WebAuthNCtapStartDeviceChangeNotify@0 +WebAuthNCtapStopDeviceChangeNotify@0 +WebAuthNCtapVerifyGetAssertion@20 +WebAuthNDecodeAccountInformation@12 +WebAuthNDeletePlatformCredential@8 +WebAuthNEncodeAccountInformation@12 +WebAuthNFreeAssertion@4 +WebAuthNFreeCredentialAttestation@4 +WebAuthNFreeDecodedAccountInformation@4 +WebAuthNFreeEncodedAccountInformation@4 +WebAuthNFreePlatformCredentials@4 +WebAuthNFreeUserEntityList@4 +WebAuthNGetApiVersionNumber@0 +WebAuthNGetCancellationId@4 +WebAuthNGetCoseAlgorithmIdentifier@8 +WebAuthNGetCredentialIdFromAuthenticatorData@16 +WebAuthNGetErrorName@4 +WebAuthNGetPlatformCredentials@12 +WebAuthNGetW3CExceptionDOMError@4 +WebAuthNIsUserVerifyingPlatformAuthenticatorAvailable@4 diff --git a/lib/libc/mingw/lib32/webservices.def b/lib/libc/mingw/lib32/webservices.def new file mode 100644 index 0000000000..3c6e802742 --- /dev/null +++ b/lib/libc/mingw/lib32/webservices.def @@ -0,0 +1,200 @@ +; +; Definition file of webservices.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "webservices.dll" +EXPORTS +WsAbandonCall@12 +WsAbandonMessage@12 +WsAbortChannel@8 +WsAbortListener@8 +WsAbortServiceHost@8 +WsAbortServiceProxy@8 +WsAcceptChannel@16 +WsAddCustomHeader@28 +WsAddErrorString@8 +WsAddMappedHeader@28 +WsAddressMessage@12 +WsAlloc@16 +WsAsyncExecute@24 +WsCall@32 +WsCheckMustUnderstandHeaders@8 +WsCloseChannel@12 +WsCloseListener@12 +WsCloseServiceHost@12 +WsCloseServiceProxy@12 +WsCombineUrl@24 +WsCopyError@8 +WsCopyNode@12 +WsCreateChannel@28 +WsCreateChannelForListener@20 +WsCreateError@12 +WsCreateFaultFromError@20 +WsCreateHeap@24 +WsCreateListener@28 +WsCreateMessage@24 +WsCreateMessageForChannel@20 +WsCreateMetadata@16 +WsCreateReader@16 +WsCreateServiceEndpointFromTemplate@56 +WsCreateServiceHost@24 +WsCreateServiceProxy@36 +WsCreateServiceProxyFromTemplate@40 +WsCreateWriter@16 +WsCreateXmlBuffer@20 +WsCreateXmlSecurityToken@24 +WsDateTimeToFileTime@12 +WsDecodeUrl@20 +WsEncodeUrl@20 +WsEndReaderCanonicalization@8 +WsEndWriterCanonicalization@8 +WsFileTimeToDateTime@12 +WsFillBody@16 +WsFillReader@16 +WsFindAttribute@24 +WsFlushBody@16 +WsFlushWriter@16 +WsFreeChannel@4 +WsFreeError@4 +WsFreeHeap@4 +WsFreeListener@4 +WsFreeMessage@4 +WsFreeMetadata@4 +WsFreeReader@4 +WsFreeSecurityToken@4 +WsFreeServiceHost@4 +WsFreeServiceProxy@4 +WsFreeWriter@4 +WsGetChannelProperty@20 +WsGetCustomHeader@40 +WsGetDictionary@12 +WsGetErrorProperty@16 +WsGetErrorString@12 +WsGetFaultErrorDetail@24 +WsGetFaultErrorProperty@16 +WsGetHeader@32 +WsGetHeaderAttributes@16 +WsGetHeapProperty@20 +WsGetListenerProperty@20 +WsGetMappedHeader@40 +WsGetMessageProperty@20 +WsGetMetadataEndpoints@12 +WsGetMetadataProperty@20 +WsGetMissingMetadataDocumentAddress@12 +WsGetNamespaceFromPrefix@20 +WsGetOperationContextProperty@20 +WsGetPolicyAlternativeCount@12 +WsGetPolicyProperty@20 +WsGetPrefixFromNamespace@20 +WsGetReaderNode@12 +WsGetReaderPosition@12 +WsGetReaderProperty@20 +WsGetSecurityContextProperty@20 +WsGetSecurityTokenProperty@24 +WsGetServiceHostProperty@20 +WsGetServiceProxyProperty@20 +WsGetWriterPosition@12 +WsGetWriterProperty@20 +WsGetXmlAttribute@24 +WsInitializeMessage@16 +WsMarkHeaderAsUnderstood@12 +WsMatchPolicyAlternative@24 +WsMoveReader@16 +WsMoveWriter@16 +WsOpenChannel@16 +WsOpenListener@16 +WsOpenServiceHost@12 +WsOpenServiceProxy@16 +WsPullBytes@16 +WsPushBytes@16 +WsReadArray@40 +WsReadAttribute@28 +WsReadBody@28 +WsReadBytes@20 +WsReadChars@20 +WsReadCharsUtf8@20 +WsReadElement@28 +WsReadEndAttribute@8 +WsReadEndElement@8 +WsReadEndpointAddressExtension@32 +WsReadEnvelopeEnd@8 +WsReadEnvelopeStart@20 +WsReadMessageEnd@16 +WsReadMessageStart@16 +WsReadMetadata@16 +WsReadNode@8 +WsReadQualifiedName@24 +WsReadStartAttribute@12 +WsReadStartElement@8 +WsReadToStartElement@20 +WsReadType@36 +WsReadValue@20 +WsReadXmlBuffer@16 +WsReadXmlBufferFromBytes@36 +WsReceiveMessage@48 +WsRegisterOperationForCancel@20 +WsRemoveCustomHeader@16 +WsRemoveHeader@12 +WsRemoveMappedHeader@12 +WsRemoveNode@8 +WsRequestReply@56 +WsRequestSecurityToken@24 +WsResetChannel@8 +WsResetError@4 +WsResetHeap@8 +WsResetListener@8 +WsResetMessage@8 +WsResetMetadata@8 +WsResetServiceHost@8 +WsResetServiceProxy@8 +WsRevokeSecurityContext@8 +WsSendFaultMessageForError@32 +WsSendMessage@32 +WsSendReplyMessage@36 +WsSetChannelProperty@20 +WsSetErrorProperty@16 +WsSetFaultErrorDetail@20 +WsSetFaultErrorProperty@16 +WsSetHeader@28 +WsSetInput@24 +WsSetInputToBuffer@20 +WsSetListenerProperty@20 +WsSetMessageProperty@20 +WsSetOutput@24 +WsSetOutputToBuffer@20 +WsSetReaderPosition@12 +WsSetWriterPosition@12 +WsShutdownSessionChannel@12 +WsSkipNode@8 +WsStartReaderCanonicalization@24 +WsStartWriterCanonicalization@24 +WsTrimXmlWhitespace@20 +WsVerifyXmlNCName@12 +WsWriteArray@36 +WsWriteAttribute@24 +WsWriteBody@24 +WsWriteBytes@16 +WsWriteChars@16 +WsWriteCharsUtf8@16 +WsWriteElement@24 +WsWriteEndAttribute@8 +WsWriteEndCData@8 +WsWriteEndElement@8 +WsWriteEndStartElement@8 +WsWriteEnvelopeEnd@8 +WsWriteEnvelopeStart@20 +WsWriteMessageEnd@16 +WsWriteMessageStart@16 +WsWriteNode@12 +WsWriteQualifiedName@20 +WsWriteStartAttribute@24 +WsWriteStartCData@8 +WsWriteStartElement@20 +WsWriteText@12 +WsWriteType@32 +WsWriteValue@20 +WsWriteXmlBuffer@12 +WsWriteXmlBufferToBytes@36 +WsWriteXmlnsAttribute@20 +WsXmlStringEquals@12 diff --git a/lib/libc/mingw/lib32/wer.def b/lib/libc/mingw/lib32/wer.def index 1fa1bcf529..538086c8b8 100644 --- a/lib/libc/mingw/lib32/wer.def +++ b/lib/libc/mingw/lib32/wer.def @@ -5,6 +5,27 @@ ; LIBRARY "wer.dll" EXPORTS +WerAddExcludedApplication@8 +WerFreeString@4 +WerRemoveExcludedApplication@8 +WerReportAddDump@28 +WerReportAddFile@16 +WerReportCloseHandle@4 +WerReportCreate@16 +WerReportSetParameter@16 +WerReportSetUIOption@12 +WerReportSubmit@16 +WerStoreClose@4 +WerStoreGetFirstReportKey@8 +WerStoreGetNextReportKey@8 +WerStoreGetReportCount@8 +WerStoreGetSizeOnDisk@8 +WerStoreOpen@8 +WerStorePurge@0 +WerStoreQueryReportMetadataV1@12 +WerStoreQueryReportMetadataV2@12 +WerStoreQueryReportMetadataV3@12 +WerStoreUploadReport@16 WerSysprepCleanup@0 WerSysprepGeneralize@0 WerSysprepSpecialize@0 @@ -35,6 +56,7 @@ WerpGetFilePathByIndex@12 WerpGetNumFiles@8 WerpGetNumSecParams@8 WerpGetNumSigParams@8 +WerpGetReportConsent@12 WerpGetReportFinalConsent@8 WerpGetReportFlags@8 WerpGetReportInformation@8 @@ -50,13 +72,17 @@ WerpGetTextFromReport@12 WerpGetUIParamByIndex@12 WerpGetUploadTime@8 WerpGetWerStringData@4 +WerpIsDisabled@8 WerpIsTransportAvailable@0 WerpLoadReport@16 WerpOpenMachineArchive@8 WerpOpenMachineQueue@8 WerpOpenUserArchive@8 +WerpOpenUserQueue@8 +WerpPromtUser@16 WerpReportCancel@4 WerpRestartApplication@20 +WerpSetCallBack@12 WerpSetDynamicParameter@16 WerpSetEventName@8 WerpSetReportFlags@8 @@ -68,17 +94,3 @@ WerpShowSecondLevelConsent@12 WerpShowUpsellUI@8 WerpSubmitReportFromStore@28 WerpSvcReportFromMachineQueue@8 -WerAddExcludedApplication@8 -WerRemoveExcludedApplication@8 -WerReportAddDump@28 -WerReportAddFile@16 -WerReportCloseHandle@4 -WerReportCreate@16 -WerReportSetParameter@16 -WerReportSetUIOption@12 -WerReportSubmit@16 -WerpGetReportConsent@12 -WerpIsDisabled@8 -WerpOpenUserQueue@8 -WerpPromtUser@16 -WerpSetCallBack@12 diff --git a/lib/libc/mingw/lib32/wevtfwd.def b/lib/libc/mingw/lib32/wevtfwd.def new file mode 100644 index 0000000000..e31e7df7df --- /dev/null +++ b/lib/libc/mingw/lib32/wevtfwd.def @@ -0,0 +1,12 @@ +; +; Definition file of WEVTFWD.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WEVTFWD.DLL" +EXPORTS +WSManProvPullEvents@16 +WSManProvShutdown@12 +WSManProvStartup@16 +WSManProvSubscribe@40 +WSManProvUnsubscribe@12 diff --git a/lib/libc/mingw/lib32/wiadss.def b/lib/libc/mingw/lib32/wiadss.def new file mode 100644 index 0000000000..b9c3de57ec --- /dev/null +++ b/lib/libc/mingw/lib32/wiadss.def @@ -0,0 +1,14 @@ +; +; Definition file of WIADSS.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WIADSS.DLL" +EXPORTS +FindFirstImportDS@8 +FindNextImportDS@8 +CloseFindContext@4 +LoadImportDS@16 +UnloadImportDS@4 +GetLoaderStatus@4 +FindImportDSByDeviceName@8 diff --git a/lib/libc/mingw/lib32/wimgapi.def b/lib/libc/mingw/lib32/wimgapi.def new file mode 100644 index 0000000000..c1e0182192 --- /dev/null +++ b/lib/libc/mingw/lib32/wimgapi.def @@ -0,0 +1,67 @@ +; +; Definition file of WIMGAPI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WIMGAPI.DLL" +EXPORTS +;DllCanUnloadNow@0 +;DllMain@12 +WIMAddImagePath@16 +WIMAddImagePaths@20 +WIMAddWimbootEntry@16 +WIMApplyImage@12 +WIMCaptureImage@12 +WIMCloseHandle@4 +WIMCommitImageHandle@12 +WIMCopyFile@24 +WIMCreateFile@24 +WIMCreateImageFile@20 +WIMCreateWofCompressedFile@12 +WIMDeleteImage@8 +WIMDeleteImageMounts@4 +WIMEnumImageFiles@16 +WIMExportImage@12 +WIMExtractImageDirectory@16 +WIMExtractImagePath@16 +WIMFindFirstImageFile@12 +WIMFindNextImageFile@8 +WIMGetAttributes@12 +WIMGetImageCount@4 +WIMGetImageInformation@12 +WIMGetMessageCallbackCount@4 +WIMGetMountedImageHandle@16 +WIMGetMountedImageInfo@20 +WIMGetMountedImageInfoFromHandle@20 +WIMGetMountedImages@8 +WIMGetWIMBootEntries@12 +WIMGetWIMBootWIMPath@8 +WIMInitFileIOCallbacks@4 +WIMInitializeWofDriver@8 +WIMIsCurrentSystemWimboot@0 +WIMIsReferenceWim@20 +WIMLoadImage@8 +WIMMountImage@16 +WIMMountImageHandle@12 +WIMProcessCustomImage@12 +WIMReadFileEx@20 +WIMReadImageFile@20 +WIMRedirectFolderBeforeApply@12 +WIMRegisterLogFile@8 +WIMRegisterMessageCallback@12 +WIMRemountImage@8 +WIMSetBootImage@8 +WIMSetFileIOCallbackTemporaryPath@4 +WIMSetImageInformation@12 +WIMSetImageUserSpecifiedCreationTime@8 +WIMSetReferenceFile@12 +WIMSetTemporaryPath@8 +WIMSetWimGuid@8 +WIMSingleInstanceFile@16 +WIMSplitFile@16 +WIMUnmountImage@16 +WIMUnmountImageHandle@8 +WIMUnregisterLogFile@4 +WIMUnregisterMessageCallback@8 +WIMUpdateWIMBootEntry@16 +WIMWriteFileWithIntegrity@16 diff --git a/lib/libc/mingw/lib32/win32k.def b/lib/libc/mingw/lib32/win32k.def new file mode 100644 index 0000000000..c1f67273f7 --- /dev/null +++ b/lib/libc/mingw/lib32/win32k.def @@ -0,0 +1,226 @@ +LIBRARY win32k.sys +EXPORTS +BRUSHOBJ_hGetColorTransform@4 +BRUSHOBJ_pvAllocRbrush@8 +BRUSHOBJ_pvGetRbrush@4 +BRUSHOBJ_ulGetBrushColor@4 +CLIPOBJ_bEnum@12 +CLIPOBJ_cEnumStart@20 +CLIPOBJ_ppoGetPath@4 +EngAcquireSemaphore@4 +EngAllocMem@12 +EngAllocPrivateUserMem@12 +;EngAllocSectionMem@16 +EngAllocUserMem@8 +EngAlphaBlend@28 +EngAssociateSurface@12 +EngBitBlt@44 +EngCheckAbort@4 +EngClearEvent@4 +EngComputeGlyphSet@12 +EngControlSprites@8 +EngCopyBits@24 +EngCreateBitmap@24 +EngCreateClip@0 +EngCreateDeviceBitmap@16 +EngCreateDeviceSurface@16 +;EngCreateDriverObj@12 +EngCreateEvent@4 +EngCreatePalette@24 +EngCreatePath@0 +EngCreateSemaphore@0 +EngCreateWnd@20 +EngDebugBreak@0 +EngDebugPrint@12 +EngDeleteClip@4 +EngDeleteDriverObj@12 +EngDeleteEvent@4 +EngDeleteFile@4 +EngDeletePalette@4 +EngDeletePath@4 +EngDeleteSafeSemaphore@4 +EngDeleteSemaphore@4 +EngDeleteSurface@4 +EngDeleteWnd@4 +EngDeviceIoControl@28 +EngDitherColor@16 +;EngDxIoctl@12 +EngEnumForms@24 +EngEraseSurface@12 +;EngFileIoControl@28 +;EngFileWrite@16 +EngFillPath@28 +EngFindImageProcAddress@8 +EngFindResource@16 +EngFntCacheAlloc@8 +EngFntCacheFault@8 +EngFntCacheLookUp@8 +EngFreeMem@4 +EngFreeModule@4 +EngFreePrivateUserMem@8 +;EngFreeSectionMem@8 +EngFreeUserMem@4 +EngGetCurrentCodePage@8 +EngGetCurrentProcessId@0 +EngGetCurrentThreadId@0 +EngGetDriverName@4 +EngGetFileChangeTime@8 +EngGetFilePath@8 +EngGetForm@24 +EngGetLastError@0 +EngGetPrinter@20 +EngGetPrinterData@24 +EngGetPrinterDataFileName@4 +EngGetPrinterDriver@24 +EngGetProcessHandle@0 +;EngGetTickCount@0 +EngGetType1FontList@24 +EngGradientFill@40 +EngHangNotification@8 +EngInitializeSafeSemaphore@4 +EngIsSemaphoreOwned@4 +EngIsSemaphoreOwnedByCurrentThread@4 +EngLineTo@36 +EngLoadImage@4 +EngLoadModule@4 +EngLoadModuleForWrite@8 +EngLockDirectDrawSurface@4 +;EngLockDriverObj@4 +EngLockSurface@4 +EngLpkInstalled@0 +EngMapEvent@20 +EngMapFile@12 +EngMapFontFile@12 +EngMapFontFileFD@12 +EngMapModule@8 +;EngMapSection@16 +EngMarkBandingSurface@4 +EngModifySurface@32 +EngMovePointer@16 +EngMulDiv@12 +EngMultiByteToUnicodeN@20 +EngMultiByteToWideChar@20 +;EngNineGrid@36 +EngPaint@20 +EngPlgBlt@44 +EngProbeForRead@12 +EngProbeForReadAndWrite@12 +EngQueryDeviceAttribute@24 +EngQueryLocalTime@4 +EngQueryPalette@16 +EngQueryPerformanceCounter@4 +EngQueryPerformanceFrequency@4 +EngQuerySystemAttribute@8 +EngReadStateEvent@4 +EngReleaseSemaphore@4 +EngRestoreFloatingPointState@4 +EngSaveFloatingPointState@8 +EngSecureMem@8 +EngSetEvent@4 +EngSetLastError@4 +EngSetPointerShape@40 +EngSetPointerTag@20 +EngSetPrinterData@20 +EngSort@16 +EngStretchBlt@44 +EngStretchBltROP@52 +EngStrokeAndFillPath@40 +EngStrokePath@32 +EngTextOut@40 +EngTransparentBlt@32 +EngUnicodeToMultiByteN@20 +EngUnloadImage@4 +EngUnlockDirectDrawSurface@4 +EngUnlockDriverObj@4 +EngUnlockSurface@4 +EngUnmapEvent@4 +EngUnmapFile@4 +EngUnmapFontFile@4 +EngUnmapFontFileFD@4 +EngUnsecureMem@4 +EngWaitForSingleObject@8 +EngWideCharToMultiByte@20 +EngWritePrinter@16 +FLOATOBJ_Add@8 +FLOATOBJ_AddFloat@8 +;FLOATOBJ_AddFloatObj +FLOATOBJ_AddLong@8 +FLOATOBJ_Div@8 +FLOATOBJ_DivFloat@8 +;FLOATOBJ_DivFloatObj +FLOATOBJ_DivLong@8 +FLOATOBJ_Equal@8 +FLOATOBJ_EqualLong@8 +FLOATOBJ_GetFloat@4 +FLOATOBJ_GetLong@4 +FLOATOBJ_GreaterThan@8 +FLOATOBJ_GreaterThanLong@8 +FLOATOBJ_LessThan@8 +FLOATOBJ_LessThanLong@8 +FLOATOBJ_Mul@8 +FLOATOBJ_MulFloat@8 +;FLOATOBJ_MulFloatObj +FLOATOBJ_MulLong@8 +FLOATOBJ_Neg@4 +FLOATOBJ_SetFloat@8 +FLOATOBJ_SetLong@8 +FLOATOBJ_Sub@8 +FLOATOBJ_SubFloat@8 +;FLOATOBJ_SubFloatObj +FLOATOBJ_SubLong@8 +FONTOBJ_cGetAllGlyphHandles@8 +FONTOBJ_cGetGlyphs@20 +FONTOBJ_pQueryGlyphAttrs@8 +FONTOBJ_pfdg@4 +FONTOBJ_pifi@4 +FONTOBJ_pjOpenTypeTablePointer@12 +FONTOBJ_pvTrueTypeFontFile@8 +FONTOBJ_pwszFontFilePaths@8 +FONTOBJ_pxoGetXform@4 +FONTOBJ_vGetInfo@12 +HT_ComputeRGBGammaTable@24 +HT_Get8BPPFormatPalette@16 +HT_Get8BPPMaskPalette@24 +HeapVidMemAllocAligned@20 +PALOBJ_cGetColors@16 +PATHOBJ_bCloseFigure@4 +PATHOBJ_bEnum@8 +PATHOBJ_bEnumClipLines@12 +PATHOBJ_bMoveTo@12 +PATHOBJ_bPolyBezierTo@12 +PATHOBJ_bPolyLineTo@12 +PATHOBJ_vEnumStart@4 +PATHOBJ_vEnumStartClipLines@16 +PATHOBJ_vGetBounds@8 +;RtlAnsiCharToUnicodeChar@4 +;RtlMultiByteToUnicodeN@20 +;RtlRaiseException +;RtlUnicodeToMultiByteN@20 +;RtlUnicodeToMultiByteSize@12 +;RtlUnwind@16 +RtlUpcaseUnicodeChar@4 +;RtlUpcaseUnicodeToMultiByteN@20 +STROBJ_bEnum@12 +STROBJ_bEnumPositionsOnly@12 +STROBJ_bGetAdvanceWidths@16 +STROBJ_dwGetCodePage@4 +STROBJ_fxBreakExtra@4 +STROBJ_fxCharacterExtra@4 +STROBJ_vEnumStart@4 +VidMemFree@8 +WNDOBJ_bEnum@12 +WNDOBJ_cEnumStart@16 +WNDOBJ_vSetConsumer@8 +XFORMOBJ_bApplyXform@20 +XFORMOBJ_iGetFloatObjXform@8 +XFORMOBJ_iGetXform@8 +XLATEOBJ_cGetPalette@16 +XLATEOBJ_hGetColorTransform@4 +XLATEOBJ_iXlate@8 +XLATEOBJ_piVector@4 +;_abnormal_termination +;_except_handler2 +;_global_unwind2 +;_itoa +;_itow +;_local_unwind2 diff --git a/lib/libc/mingw/lib32/win32spl.def b/lib/libc/mingw/lib32/win32spl.def new file mode 100644 index 0000000000..ea00cad1cd --- /dev/null +++ b/lib/libc/mingw/lib32/win32spl.def @@ -0,0 +1,16 @@ +LIBRARY WIN32SPL.DLL +EXPORTS +AddPortExW@16 +AddPortW@12 +ClosePort@4 +ConfigurePortW@12 +DeletePortW@12 +EndDocPort@4 +EnumPortsW@24 +InitializeMonitor@4 +InitializePrintProvidor@12 +LibMain@12 +OpenPort@8 +ReadPort@16 +StartDocPort@20 +WritePort@16 diff --git a/lib/libc/mingw/lib32/windows.ai.machinelearning.def b/lib/libc/mingw/lib32/windows.ai.machinelearning.def new file mode 100644 index 0000000000..d1b5a6eb95 --- /dev/null +++ b/lib/libc/mingw/lib32/windows.ai.machinelearning.def @@ -0,0 +1,5 @@ +LIBRARY windows.ai.machinelearning + +EXPORTS + +MLCreateOperatorRegistry@4 diff --git a/lib/libc/mingw/lib32/windows.data.pdf.def b/lib/libc/mingw/lib32/windows.data.pdf.def new file mode 100644 index 0000000000..426ee5e696 --- /dev/null +++ b/lib/libc/mingw/lib32/windows.data.pdf.def @@ -0,0 +1,3 @@ +LIBRARY "Windows.Data.Pdf.dll" +EXPORTS +PdfCreateRenderer@8 diff --git a/lib/libc/mingw/lib32/windows.networking.def b/lib/libc/mingw/lib32/windows.networking.def new file mode 100644 index 0000000000..75bac1abca --- /dev/null +++ b/lib/libc/mingw/lib32/windows.networking.def @@ -0,0 +1,3 @@ +LIBRARY "Windows.Networking.dll" +EXPORTS +SetSocketMediaStreamingMode@4 diff --git a/lib/libc/mingw/lib32/winspool.def b/lib/libc/mingw/lib32/winspool.def index ddfd9aefd4..01cdfea8f4 100644 --- a/lib/libc/mingw/lib32/winspool.def +++ b/lib/libc/mingw/lib32/winspool.def @@ -195,7 +195,6 @@ SpoolerInit@0 SplDriverUnloadComplete@4 SpoolerPrinterEvent@20 StartDocDlgA@8 -StartDocDlgW@8 StartDocPrinterA@12 StartDocPrinterW@12 StartPagePrinter@4 diff --git a/lib/libc/mingw/lib32/winstrm.def b/lib/libc/mingw/lib32/winstrm.def new file mode 100644 index 0000000000..27531a0b95 --- /dev/null +++ b/lib/libc/mingw/lib32/winstrm.def @@ -0,0 +1,9 @@ +LIBRARY WINSTRM.DLL +EXPORTS +OpenStream@4 +getmsg@16 +poll@12 +putmsg@16 +s_ioctl@12 +s_open@12 +s_perror@8 diff --git a/lib/libc/mingw/lib32/wlanapi.def b/lib/libc/mingw/lib32/wlanapi.def index 59cf01bcd3..d95329d8d5 100644 --- a/lib/libc/mingw/lib32/wlanapi.def +++ b/lib/libc/mingw/lib32/wlanapi.def @@ -1,35 +1,228 @@ ; -; Definition file of Wlanapi.dll +; Definition file of wlanapi.dll ; Automatic generated by gendef ; written by Kai Tietz 2008 ; -LIBRARY "Wlanapi.dll" +LIBRARY "wlanapi.dll" EXPORTS +QueryNetconStatus@8 +QueryNetconVirtualCharacteristic@8 +WFDAbortSessionInt@4 +WFDAcceptConnectRequestAndOpenSessionInt@24 +WFDAcceptGroupRequestAndOpenSessionInt@44 +WFDCancelConnectorPairWithOOB@4 +WFDCancelListenerPairWithOOB@4 +WFDCancelOpenSession@4 +WFDCancelOpenSessionInt@4 +WFDCloseHandle@4 +WFDCloseHandleInt@4 +WFDCloseLegacySessionInt@12 +WFDCloseOOBPairingSession@4 +WFDCloseSession@4 +WFDCloseSessionInt@4 +WFDConfigureFirewallForSessionInt@8 +WFDCreateDHPrivatePublicKeyPairInt@16 +WFDDeclineConnectRequestInt@8 +WFDDeclineGroupRequestInt@8 +WFDDiscoverDeviceServiceInformationInt@24 +WFDDiscoverDevicesExInt@16 +WFDDiscoverDevicesInt@12 +WFDFlushVisibleDeviceListInt@4 +WFDForceDisconnectInt@8 +WFDForceDisconnectLegacyPeerInt@12 +WFDFreeMemoryInt@4 +WFDGetDefaultGroupProfileInt@8 +WFDGetDeviceDescriptorForPendingRequestInt@16 +WFDGetNFCCarrierConfigBlobInt@24 +WFDGetOOBBlob@24 +WFDGetPrimaryAdapterStateInt@8 +WFDGetProfileKeyInfoInt@20 +WFDGetSessionEndpointPairsInt@12 +WFDGetVisibleDevicesExInt@12 +WFDGetVisibleDevicesInt@8 +WFDIsInterfaceWiFiDirect@24 +WFDIsWiFiDirectRunningOnWiFiAdapter@20 +WFDLowPrivCancelOpenSessionInt@4 +WFDLowPrivCloseHandleInt@4 +WFDLowPrivCloseLegacySessionInt@12 +WFDLowPrivCloseSessionInt@4 +WFDLowPrivConfigureFirewallForSessionInt@8 +WFDLowPrivDeclineDeviceApiConnectionRequestInt@8 +WFDLowPrivGetPendingGroupRequestDetailsInt@12 +WFDLowPrivGetSessionEndpointPairsInt@12 +WFDLowPrivIsWfdSupportedInt@4 +WFDLowPrivOpenHandleInt@12 +WFDLowPrivOpenLegacySessionInt@12 +WFDLowPrivOpenSessionByDafObjectIdInt@44 +WFDLowPrivQueryPropertyInt@16 +WFDLowPrivRegisterNotificationInt@24 +WFDLowPrivRegisterVMgrCallerInt@12 +WFDLowPrivSetPropertyInt@16 +WFDLowPrivStartDeviceApiConnectionRequestListenerInt@4 +WFDLowPrivStartUsingGroupInt@16 +WFDLowPrivStopDeviceApiConnectionRequestListenerInt@4 +WFDLowPrivStopUsingGroupInt@8 +WFDLowPrivUnregisterVMgrCallerInt@4 +WFDOpenHandle@12 +WFDOpenHandleInt@12 +WFDOpenLegacySession@16 +WFDOpenLegacySessionInt@12 +WFDPairCancelByDeviceAddressInt@8 +WFDPairCancelInt@4 +WFDPairContinuePairWithDeviceInt@12 +WFDPairEnumerateCeremoniesInt@28 +WFDPairSelectCeremonyInt@12 +WFDPairWithDeviceAndOpenSessionExInt@32 +WFDPairWithDeviceAndOpenSessionInt@28 +WFDParseOOBBlob@12 +WFDParseOOBBlobTypeAndGetPayloadInt@20 +WFDParseProfileXmlInt@12 +WFDParseWfaNfcCarrierConfigBlobInt@12 +WFDQueryPropertyInt@16 +WFDRegisterNotificationInt@24 +WFDRegisterVMgrCallerInt@12 +WFDResetSelectedWfdMgrInt@4 +WFDSetAdditionalIEsInt@8 +WFDSetPropertyInt@16 +WFDSetSecondaryDeviceTypeListInt@8 +WFDSetSelectedWfdMgrInt@8 +WFDStartBackgroundDiscoveryInt@8 +WFDStartConnectorPairWithOOB@20 +WFDStartListenerPairWithOOB@28 +WFDStartOffloadedDiscoveryInt@8 +WFDStartOpenSession@20 +WFDStartOpenSessionInt@28 +WFDStartUsingGroupExInt@16 +WFDStartUsingGroupInt@12 +WFDStopBackgroundDiscoveryInt@4 +WFDStopDiscoverDevicesExInt@8 +WFDStopDiscoverDevicesInt@4 +WFDStopOffloadedDiscoveryInt@4 +WFDStopUsingGroupInt@8 +WFDSvcLowPrivAcceptSessionInt@12 +WFDSvcLowPrivCancelSessionInt@4 +WFDSvcLowPrivCloseSessionInt@4 +WFDSvcLowPrivConfigureSessionInt@16 +WFDSvcLowPrivConnectSessionInt@12 +WFDSvcLowPrivGetProvisioningInfoInt@32 +WFDSvcLowPrivGetSessionEndpointPairsInt@12 +WFDSvcLowPrivOpenAdvertiserSessionInt@20 +WFDSvcLowPrivOpenSeekerSessionInt@28 +WFDSvcLowPrivPublishServiceInt@20 +WFDSvcLowPrivUnpublishServiceInt@8 +WFDUnregisterVMgrCallerInt@4 +WFDUpdateDeviceVisibility@4 +WiFiDisplayResetSinkStateInt@4 +WiFiDisplaySetSinkClientHandleInt@4 +WiFiDisplaySetSinkStateInt@4 WlanAllocateMemory@4 +WlanAllocateProfileIpConfiguration@20 +WlanCancelPlap@4 WlanCloseHandle@8 WlanConnect@16 +WlanConnectEx@16 +WlanConnectWithInput@12 +WlanDeinitPlapParams@0 WlanDeleteProfile@16 +WlanDeviceServiceCommand@36 WlanDisconnect@12 +WlanDoPlap@44 +WlanDoesBssMatchSecurity@16 +WlanEnumAllInterfaces@4 WlanEnumInterfaces@12 WlanExtractPsdIEDataList@24 WlanFreeMemory@4 +WlanGenerateProfileXmlBasicSettings@40 +WlanGetAvailableNetworkList2@20 WlanGetAvailableNetworkList@20 WlanGetFilterList@16 WlanGetInterfaceCapability@16 +WlanGetMFPNegotiated@8 WlanGetNetworkBssList@28 WlanGetProfile@28 WlanGetProfileCustomUserData@24 +WlanGetProfileEapUserDataInfo@16 +WlanGetProfileIndex@12 +WlanGetProfileKeyInfo@24 WlanGetProfileList@16 +WlanGetProfileMetadata@24 +WlanGetProfileMetadataWithProfileGuid@24 +WlanGetProfileSsidList@8 +WlanGetRadioInformation@12 WlanGetSecuritySettings@20 +WlanGetStoredRadioState@12 +WlanGetSupportedDeviceServices@12 +WlanHostedNetworkForceStart@12 +WlanHostedNetworkForceStop@12 +WlanHostedNetworkFreeWCNSettings@4 +WlanHostedNetworkHlpQueryEverUsed@0 +WlanHostedNetworkInitSettings@12 +WlanHostedNetworkQueryProperty@24 +WlanHostedNetworkQuerySecondaryKey@28 +WlanHostedNetworkQueryStatus@12 +WlanHostedNetworkQueryWCNSettings@4 +WlanHostedNetworkRefreshSecuritySettings@12 +WlanHostedNetworkSetProperty@24 +WlanHostedNetworkSetSecondaryKey@28 +WlanHostedNetworkSetWCNSettings@4 +WlanHostedNetworkStartUsing@12 +WlanHostedNetworkStopUsing@12 WlanIhvControl@32 +WlanInitPlapParams@4 +WlanInternalCancelFTMRequest@4 +WlanInternalGetNetworkBssListWithFTMData@12 +WlanInternalNonDisruptiveScan@8 +WlanInternalNonDisruptiveScanEx@12 +WlanInternalRequestFTM@28 +WlanInternalScan@8 +WlanIsActiveConsoleUser@0 +WlanIsNetworkSuppressed@8 +WlanIsUIRequestPending@12 +WlanLowPrivCloseHandle@4 +WlanLowPrivEnumInterfaces@8 +WlanLowPrivFreeMemory@4 +WlanLowPrivNotifyVsIeProviderInt@28 +WlanLowPrivOpenHandle@12 +WlanLowPrivQueryInterface@24 +WlanLowPrivSetInterface@20 +WlanNotifyVsIeProviderExInt@28 +WlanNotifyVsIeProviderInt@24 WlanOpenHandle@16 +WlanParseProfileXmlBasicSettings@40 +WlanPrivateCanDeleteProfile@16 +WlanPrivateClearAnqpCache@0 +WlanPrivateDeleteProfile@20 +WlanPrivateEnableAnqpOsuRegistration@4 +WlanPrivateGetAnqpCacheResponse@16 +WlanPrivateGetAnqpOSUProviderList@16 +WlanPrivateGetAnqpOsuRegistrationStatus@4 +WlanPrivateGetAvailableNetworkList@16 +WlanPrivateParseAnqpRawData@16 +WlanPrivateQuery11adPairedConfig@12 +WlanPrivateQueryInterface@20 +WlanPrivateRefreshAnqpCache@12 +WlanPrivateSetInterface@20 +WlanPrivateSetProfile@36 +WlanProfileIpConfigurationGetAddressList@8 +WlanProfileIpConfigurationGetDnsServerList@8 +WlanProfileIpConfigurationGetGatewayList@8 WlanQueryAutoConfigParameter@24 +WlanQueryCreateAllUserProfileRestricted@8 WlanQueryInterface@28 +WlanQueryPlapCredentials@32 +WlanQueryPreConnectInput@12 +WlanQueryVirtualInterfaceType@8 WlanReasonCodeToString@16 +WlanRefreshConnections@4 +WlanRegisterDeviceServiceNotification@8 WlanRegisterNotification@28 +WlanRegisterVirtualStationNotification@12 +WlanRemoveUIForwardingNetworkList@4 WlanRenameProfile@20 WlanSaveTemporaryProfile@28 WlanScan@20 +WlanSendUIResponse@8 +WlanSetAllUserProfileRestricted@4 WlanSetAutoConfigParameter@20 WlanSetFilterList@16 WlanSetInterface@24 @@ -38,6 +231,35 @@ WlanSetProfileCustomUserData@24 WlanSetProfileEapUserData@44 WlanSetProfileEapXmlUserData@24 WlanSetProfileList@20 +WlanSetProfileListForOffload@16 +WlanSetProfileMetadata@24 WlanSetProfilePosition@20 +WlanSetProtectedScenario@16 WlanSetPsdIEDataList@16 WlanSetSecuritySettings@12 +WlanSetUIForwardingNetworkList@12 +WlanSignalValueToBar@4 +WlanSignalValueToBarEx@8 +WlanSsidToDisplayName@16 +WlanStartAP@24 +WlanStartMovementDetector@8 +WlanStopAP@12 +WlanStopMovementDetector@4 +WlanStoreRadioStateOnEnteringAirPlaneMode@12 +WlanStringToSsid@8 +WlanStringToUtf8Ssid@8 +WlanTryUpgradeCurrentConnectionAuthCipher@8 +WlanUpdateBasicProfileSecurity@24 +WlanUpdateProfileWithAuthCipher@28 +WlanUtf8SsidToDisplayName@16 +WlanVMgrQueryCurrentScenariosInt@8 +WlanVerifyProfileIpConfiguration@8 +WlanWcmDisconnect@4 +WlanWcmGetInterface@16 +WlanWcmGetProfileList@12 +WlanWcmSetInterface@16 +WlanWcmSetProfile@28 +WlanWfdGOSetWCNSettings@8 +WlanWfdGetPeerInfo@20 +WlanWfdStartGO@4 +WlanWfdStopGO@4 diff --git a/lib/libc/mingw/lib32/wlanui.def b/lib/libc/mingw/lib32/wlanui.def new file mode 100644 index 0000000000..c71311b902 --- /dev/null +++ b/lib/libc/mingw/lib32/wlanui.def @@ -0,0 +1,13 @@ +; +; Definition file of wlanui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "wlanui.dll" +EXPORTS +WLInvokeProfileUI@32 +WLInvokeProfileUIFromXMLFile@40 +DllGetClassObject@12 +WLFreeProfile@4 +WLFreeProfileXml@4 +WlanUIEditProfile@28 diff --git a/lib/libc/mingw/lib32/wlanutil.def b/lib/libc/mingw/lib32/wlanutil.def new file mode 100644 index 0000000000..cab17638cb --- /dev/null +++ b/lib/libc/mingw/lib32/wlanutil.def @@ -0,0 +1,10 @@ +; +; Definition file of wlanutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "wlanutil.dll" +EXPORTS +WlanIsActiveConsoleUser@0 +WlanSsidToDisplayName@16 +WlanStringToSsid@8 diff --git a/lib/libc/mingw/lib32/wmilib.def b/lib/libc/mingw/lib32/wmilib.def new file mode 100644 index 0000000000..06d2d1bd26 --- /dev/null +++ b/lib/libc/mingw/lib32/wmilib.def @@ -0,0 +1,10 @@ +; +; Definition file of WMILIB.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WMILIB.SYS" +EXPORTS +WmiCompleteRequest@20 +WmiFireEvent@20 +WmiSystemControl@16 diff --git a/lib/libc/mingw/lib32/wow32.def b/lib/libc/mingw/lib32/wow32.def new file mode 100644 index 0000000000..cd814c6339 --- /dev/null +++ b/lib/libc/mingw/lib32/wow32.def @@ -0,0 +1,19 @@ +LIBRARY WOW32.DLL +EXPORTS +WOWCallback16@8 +WOWCallback16Ex@20 +WOWDirectedYield16@4 +WOWGetDescriptor@8 +WOWGetVDMPointer@12 +WOWGetVDMPointerFix@12 +WOWGetVDMPointerUnfix@4 +WOWGlobalAlloc16@8 +WOWGlobalAllocLock16@12 +WOWGlobalFree16@4 +WOWGlobalLock16@4 +WOWGlobalLockSize16@8 +WOWGlobalUnlock16@4 +WOWGlobalUnlockFree16@4 +WOWHandle16@8 +WOWHandle32@8 +WOWYield16@0 diff --git a/lib/libc/mingw/lib32/wpprecorderum.def b/lib/libc/mingw/lib32/wpprecorderum.def new file mode 100644 index 0000000000..e505dea730 --- /dev/null +++ b/lib/libc/mingw/lib32/wpprecorderum.def @@ -0,0 +1,8 @@ +LIBRARY wpprecorderum + +EXPORTS + +WppAutoLogGetDefaultHandle@4 +WppAutoLogStart +WppAutoLogStop +WppAutoLogTrace diff --git a/lib/libc/mingw/lib32/wst.def b/lib/libc/mingw/lib32/wst.def new file mode 100644 index 0000000000..e80170ada7 --- /dev/null +++ b/lib/libc/mingw/lib32/wst.def @@ -0,0 +1,3 @@ +LIBRARY WST.DLL +EXPORTS +_penter diff --git a/lib/libc/mingw/lib32/wtsapi32.def b/lib/libc/mingw/lib32/wtsapi32.def index dff87ab3b0..f2bcaf09d5 100644 --- a/lib/libc/mingw/lib32/wtsapi32.def +++ b/lib/libc/mingw/lib32/wtsapi32.def @@ -15,7 +15,11 @@ WTSEnumerateServersA@20 WTSEnumerateServersW@20 WTSEnumerateSessionsA@20 WTSEnumerateSessionsW@20 +WTSEnumerateSessionsExA@20 +WTSEnumerateSessionsExW@20 WTSFreeMemory@4 +WTSFreeMemoryExA@12 +WTSFreeMemoryExW@12 WTSLogoffSession@12 WTSOpenServerA@4 WTSOpenServerW@4 diff --git a/lib/libc/mingw/lib32/x3daudio1_2.def b/lib/libc/mingw/lib32/x3daudio1_2.def new file mode 100644 index 0000000000..fb34ad0d0d --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_2.def @@ -0,0 +1,11 @@ +; +; Definition file of X3DAudio1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_2.dll" +EXPORTS +;_X3DAudioCalculate@20@20 +;_X3DAudioInitialize@12@12 +_X3DAudioCalculate@20 == _X3DAudioCalculate@20 +_X3DAudioInitialize@12 == _X3DAudioInitialize@12 diff --git a/lib/libc/mingw/lib32/x3daudio1_3.def b/lib/libc/mingw/lib32/x3daudio1_3.def new file mode 100644 index 0000000000..48ef4b8a74 --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_3.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_3.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib32/x3daudio1_4.def b/lib/libc/mingw/lib32/x3daudio1_4.def new file mode 100644 index 0000000000..e0f9da42a5 --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_4.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_4.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_4.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib32/x3daudio1_5.def b/lib/libc/mingw/lib32/x3daudio1_5.def new file mode 100644 index 0000000000..76345f3a9e --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_5.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_5.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib32/x3daudio1_6.def b/lib/libc/mingw/lib32/x3daudio1_6.def new file mode 100644 index 0000000000..60b812498a --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_6.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_6.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_6.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib32/x3daudio1_7.def b/lib/libc/mingw/lib32/x3daudio1_7.def new file mode 100644 index 0000000000..370ff98c97 --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudio1_7.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_7.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_7.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib32/x3daudiod1_7.def b/lib/libc/mingw/lib32/x3daudiod1_7.def new file mode 100644 index 0000000000..efab4c686e --- /dev/null +++ b/lib/libc/mingw/lib32/x3daudiod1_7.def @@ -0,0 +1,10 @@ +; +; Definition file of X3DAudioD1_7.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudioD1_7.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize +X3DAudioSetValidationCallback diff --git a/lib/libc/mingw/lib32/xapofx1_0.def b/lib/libc/mingw/lib32/xapofx1_0.def new file mode 100644 index 0000000000..6fbdf3e7d3 --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_0.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_0.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_0.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofx1_1.def b/lib/libc/mingw/lib32/xapofx1_1.def new file mode 100644 index 0000000000..36a8ffbe6a --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_1.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_1.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_1.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofx1_2.def b/lib/libc/mingw/lib32/xapofx1_2.def new file mode 100644 index 0000000000..8d67a7c15c --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_2.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_2.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofx1_3.def b/lib/libc/mingw/lib32/xapofx1_3.def new file mode 100644 index 0000000000..85d8454a13 --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_3.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_3.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofx1_4.def b/lib/libc/mingw/lib32/xapofx1_4.def new file mode 100644 index 0000000000..8608567f3b --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_4.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_4.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_4.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofx1_5.def b/lib/libc/mingw/lib32/xapofx1_5.def new file mode 100644 index 0000000000..d4ca940172 --- /dev/null +++ b/lib/libc/mingw/lib32/xapofx1_5.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_5.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xapofxd1_5.def b/lib/libc/mingw/lib32/xapofxd1_5.def new file mode 100644 index 0000000000..d50b4a23a1 --- /dev/null +++ b/lib/libc/mingw/lib32/xapofxd1_5.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFXd1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFXd1_5.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib32/xaudio2_9.def b/lib/libc/mingw/lib32/xaudio2_9.def new file mode 100644 index 0000000000..b283fab53d --- /dev/null +++ b/lib/libc/mingw/lib32/xaudio2_9.def @@ -0,0 +1,17 @@ +; +; Definition file of XAudio2_9.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAudio2_9.dll" +EXPORTS +XAudio2Create@12 +CreateAudioReverb@4 +CreateAudioVolumeMeter@4 +CreateFX@0 +X3DAudioCalculate@0 +X3DAudioInitialize@0 +CreateAudioReverbV2_8@4 +XAudio2CreateV2_9@12 +XAudio2CreateWithVersionInfo@16 +XAudio2CreateWithSharedContexts@16 diff --git a/lib/libc/mingw/lib32/xinput1_1.def b/lib/libc/mingw/lib32/xinput1_1.def new file mode 100644 index 0000000000..f6479a23f0 --- /dev/null +++ b/lib/libc/mingw/lib32/xinput1_1.def @@ -0,0 +1,13 @@ +; +; Definition file of XINPUT1_1.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_1.dll" +EXPORTS +;DllMain@12 +XInputEnable@4 +XInputGetCapabilities@12 +XInputGetDSoundAudioDeviceGuids@12 +XInputGetState@8 +XInputSetState@8 diff --git a/lib/libc/mingw/lib32/xinput1_2.def b/lib/libc/mingw/lib32/xinput1_2.def new file mode 100644 index 0000000000..da18048b6a --- /dev/null +++ b/lib/libc/mingw/lib32/xinput1_2.def @@ -0,0 +1,13 @@ +; +; Definition file of XINPUT1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_2.dll" +EXPORTS +;DllMain@12 +XInputEnable@4 +XInputGetCapabilities@12 +XInputGetDSoundAudioDeviceGuids@12 +XInputGetState@8 +XInputSetState@8 diff --git a/lib/libc/mingw/lib32/xinput1_3.def b/lib/libc/mingw/lib32/xinput1_3.def new file mode 100644 index 0000000000..33ef7fbce0 --- /dev/null +++ b/lib/libc/mingw/lib32/xinput1_3.def @@ -0,0 +1,19 @@ +; +; Definition file of XINPUT1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_3.dll" +EXPORTS +;DllMain@12 +XInputGetState@8 +XInputSetState@8 +XInputGetCapabilities@12 +XInputEnable@4 +XInputGetDSoundAudioDeviceGuids@12 +XInputGetBatteryInformation@12 +XInputGetKeystroke@12 +;ord_100@8 @100 +;ord_101@12 @101 +;ord_102@4 @102 +;ord_103@4 @103 diff --git a/lib/libc/mingw/lib32/xinput9_1_0.def b/lib/libc/mingw/lib32/xinput9_1_0.def new file mode 100644 index 0000000000..4c87098b66 --- /dev/null +++ b/lib/libc/mingw/lib32/xinput9_1_0.def @@ -0,0 +1,12 @@ +; +; Definition file of XINPUT9_1_0.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT9_1_0.dll" +EXPORTS +;DllMain@12 +XInputGetCapabilities@12 +XInputGetDSoundAudioDeviceGuids@12 +XInputGetState@8 +XInputSetState@8 diff --git a/lib/libc/mingw/lib32/xinputuap.def b/lib/libc/mingw/lib32/xinputuap.def new file mode 100644 index 0000000000..a8b65f166a --- /dev/null +++ b/lib/libc/mingw/lib32/xinputuap.def @@ -0,0 +1,11 @@ +LIBRARY xinputuap + +EXPORTS + +XInputEnable@4 +XInputGetAudioDeviceIds@20 +XInputGetBatteryInformation@12 +XInputGetCapabilities@12 +XInputGetKeystroke@12 +XInputGetState@8 +XInputSetState@8 diff --git a/lib/libc/mingw/lib32/xmllite.def b/lib/libc/mingw/lib32/xmllite.def new file mode 100644 index 0000000000..0ae34b512b --- /dev/null +++ b/lib/libc/mingw/lib32/xmllite.def @@ -0,0 +1,13 @@ +; +; Definition file of XmlLite.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XmlLite.dll" +EXPORTS +CreateXmlReader@12 +CreateXmlReaderInputWithEncodingCodePage@24 +CreateXmlReaderInputWithEncodingName@24 +CreateXmlWriter@12 +CreateXmlWriterOutputWithEncodingCodePage@16 +CreateXmlWriterOutputWithEncodingName@16 diff --git a/lib/libc/mingw/lib64/CINTIME.def b/lib/libc/mingw/lib64/CINTIME.def new file mode 100644 index 0000000000..cfd9d7f51b --- /dev/null +++ b/lib/libc/mingw/lib64/CINTIME.def @@ -0,0 +1,9 @@ +; +; Exports of file CINTIME.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CINTIME.DLL +EXPORTS +UniCreateInstLInstance diff --git a/lib/libc/mingw/lib64/PS5UI.def b/lib/libc/mingw/lib64/PS5UI.def new file mode 100644 index 0000000000..d2530fc4e5 --- /dev/null +++ b/lib/libc/mingw/lib64/PS5UI.def @@ -0,0 +1,21 @@ +; +; Exports of file ps5ui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ps5ui.dll +EXPORTS +DrvSplDeviceCaps +DevQueryPrintEx +DllMain +DrvConvertDevMode +DrvDeviceCapabilities +DrvDevicePropertySheets +DrvDocumentEvent +DrvDocumentPropertySheets +DrvDriverEvent +DrvPrinterEvent +DrvQueryColorProfile +DrvQueryJobAttributes +DrvUpgradePrinter diff --git a/lib/libc/mingw/lib64/PSCRIPT5.def b/lib/libc/mingw/lib64/PSCRIPT5.def new file mode 100644 index 0000000000..0d20c151fe --- /dev/null +++ b/lib/libc/mingw/lib64/PSCRIPT5.def @@ -0,0 +1,12 @@ +; +; Exports of file pscript5.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY pscript5.dll +EXPORTS +DllMain +DrvDisableDriver +DrvEnableDriver +DrvQueryDriverInfo diff --git a/lib/libc/mingw/lib64/UNIDRV.def b/lib/libc/mingw/lib64/UNIDRV.def new file mode 100644 index 0000000000..0c75316297 --- /dev/null +++ b/lib/libc/mingw/lib64/UNIDRV.def @@ -0,0 +1,12 @@ +; +; Exports of file unidrv.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY unidrv.dll +EXPORTS +DllMain +DrvDisableDriver +DrvEnableDriver +DrvQueryDriverInfo diff --git a/lib/libc/mingw/lib64/UNIDRVUI.def b/lib/libc/mingw/lib64/UNIDRVUI.def new file mode 100644 index 0000000000..8f9c450bf1 --- /dev/null +++ b/lib/libc/mingw/lib64/UNIDRVUI.def @@ -0,0 +1,21 @@ +; +; Exports of file unidrvui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY unidrvui.dll +EXPORTS +DrvSplDeviceCaps +DevQueryPrintEx +DllMain +DrvConvertDevMode +DrvDeviceCapabilities +DrvDevicePropertySheets +DrvDocumentEvent +DrvDocumentPropertySheets +DrvDriverEvent +DrvPrinterEvent +DrvQueryColorProfile +DrvQueryJobAttributes +DrvUpgradePrinter diff --git a/lib/libc/mingw/lib64/admparse.def b/lib/libc/mingw/lib64/admparse.def new file mode 100644 index 0000000000..ea0cc845bb --- /dev/null +++ b/lib/libc/mingw/lib64/admparse.def @@ -0,0 +1,27 @@ +; +; Exports of file admparse.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY admparse.dll +EXPORTS +DllMain +IsAdmDirty +ResetAdmDirtyFlag +AdmClose +AdmFinishedA +AdmFinishedW +AdmInitA +AdmInitW +AdmResetA +AdmResetW +AdmSaveData +CheckDuplicateKeysA +CheckDuplicateKeysW +CreateAdmUiA +CreateAdmUiW +GetAdmCategoriesA +GetAdmCategoriesW +GetFontInfoA +GetFontInfoW diff --git a/lib/libc/mingw/lib64/admwprox.def b/lib/libc/mingw/lib64/admwprox.def new file mode 100644 index 0000000000..390b0430f9 --- /dev/null +++ b/lib/libc/mingw/lib64/admwprox.def @@ -0,0 +1,13 @@ +; +; Exports of file ADMWPROX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ADMWPROX.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +ReleaseObjectSecurityContextW diff --git a/lib/libc/mingw/lib64/adptif.def b/lib/libc/mingw/lib64/adptif.def new file mode 100644 index 0000000000..db0b9ca392 --- /dev/null +++ b/lib/libc/mingw/lib64/adptif.def @@ -0,0 +1,48 @@ +; +; Exports of file adptif.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY adptif.dll +EXPORTS +CreateSocketPort +DeleteSocketPort +FwBindFwInterfaceToAdapter +FwConnectionRequestFailed +FwCreateInterface +FwDeleteInterface +FwDisableFwInterface +FwEnableFwInterface +FwGetInterface +FwGetNotificationResult +FwGetStaticNetbiosNames +FwIsStarted +FwNotifyConnectionRequest +FwSetInterface +FwSetStaticNetbiosNames +FwStart +FwStop +FwUnbindFwInterfaceFromAdapter +FwUpdateConfig +FwUpdateRouteTable +GetAdapterNameFromMacAddrW +GetAdapterNameW +GetFilters +IpxAdjustIoCompletionParams +IpxCreateAdapterConfigurationPort +IpxDeleteAdapterConfigurationPort +IpxDoesRouteExist +IpxGetAdapterConfig +IpxGetAdapterList +IpxGetOverlappedResult +IpxGetQueuedAdapterConfigurationStatus +IpxGetQueuedCompletionStatus +IpxPostQueuedCompletionStatus +IpxRecvPacket +IpxSendPacket +IpxWanCreateAdapterConfigurationPort +IpxWanQueryInactivityTimer +IpxWanSetAdapterConfiguration +ServiceMain +SetFilters diff --git a/lib/libc/mingw/lib64/adsiisex.def b/lib/libc/mingw/lib64/adsiisex.def new file mode 100644 index 0000000000..316497379c --- /dev/null +++ b/lib/libc/mingw/lib64/adsiisex.def @@ -0,0 +1,10 @@ +; +; Exports of file ADSIISEX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ADSIISEX.dll +EXPORTS +IsExtensionClass +CreateExtensionClass diff --git a/lib/libc/mingw/lib64/adsldpc.def b/lib/libc/mingw/lib64/adsldpc.def new file mode 100644 index 0000000000..7823c010bb --- /dev/null +++ b/lib/libc/mingw/lib64/adsldpc.def @@ -0,0 +1,188 @@ +; +; Exports of file adsldpc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY adsldpc.dll +EXPORTS +; public: __cdecl CLexer::CLexer(void) __ptr64 +??0CLexer@@QEAA@XZ +; public: __cdecl CLexer::~CLexer(void) __ptr64 +??1CLexer@@QEAA@XZ +ADsAbandonSearch +ADsCloseSearchHandle +ADsCreateAttributeDefinition +ADsCreateClassDefinition +ADsCreateDSObject +ADsCreateDSObjectExt +ADsDeleteAttributeDefinition +ADsDeleteClassDefinition +ADsDeleteDSObject +ADsEnumAttributes +ADsEnumClasses +ADsExecuteSearch +ADsFreeColumn +ADsGetColumn +ADsGetFirstRow +ADsGetNextColumnName +ADsGetNextRow +ADsGetObjectAttributes +ADsGetPreviousRow +ADsHelperGetCurrentRowMessage +ADsObject +ADsSetObjectAttributes +ADsSetSearchPreference +ADsWriteAttributeDefinition +ADsWriteClassDefinition +AdsTypeToLdapTypeCopyConstruct +AdsTypeToLdapTypeCopyDNWithBinary +AdsTypeToLdapTypeCopyDNWithString +AdsTypeToLdapTypeCopyGeneralizedTime +AdsTypeToLdapTypeCopyTime +BerBvFree +BerEncodingQuotaControl +BuildADsParentPath +BuildADsParentPathFromObjectInfo2 +BuildADsParentPathFromObjectInfo +BuildADsPathFromLDAPPath2 +BuildADsPathFromLDAPPath +BuildADsPathFromParent +BuildLDAPPathFromADsPath2 +BuildLDAPPathFromADsPath +ChangeSeparator +Component +ConvertSidToString +ConvertSidToU2Trustee +ConvertU2TrusteeToSid +FindEntryInSearchTable +FindSearchTableIndex +FreeObjectInfo +GetDefaultServer +GetDisplayName +GetDomainDNSNameForDomain +GetLDAPTypeName +; public: long __cdecl CLexer::GetNextToken(unsigned short * __ptr64,unsigned long * __ptr64) __ptr64 +?GetNextToken@CLexer@@QEAAJPEAGPEAK@Z +GetSyntaxOfAttribute +InitObjectInfo +; public: long __cdecl CLexer::InitializePath(unsigned short * __ptr64) __ptr64 +?InitializePath@CLexer@@QEAAJPEAG@Z +IsGCNamespace +LdapAddExtS +LdapAddS +LdapAttributeFree +LdapCacheAddRef +LdapCloseObject +LdapCompareExt +LdapControlFree +LdapControlsFree +LdapCountEntries +LdapCrackUserDNtoNTLMUser2 +LdapCrackUserDNtoNTLMUser +LdapCreatePageControl +LdapDeleteExtS +LdapDeleteS +LdapFirstAttribute +LdapFirstEntry +LdapGetDn +LdapGetNextPageS +LdapGetSchemaObjectCount +LdapGetSubSchemaSubEntryPath +LdapGetSyntaxIdOfAttribute +LdapGetSyntaxOfAttributeOnServer +LdapGetValues +LdapGetValuesLen +LdapInitializeSearchPreferences +LdapIsClassNameValidOnServer +LdapMakeSchemaCacheObsolete +LdapMemFree +LdapModDnS +LdapModifyExtS +LdapModifyS +LdapMsgFree +LdapNextAttribute +LdapNextEntry +LdapOpenObject2 +LdapOpenObject +LdapParsePageControl +LdapParseResult +LdapReadAttribute2 +LdapReadAttribute +LdapReadAttributeFast +LdapRenameExtS +LdapResult +LdapSearch +LdapSearchAbandonPage +LdapSearchExtS +LdapSearchInitPage +LdapSearchS +LdapSearchST +LdapTypeBinaryToString +LdapTypeCopyConstruct +LdapTypeFreeLdapModList +LdapTypeFreeLdapModObject +LdapTypeFreeLdapObjects +LdapTypeToAdsTypeDNWithBinary +LdapTypeToAdsTypeDNWithString +LdapTypeToAdsTypeGeneralizedTime +LdapTypeToAdsTypeUTCTime +LdapValueFree +LdapValueFreeLen +LdapcKeepHandleAround +LdapcSetStickyServer +PathName +ReadPagingSupportedAttr +ReadSecurityDescriptorControlType +ReadServerSupportsIsADControl +SchemaAddRef +SchemaClose +SchemaGetClassInfo +SchemaGetClassInfoByIndex +SchemaGetObjectCount +SchemaGetPropertyInfo +SchemaGetPropertyInfoByIndex +SchemaGetStringsFromStringTable +SchemaGetSyntaxOfAttribute +SchemaIsClassAContainer +SchemaOpen +; public: void __cdecl CLexer::SetAtDisabler(int) __ptr64 +?SetAtDisabler@CLexer@@QEAAXH@Z +; public: void __cdecl CLexer::SetExclaimnationDisabler(int) __ptr64 +?SetExclaimnationDisabler@CLexer@@QEAAXH@Z +; public: void __cdecl CLexer::SetFSlashDisabler(int) __ptr64 +?SetFSlashDisabler@CLexer@@QEAAXH@Z +SortAndRemoveDuplicateOIDs +UnMarshallLDAPToLDAPSynID +intcmp +ADSIAbandonSearch +ADSICloseDSObject +ADSICloseSearchHandle +ADSICreateDSObject +ADSIDeleteDSObject +ADSIExecuteSearch +ADSIFreeColumn +ADSIGetColumn +ADSIGetFirstRow +ADSIGetNextColumnName +ADSIGetNextRow +ADSIGetObjectAttributes +ADSIGetPreviousRow +ADSIModifyRdn +ADSIOpenDSObject +ADSISetObjectAttributes +ADSISetSearchPreference +ADsDecodeBinaryData +ADsEncodeBinaryData +ADsGetLastError +ADsSetLastError +AdsTypeFreeAdsObjects +AllocADsMem +AllocADsStr +FreeADsMem +FreeADsStr +LdapTypeToAdsTypeCopyConstruct +MapADSTypeToLDAPType +MapLDAPTypeToADSType +ReallocADsMem +ReallocADsStr diff --git a/lib/libc/mingw/lib64/agentanm.def b/lib/libc/mingw/lib64/agentanm.def new file mode 100644 index 0000000000..13512f9057 --- /dev/null +++ b/lib/libc/mingw/lib64/agentanm.def @@ -0,0 +1,12 @@ +; +; Exports of file AgentAnm.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY AgentAnm.DLL +EXPORTS +CreateAgentAnimA +CreateAgentAnimW +CreateAgentRenderA +CreateAgentRenderW diff --git a/lib/libc/mingw/lib64/akscoinst.def b/lib/libc/mingw/lib64/akscoinst.def new file mode 100644 index 0000000000..2afeaa83fb --- /dev/null +++ b/lib/libc/mingw/lib64/akscoinst.def @@ -0,0 +1,9 @@ +; +; Exports of file AKSCLASS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY AKSCLASS.dll +EXPORTS +AksHaspCoInstallEntryPoint diff --git a/lib/libc/mingw/lib64/alrsvc.def b/lib/libc/mingw/lib64/alrsvc.def new file mode 100644 index 0000000000..f12f9228cb --- /dev/null +++ b/lib/libc/mingw/lib64/alrsvc.def @@ -0,0 +1,10 @@ +; +; Exports of file alrsvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY alrsvc.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib64/apcups.def b/lib/libc/mingw/lib64/apcups.def new file mode 100644 index 0000000000..dd1f20c626 --- /dev/null +++ b/lib/libc/mingw/lib64/apcups.def @@ -0,0 +1,14 @@ +; +; Exports of file apcups.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY apcups.dll +EXPORTS +UPSCancelWait +UPSGetState +UPSInit +UPSStop +UPSTurnOff +UPSWaitForStateChange diff --git a/lib/libc/mingw/lib64/aqueue.def b/lib/libc/mingw/lib64/aqueue.def new file mode 100644 index 0000000000..a6416e304c --- /dev/null +++ b/lib/libc/mingw/lib64/aqueue.def @@ -0,0 +1,16 @@ +; +; Exports of file aqueue.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY aqueue.dll +EXPORTS +HrAdvQueueInitialize +HrAdvQueueDeinitialize +HrAdvQueueInitializeEx +HrAdvQueueDeinitializeEx +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/asp.def b/lib/libc/mingw/lib64/asp.def new file mode 100644 index 0000000000..b73ae213ca --- /dev/null +++ b/lib/libc/mingw/lib64/asp.def @@ -0,0 +1,14 @@ +; +; Exports of file asp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY asp.dll +EXPORTS +AspStatusHtmlDump +DllRegisterServer +DllUnregisterServer +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/aspperf.def b/lib/libc/mingw/lib64/aspperf.def new file mode 100644 index 0000000000..e75e71ac3a --- /dev/null +++ b/lib/libc/mingw/lib64/aspperf.def @@ -0,0 +1,13 @@ +; +; Exports of file aspperf.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY aspperf.dll +EXPORTS +OpenASPPerformanceData +CollectASPPerformanceData +CloseASPPerformanceData +RegisterAXS +UnRegisterAXS diff --git a/lib/libc/mingw/lib64/atkctrs.def b/lib/libc/mingw/lib64/atkctrs.def new file mode 100644 index 0000000000..c65ac1c4fa --- /dev/null +++ b/lib/libc/mingw/lib64/atkctrs.def @@ -0,0 +1,11 @@ +; +; Exports of file atkctrs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY atkctrs.dll +EXPORTS +OpenAtkPerformanceData +CollectAtkPerformanceData +CloseAtkPerformanceData diff --git a/lib/libc/mingw/lib64/atmlib.def b/lib/libc/mingw/lib64/atmlib.def new file mode 100644 index 0000000000..9d670b35ed --- /dev/null +++ b/lib/libc/mingw/lib64/atmlib.def @@ -0,0 +1,84 @@ +; +; Exports of file ATMLIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ATMLIB.dll +EXPORTS +ATMAddFont +ATMAddFontA +ATMAddFontEx +ATMAddFontExA +ATMAddFontExW +ATMAddFontW +ATMBBoxBaseXYShowText +ATMBBoxBaseXYShowTextA +ATMBBoxBaseXYShowTextW +ATMBeginFontChange +ATMClient +ATMEndFontChange +ATMEnumFonts +ATMEnumFontsA +ATMEnumFontsW +ATMEnumMMFonts +ATMEnumMMFontsA +ATMEnumMMFontsW +ATMFinish +ATMFontAvailable +ATMFontAvailableA +ATMFontAvailableW +ATMFontSelected +ATMFontStatus +ATMFontStatusA +ATMFontStatusW +ATMForceFontChange +ATMGetBuildStr +ATMGetBuildStrA +ATMGetBuildStrW +ATMGetFontBBox +ATMGetFontInfo +ATMGetFontInfoA +ATMGetFontInfoW +ATMGetFontPaths +ATMGetFontPathsA +ATMGetFontPathsW +ATMGetGlyphList +ATMGetGlyphListA +ATMGetGlyphListW +ATMGetMenuName +ATMGetMenuNameA +ATMGetMenuNameW +ATMGetNtmFields +ATMGetNtmFieldsA +ATMGetNtmFieldsW +ATMGetOutline +ATMGetOutlineA +ATMGetOutlineW +ATMGetPostScriptName +ATMGetPostScriptNameA +ATMGetPostScriptNameW +ATMGetVersion +ATMGetVersionEx +ATMGetVersionExA +ATMGetVersionExW +ATMInstallSubstFontA +ATMInstallSubstFontW +ATMMakePFM +ATMMakePFMA +ATMMakePFMW +ATMMakePSS +ATMMakePSSA +ATMMakePSSW +ATMProperlyLoaded +ATMRemoveFont +ATMRemoveFontA +ATMRemoveFontW +ATMRemoveSubstFontA +ATMRemoveSubstFontW +ATMSelectEncoding +ATMSelectObject +ATMSetFlags +ATMXYShowText +ATMXYShowTextA +ATMXYShowTextW diff --git a/lib/libc/mingw/lib64/atrace.def b/lib/libc/mingw/lib64/atrace.def new file mode 100644 index 0000000000..fcf177487c --- /dev/null +++ b/lib/libc/mingw/lib64/atrace.def @@ -0,0 +1,15 @@ +; +; Exports of file atrace.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY atrace.dll +EXPORTS +INTERNAL__AsyncBinaryTrace +INTERNAL__AsyncStringTrace +INTERNAL__DebugAssert +INTERNAL__FlushAsyncTrace +INTERNAL__InitAsyncTrace +INTERNAL__SetAsyncTraceParams +INTERNAL__TermAsyncTrace diff --git a/lib/libc/mingw/lib64/autodisc.def b/lib/libc/mingw/lib64/autodisc.def new file mode 100644 index 0000000000..ed4f51b83d --- /dev/null +++ b/lib/libc/mingw/lib64/autodisc.def @@ -0,0 +1,15 @@ +; +; Exports of file AutoDisc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY AutoDisc.dll +EXPORTS +AddEmailToAutoComplete +AutoDiscoverAndOpenEmail +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/batmeter.def b/lib/libc/mingw/lib64/batmeter.def new file mode 100644 index 0000000000..fbcf010f7e --- /dev/null +++ b/lib/libc/mingw/lib64/batmeter.def @@ -0,0 +1,13 @@ +; +; Exports of file BatMeter.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY BatMeter.dll +EXPORTS +BatMeterCapabilities +CreateBatMeter +DestroyBatMeter +PowerCapabilities +UpdateBatMeter diff --git a/lib/libc/mingw/lib64/batt.def b/lib/libc/mingw/lib64/batt.def new file mode 100644 index 0000000000..77e9d8e910 --- /dev/null +++ b/lib/libc/mingw/lib64/batt.def @@ -0,0 +1,10 @@ +; +; Exports of file batt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY batt.dll +EXPORTS +BatteryClassCoInstaller +BatteryClassInstall diff --git a/lib/libc/mingw/lib64/cards.def b/lib/libc/mingw/lib64/cards.def new file mode 100644 index 0000000000..f473405e77 --- /dev/null +++ b/lib/libc/mingw/lib64/cards.def @@ -0,0 +1,14 @@ +; +; Exports of file CARDS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CARDS.dll +EXPORTS +WEP +cdtAnimate +cdtDraw +cdtDrawExt +cdtInit +cdtTerm diff --git a/lib/libc/mingw/lib64/catsrv.def b/lib/libc/mingw/lib64/catsrv.def new file mode 100644 index 0000000000..a32a2f93e5 --- /dev/null +++ b/lib/libc/mingw/lib64/catsrv.def @@ -0,0 +1,26 @@ +; +; Exports of file catsrv.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY catsrv.dll +EXPORTS +; long __cdecl CancelWriteICR(struct IComponentRecords * __ptr64 * __ptr64) +?CancelWriteICR@@YAJPEAPEAUIComponentRecords@@@Z +CreateComponentLibraryTS +GetCatalogCRMClerk +; long __cdecl GetReadICR(int,struct IComponentRecords * __ptr64 * __ptr64) +?GetReadICR@@YAJHPEAPEAUIComponentRecords@@@Z +; long __cdecl GetWriteICR(struct IComponentRecords * __ptr64 * __ptr64) +?GetWriteICR@@YAJPEAPEAUIComponentRecords@@@Z +OpenComponentLibrarySharedTS +OpenComponentLibraryTS +; void __cdecl ReleaseReadICR(struct IComponentRecords * __ptr64 * __ptr64) +?ReleaseReadICR@@YAXPEAPEAUIComponentRecords@@@Z +; long __cdecl SaveWriteICR(struct IComponentRecords * __ptr64 * __ptr64) +?SaveWriteICR@@YAJPEAPEAUIComponentRecords@@@Z +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/catsrvut.def b/lib/libc/mingw/lib64/catsrvut.def new file mode 100644 index 0000000000..fe52cc14ab --- /dev/null +++ b/lib/libc/mingw/lib64/catsrvut.def @@ -0,0 +1,56 @@ +; +; Exports of file catsrvut.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY catsrvut.DLL +EXPORTS +; public: __cdecl CComPlusComponent::CComPlusComponent(class CComPlusComponent const & __ptr64) __ptr64 +??0CComPlusComponent@@QEAA@AEBV0@@Z +; public: __cdecl CComPlusInterface::CComPlusInterface(class CComPlusInterface const & __ptr64) __ptr64 +??0CComPlusInterface@@QEAA@AEBV0@@Z +; public: __cdecl CComPlusMethod::CComPlusMethod(class CComPlusMethod const & __ptr64) __ptr64 +??0CComPlusMethod@@QEAA@AEBV0@@Z +; public: __cdecl CComPlusObject::CComPlusObject(class CComPlusObject const & __ptr64) __ptr64 +??0CComPlusObject@@QEAA@AEBV0@@Z +; public: virtual __cdecl CComPlusComponent::~CComPlusComponent(void) __ptr64 +??1CComPlusComponent@@UEAA@XZ +; public: virtual __cdecl CComPlusInterface::~CComPlusInterface(void) __ptr64 +??1CComPlusInterface@@UEAA@XZ +; public: class CComPlusComponent & __ptr64 __cdecl CComPlusComponent::operator=(class CComPlusComponent const & __ptr64) __ptr64 +??4CComPlusComponent@@QEAAAEAV0@AEBV0@@Z +; public: class CComPlusInterface & __ptr64 __cdecl CComPlusInterface::operator=(class CComPlusInterface const & __ptr64) __ptr64 +??4CComPlusInterface@@QEAAAEAV0@AEBV0@@Z +; public: class CComPlusMethod & __ptr64 __cdecl CComPlusMethod::operator=(class CComPlusMethod const & __ptr64) __ptr64 +??4CComPlusMethod@@QEAAAEAV0@AEBV0@@Z +; public: class CComPlusObject & __ptr64 __cdecl CComPlusObject::operator=(class CComPlusObject const & __ptr64) __ptr64 +??4CComPlusObject@@QEAAAEAV0@AEBV0@@Z +; public: class CComPlusTypelib & __ptr64 __cdecl CComPlusTypelib::operator=(class CComPlusTypelib const & __ptr64) __ptr64 +??4CComPlusTypelib@@QEAAAEAV0@AEBV0@@Z +; const CComPlusComponent::`vftable' +??_7CComPlusComponent@@6B@ +; const CComPlusInterface::`vftable' +??_7CComPlusInterface@@6B@ +; const CComPlusMethod::`vftable' +??_7CComPlusMethod@@6B@ +; const CComPlusObject::`vftable' +??_7CComPlusObject@@6B@ +; public: struct ITypeLib * __ptr64 __cdecl CComPlusTypelib::GetITypeLib(void) __ptr64 +?GetITypeLib@CComPlusTypelib@@QEAAPEAUITypeLib@@XZ +RegDBBackup +RegDBRestore +StartMTSTOCOM +WinlogonHandlePendingInfOperations +CGMIsAdministrator +COMPlusUninstallActionW +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +FindAssemblyModulesW +ManagedRequestW +QueryUserDllW +RunMTSToCom +SysprepComplus +SysprepComplus2 diff --git a/lib/libc/mingw/lib64/ccfgnt.def b/lib/libc/mingw/lib64/ccfgnt.def new file mode 100644 index 0000000000..2a925ae46e --- /dev/null +++ b/lib/libc/mingw/lib64/ccfgnt.def @@ -0,0 +1,23 @@ +; +; Exports of file ICFGNT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ICFGNT.dll +EXPORTS +IcfgSetInstallSourcePath +InetSetAutodialAddress +IcfgGetLastInstallErrorText +IcfgInstallInetComponents +IcfgInstallModem +IcfgIsFileSharingTurnedOn +IcfgIsGlobalDNS +IcfgNeedInetComponents +IcfgNeedModem +IcfgRemoveGlobalDNS +IcfgStartServices +IcfgTurnOffFileSharing +InetGetAutodial +InetGetSupportedPlatform +InetSetAutodial diff --git a/lib/libc/mingw/lib64/cdfview.def b/lib/libc/mingw/lib64/cdfview.def new file mode 100644 index 0000000000..7b88614057 --- /dev/null +++ b/lib/libc/mingw/lib64/cdfview.def @@ -0,0 +1,16 @@ +; +; Exports of file CdfView.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CdfView.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +OpenChannel +ParseDesktopComponent +Subscribe +SubscribeToCDF diff --git a/lib/libc/mingw/lib64/cdm.def b/lib/libc/mingw/lib64/cdm.def new file mode 100644 index 0000000000..ea734310bf --- /dev/null +++ b/lib/libc/mingw/lib64/cdm.def @@ -0,0 +1,19 @@ +; +; Exports of file CDM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CDM.dll +EXPORTS +CancelCDMOperation +CloseCDMContext +DetFilesDownloaded +DownloadGetUpdatedFiles +DownloadIsInternetAvailable +DownloadUpdatedFiles +FindMatchingDriver +LogDriverNotFound +OpenCDMContext +OpenCDMContextEx +QueryDetectionFiles diff --git a/lib/libc/mingw/lib64/certcli.def b/lib/libc/mingw/lib64/certcli.def new file mode 100644 index 0000000000..06ae3e8902 --- /dev/null +++ b/lib/libc/mingw/lib64/certcli.def @@ -0,0 +1,89 @@ +; +; Exports of file certcli.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY certcli.dll +EXPORTS +CAAccessCheck +CAAccessCheckEx +CAAddCACertificateType +CACertTypeAccessCheck +CACertTypeAccessCheckEx +CACertTypeGetSecurity +CACertTypeQuery +CACertTypeRegisterQuery +CACertTypeSetSecurity +CACertTypeUnregisterQuery +CACloneCertType +CACloseCA +CACloseCertType +CACountCAs +CACountCertTypes +CACreateAutoEnrollmentObjectEx +CACreateCertType +CACreateLocalAutoEnrollmentObject +CACreateNewCA +CADeleteCA +CADeleteCertType +CADeleteLocalAutoEnrollmentObject +CAEnumCertTypes +CAEnumCertTypesEx +CAEnumCertTypesForCA +CAEnumCertTypesForCAEx +CAEnumFirstCA +CAEnumNextCA +CAEnumNextCertType +CAFindByCertType +CAFindByIssuerDN +CAFindByName +CAFindCertTypeByName +CAFreeCAProperty +CAFreeCertTypeExtensions +CAFreeCertTypeProperty +CAGetCACertificate +CAGetCAExpiration +CAGetCAFlags +CAGetCAProperty +CAGetCASecurity +CAGetCertTypeExpiration +CAGetCertTypeExtensions +CAGetCertTypeExtensionsEx +CAGetCertTypeFlags +CAGetCertTypeFlagsEx +CAGetCertTypeKeySpec +CAGetCertTypeProperty +CAGetCertTypePropertyEx +CAGetDN +CAInstallDefaultCertType +CAIsCertTypeCurrent +CAOIDAdd +CAOIDCreateNew +CAOIDDelete +CAOIDFreeLdapURL +CAOIDFreeProperty +CAOIDGetLdapURL +CAOIDGetProperty +CAOIDSetProperty +CARemoveCACertificateType +CASetCACertificate +CASetCAExpiration +CASetCAFlags +CASetCAProperty +CASetCASecurity +CASetCertTypeExpiration +CASetCertTypeExtension +CASetCertTypeFlags +CASetCertTypeFlagsEx +CASetCertTypeKeySpec +CASetCertTypeProperty +CASetCertTypePropertyEx +CAUpdateCA +CAUpdateCertType +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer +GetProxyDllInfo diff --git a/lib/libc/mingw/lib64/chtskdic.def b/lib/libc/mingw/lib64/chtskdic.def new file mode 100644 index 0000000000..6ad133de89 --- /dev/null +++ b/lib/libc/mingw/lib64/chtskdic.def @@ -0,0 +1,13 @@ +; +; Exports of file imeskdic.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imeskdic.dll +EXPORTS +CreateIImeSkdicInstance +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/cimwin32.def b/lib/libc/mingw/lib64/cimwin32.def new file mode 100644 index 0000000000..8212118698 --- /dev/null +++ b/lib/libc/mingw/lib64/cimwin32.def @@ -0,0 +1,26 @@ +; +; Exports of file cimwin32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY cimwin32.dll +EXPORTS +; public: __cdecl CTcpMib::CTcpMib(class CTcpMib const & __ptr64) __ptr64 +??0CTcpMib@@QEAA@AEBV0@@Z +; public: __cdecl CTcpMib::CTcpMib(void) __ptr64 +??0CTcpMib@@QEAA@XZ +; public: virtual __cdecl CTcpMib::~CTcpMib(void) __ptr64 +??1CTcpMib@@UEAA@XZ +; public: class CTcpMib & __ptr64 __cdecl CTcpMib::operator=(class CTcpMib const & __ptr64) __ptr64 +??4CTcpMib@@QEAAAEAV0@AEBV0@@Z +; const CTcpMib::`vftable' +??_7CTcpMib@@6B@ +; class Win32SecurityDescriptor MySecurityDescriptor +?MySecurityDescriptor@@3VWin32SecurityDescriptor@@A DATA +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetSDFromWin32SecurityDescriptor +SetWin32SecurityDescriptorFromSD diff --git a/lib/libc/mingw/lib64/classpnp.def b/lib/libc/mingw/lib64/classpnp.def new file mode 100644 index 0000000000..b1a5164fd2 --- /dev/null +++ b/lib/libc/mingw/lib64/classpnp.def @@ -0,0 +1,67 @@ +; +; Definition file of CLASSPNP.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "CLASSPNP.SYS" +EXPORTS +ClassAcquireChildLock +ClassAcquireRemoveLockEx +ClassAsynchronousCompletion +ClassBuildRequest +ClassCheckMediaState +ClassClaimDevice +ClassCleanupMediaChangeDetection +ClassCompleteRequest +ClassCreateDeviceObject +ClassDebugPrint +ClassDeleteSrbLookasideList +ClassDeviceControl +ClassDisableMediaChangeDetection +ClassEnableMediaChangeDetection +ClassFindModePage +ClassForwardIrpSynchronous +ClassGetDescriptor +ClassGetDeviceParameter +ClassGetDriverExtension +ClassGetFsContext +ClassGetVpb +ClassInitialize +ClassInitializeEx +ClassInitializeMediaChangeDetection +ClassInitializeSrbLookasideList +ClassInitializeTestUnitPolling +ClassInternalIoControl +ClassInterpretSenseInfo +ClassInvalidateBusRelations +ClassIoComplete +ClassIoCompleteAssociated +ClassMarkChildMissing +ClassMarkChildrenMissing +ClassModeSense +ClassNotifyFailurePredicted +ClassQueryTimeOutRegistryValue +ClassReadDriveCapacity +ClassReleaseChildLock +ClassReleaseQueue +ClassReleaseRemoveLock +ClassRemoveDevice +ClassResetMediaChangeTimer +ClassScanForSpecial +ClassSendDeviceIoControlSynchronous +ClassSendIrpSynchronous +ClassSendNotification +ClassSendSrbAsynchronous +ClassSendSrbSynchronous +ClassSendStartUnit +ClassSetDeviceParameter +ClassSetFailurePredictionPoll +ClassSetMediaChangeState +ClassSignalCompletion +ClassSpinDownPowerHandler +ClassSplitRequest +ClassStopUnitPowerHandler +ClassUpdateInformationInRegistry +ClassWmiCompleteRequest +ClassWmiFireEvent +DllUnload diff --git a/lib/libc/mingw/lib64/cmcfg32.def b/lib/libc/mingw/lib64/cmcfg32.def new file mode 100644 index 0000000000..0879a7a46a --- /dev/null +++ b/lib/libc/mingw/lib64/cmcfg32.def @@ -0,0 +1,11 @@ +; +; Exports of file cmcfg32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY cmcfg32.dll +EXPORTS +CmstpExtensionProc +CMConfig +CMConfigEx diff --git a/lib/libc/mingw/lib64/cmdial32.def b/lib/libc/mingw/lib64/cmdial32.def new file mode 100644 index 0000000000..3ba1845c36 --- /dev/null +++ b/lib/libc/mingw/lib64/cmdial32.def @@ -0,0 +1,19 @@ +; +; Exports of file cmdial32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY cmdial32.dll +EXPORTS +AutoDialFunc +CmCustomDialDlg +CmCustomHangUp +CmReConnect +GetCustomProperty +InetDialHandler +RasCustomDeleteEntryNotify +RasCustomDial +RasCustomDialDlg +RasCustomEntryDlg +RasCustomHangUp diff --git a/lib/libc/mingw/lib64/cmpbk32.def b/lib/libc/mingw/lib64/cmpbk32.def new file mode 100644 index 0000000000..9d7303f41c --- /dev/null +++ b/lib/libc/mingw/lib64/cmpbk32.def @@ -0,0 +1,31 @@ +; +; Exports of file cmpbk32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY cmpbk32.dll +EXPORTS +PhoneBookCopyFilter +PhoneBookEnumCountries +PhoneBookEnumNumbers +PhoneBookEnumNumbersWithRegionsZero +PhoneBookEnumRegions +PhoneBookFreeFilter +PhoneBookGetCountryId +PhoneBookGetCountryNameA +PhoneBookGetCountryNameW +PhoneBookGetCurrentCountryId +PhoneBookGetPhoneCanonicalA +PhoneBookGetPhoneDUNA +PhoneBookGetPhoneDescA +PhoneBookGetPhoneDispA +PhoneBookGetPhoneNonCanonicalA +PhoneBookGetPhoneType +PhoneBookGetRegionNameA +PhoneBookHasPhoneType +PhoneBookLoad +PhoneBookMatchFilter +PhoneBookMergeChanges +PhoneBookParseInfoA +PhoneBookUnload diff --git a/lib/libc/mingw/lib64/cmutil.def b/lib/libc/mingw/lib64/cmutil.def new file mode 100644 index 0000000000..87666cd39f --- /dev/null +++ b/lib/libc/mingw/lib64/cmutil.def @@ -0,0 +1,261 @@ +; +; Definition file of cmutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "cmutil.dll" +EXPORTS +; public: __cdecl CIniA::CIniA(struct HINSTANCE__ *__ptr64,char const *__ptr64,char const *__ptr64,char const *__ptr64,char const *__ptr64)__ptr64 +??0CIniA@@QEAA@PEAUHINSTANCE__@@PEBD111@Z +; public: __cdecl CIniW::CIniW(struct HINSTANCE__ *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64)__ptr64 +??0CIniW@@QEAA@PEAUHINSTANCE__@@PEBG111@Z +; public: __cdecl CRandom::CRandom(unsigned int)__ptr64 +??0CRandom@@QEAA@I@Z +; public: __cdecl CRandom::CRandom(void)__ptr64 +??0CRandom@@QEAA@XZ +; public: __cdecl CmLogFile::CmLogFile(void)__ptr64 +??0CmLogFile@@QEAA@XZ +; public: __cdecl CIniA::~CIniA(void)__ptr64 +??1CIniA@@QEAA@XZ +; public: __cdecl CIniW::~CIniW(void)__ptr64 +??1CIniW@@QEAA@XZ +; public: __cdecl CmLogFile::~CmLogFile(void)__ptr64 +??1CmLogFile@@QEAA@XZ +; public: class CIniA &__ptr64 __cdecl CIniA::operator =(class CIniA const &__ptr64 )__ptr64 +??4CIniA@@QEAAAEAV0@AEBV0@@Z +; public: class CIniW &__ptr64 __cdecl CIniW::operator =(class CIniW const &__ptr64 )__ptr64 +??4CIniW@@QEAAAEAV0@AEBV0@@Z +; public: class CRandom &__ptr64 __cdecl CRandom::operator =(class CRandom const &__ptr64 )__ptr64 +??4CRandom@@QEAAAEAV0@AEBV0@@Z +; public: class CmLogFile &__ptr64 __cdecl CmLogFile::operator =(class CmLogFile const &__ptr64 )__ptr64 +??4CmLogFile@@QEAAAEAV0@AEBV0@@Z +; public: void __cdecl CIniA::__dflt_ctor_closure(void)__ptr64 +??_FCIniA@@QEAAXXZ +; public: void __cdecl CIniW::__dflt_ctor_closure(void)__ptr64 +??_FCIniW@@QEAAXXZ +; public: void __cdecl CmLogFile::Banner(void)__ptr64 +?Banner@CmLogFile@@QEAAXXZ +; protected: int __cdecl CIniA::CIniA_DeleteEntryFromReg(struct HKEY__ *__ptr64,char const *__ptr64,char const *__ptr64)const __ptr64 +?CIniA_DeleteEntryFromReg@CIniA@@IEBAHPEAUHKEY__@@PEBD1@Z +; protected: unsigned char *__ptr64 __cdecl CIniA::CIniA_GetEntryFromReg(struct HKEY__ *__ptr64,char const *__ptr64,char const *__ptr64,unsigned long,unsigned long)const __ptr64 +?CIniA_GetEntryFromReg@CIniA@@IEBAPEAEPEAUHKEY__@@PEBD1KK@Z +; protected: int __cdecl CIniA::CIniA_WriteEntryToReg(struct HKEY__ *__ptr64,char const *__ptr64,char const *__ptr64,unsigned char const *__ptr64,unsigned long,unsigned long)const __ptr64 +?CIniA_WriteEntryToReg@CIniA@@IEBAHPEAUHKEY__@@PEBD1PEBEKK@Z +; protected: int __cdecl CIniW::CIniW_DeleteEntryFromReg(struct HKEY__ *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64)const __ptr64 +?CIniW_DeleteEntryFromReg@CIniW@@IEBAHPEAUHKEY__@@PEBG1@Z +; protected: unsigned char *__ptr64 __cdecl CIniW::CIniW_GetEntryFromReg(struct HKEY__ *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned long,unsigned long)const __ptr64 +?CIniW_GetEntryFromReg@CIniW@@IEBAPEAEPEAUHKEY__@@PEBG1KK@Z +; protected: int __cdecl CIniW::CIniW_WriteEntryToReg(struct HKEY__ *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned char const *__ptr64,unsigned long,unsigned long)const __ptr64 +?CIniW_WriteEntryToReg@CIniW@@IEBAHPEAUHKEY__@@PEBG1PEBEKK@Z +; protected: static void __cdecl CIniA::CIni_SetFile(char *__ptr64 *__ptr64,char const *__ptr64) +?CIni_SetFile@CIniA@@KAXPEAPEADPEBD@Z +; protected: static void __cdecl CIniW::CIni_SetFile(unsigned short *__ptr64 *__ptr64,unsigned short const *__ptr64) +?CIni_SetFile@CIniW@@KAXPEAPEAGPEBG@Z +; public: void __cdecl CIniA::Clear(void)__ptr64 +?Clear@CIniA@@QEAAXXZ +; public: void __cdecl CIniW::Clear(void)__ptr64 +?Clear@CIniW@@QEAAXXZ +; public: void __cdecl CmLogFile::Clear(int)__ptr64 +?Clear@CmLogFile@@QEAAXH@Z +; private: long __cdecl CmLogFile::CloseFile(void)__ptr64 +?CloseFile@CmLogFile@@AEAAJXZ +CmAtolA +CmAtolW +CmBuildFullPathFromRelativeA +CmBuildFullPathFromRelativeW +CmCompareStringA +CmCompareStringW +CmConvertRelativePathA +CmConvertRelativePathW +CmEndOfStrA +CmConvertStrToIPv6AddrA +CmConvertStrToIPv6AddrW +CmEndOfStrW +CmFmtMsgA +CmFmtMsgW +CmFree +CmIsDigitA +CmIsDigitW +CmIsIPv6AddressA +CmIsIPv6AddressW +CmIsSpaceA +CmIsSpaceW +CmLoadIconA +CmLoadIconW +CmLoadImageA +CmLoadImageW +CmLoadSmallIconA +CmLoadSmallIconW +CmLoadStringA +CmLoadStringW +CmMalloc +CmParsePathA +CmParsePathW +CmRealloc +CmStrCatAllocA +CmStrCatAllocW +CmStrCharCountA +CmStrCharCountW +CmStrCharStuffingA +CmStrCharStuffingW +CmStrCpyAllocA +CmStrCpyAllocW +CmStrStrA +CmStrStrW +CmStrTrimA +CmStrTrimW +CmStrchrA +CmStrchrW +CmStripFileNameA +CmStripFileNameW +CmStripPathAndExtA +CmStripPathAndExtW +CmStrrchrA +CmStrrchrW +CmStrtokA +CmStrtokW +CmWinHelp +; public: long __cdecl CmLogFile::DeInit(void)__ptr64 +?DeInit@CmLogFile@@QEAAJXZ +; private: void __cdecl CmLogFile::FormatWrite(enum _CMLOG_ITEM,unsigned short *__ptr64)__ptr64 +?FormatWrite@CmLogFile@@AEAAXW4_CMLOG_ITEM@@PEAG@Z +; public: int __cdecl CIniA::GPPB(char const *__ptr64,char const *__ptr64,int)const __ptr64 +?GPPB@CIniA@@QEBAHPEBD0H@Z +; public: int __cdecl CIniW::GPPB(unsigned short const *__ptr64,unsigned short const *__ptr64,int)const __ptr64 +?GPPB@CIniW@@QEBAHPEBG0H@Z +; public: unsigned long __cdecl CIniA::GPPI(char const *__ptr64,char const *__ptr64,unsigned long)const __ptr64 +?GPPI@CIniA@@QEBAKPEBD0K@Z +; public: unsigned long __cdecl CIniW::GPPI(unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned long)const __ptr64 +?GPPI@CIniW@@QEBAKPEBG0K@Z +; public: char *__ptr64 __cdecl CIniA::GPPS(char const *__ptr64,char const *__ptr64,char const *__ptr64)const __ptr64 +?GPPS@CIniA@@QEBAPEADPEBD00@Z +; public: unsigned short *__ptr64 __cdecl CIniW::GPPS(unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64)const __ptr64 +?GPPS@CIniW@@QEBAPEAGPEBG00@Z +; public: int __cdecl CRandom::Generate(void)__ptr64 +?Generate@CRandom@@QEAAHXZ +; public: char const *__ptr64 __cdecl CIniA::GetFile(void)const __ptr64 +?GetFile@CIniA@@QEBAPEBDXZ +; public: unsigned short const *__ptr64 __cdecl CIniW::GetFile(void)const __ptr64 +?GetFile@CIniW@@QEBAPEBGXZ +; public: struct HINSTANCE__ *__ptr64 __cdecl CIniA::GetHInst(void)const __ptr64 +?GetHInst@CIniA@@QEBAPEAUHINSTANCE__@@XZ +; public: struct HINSTANCE__ *__ptr64 __cdecl CIniW::GetHInst(void)const __ptr64 +?GetHInst@CIniW@@QEBAPEAUHINSTANCE__@@XZ +; public: unsigned short const *__ptr64 __cdecl CmLogFile::GetLogFilePath(void)__ptr64 +?GetLogFilePath@CmLogFile@@QEAAPEBGXZ +GetOSBuildNumber +GetOSMajorVersion +GetOSVersion +; public: char const *__ptr64 __cdecl CIniA::GetPrimaryFile(void)const __ptr64 +?GetPrimaryFile@CIniA@@QEBAPEBDXZ +; public: unsigned short const *__ptr64 __cdecl CIniW::GetPrimaryFile(void)const __ptr64 +?GetPrimaryFile@CIniW@@QEBAPEBGXZ +; public: char const *__ptr64 __cdecl CIniA::GetPrimaryRegPath(void)const __ptr64 +?GetPrimaryRegPath@CIniA@@QEBAPEBDXZ +; public: unsigned short const *__ptr64 __cdecl CIniW::GetPrimaryRegPath(void)const __ptr64 +?GetPrimaryRegPath@CIniW@@QEBAPEBGXZ +; public: char const *__ptr64 __cdecl CIniA::GetRegPath(void)const __ptr64 +?GetRegPath@CIniA@@QEBAPEBDXZ +; public: unsigned short const *__ptr64 __cdecl CIniW::GetRegPath(void)const __ptr64 +?GetRegPath@CIniW@@QEBAPEBGXZ +; public: char const *__ptr64 __cdecl CIniA::GetSection(void)const __ptr64 +?GetSection@CIniA@@QEBAPEBDXZ +; public: unsigned short const *__ptr64 __cdecl CIniW::GetSection(void)const __ptr64 +?GetSection@CIniW@@QEBAPEBGXZ +; public: void __cdecl CRandom::Init(unsigned long)__ptr64 +?Init@CRandom@@QEAAXK@Z +; public: long __cdecl CmLogFile::Init(struct HINSTANCE__ *__ptr64,int,char const *__ptr64)__ptr64 +?Init@CmLogFile@@QEAAJPEAUHINSTANCE__@@HPEBD@Z +; public: long __cdecl CmLogFile::Init(struct HINSTANCE__ *__ptr64,int,unsigned short const *__ptr64)__ptr64 +?Init@CmLogFile@@QEAAJPEAUHINSTANCE__@@HPEBG@Z +; public: int __cdecl CmLogFile::IsEnabled(void)__ptr64 +?IsEnabled@CmLogFile@@QEAAHXZ +IsFarEastNonOSR2Win95 +IsLogonAsSystem +; protected: char *__ptr64 __cdecl CIniA::LoadEntry(char const *__ptr64)const __ptr64 +?LoadEntry@CIniA@@IEBAPEADPEBD@Z +; protected: unsigned short *__ptr64 __cdecl CIniW::LoadEntry(unsigned short const *__ptr64)const __ptr64 +?LoadEntry@CIniW@@IEBAPEAGPEBG@Z +; public: char *__ptr64 __cdecl CIniA::LoadSection(char const *__ptr64)const __ptr64 +?LoadSection@CIniA@@QEBAPEADPEBD@Z +; public: unsigned short *__ptr64 __cdecl CIniW::LoadSection(unsigned short const *__ptr64)const __ptr64 +?LoadSection@CIniW@@QEBAPEAGPEBG@Z +; public: void __cdecl CmLogFile::Log(enum _CMLOG_ITEM,...)__ptr64 +?Log@CmLogFile@@QEAAXW4_CMLOG_ITEM@@ZZ +MakeBold +; private: long __cdecl CmLogFile::OpenFile(void)__ptr64 +?OpenFile@CmLogFile@@AEAAJXZ +ReleaseBold +; public: void __cdecl CIniA::SetEntry(char const *__ptr64)__ptr64 +?SetEntry@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetEntry(unsigned short const *__ptr64)__ptr64 +?SetEntry@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetEntryFromIdx(unsigned long)__ptr64 +?SetEntryFromIdx@CIniA@@QEAAXK@Z +; public: void __cdecl CIniW::SetEntryFromIdx(unsigned long)__ptr64 +?SetEntryFromIdx@CIniW@@QEAAXK@Z +; public: void __cdecl CIniA::SetFile(char const *__ptr64)__ptr64 +?SetFile@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetFile(unsigned short const *__ptr64)__ptr64 +?SetFile@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetHInst(struct HINSTANCE__ *__ptr64)__ptr64 +?SetHInst@CIniA@@QEAAXPEAUHINSTANCE__@@@Z +; public: void __cdecl CIniW::SetHInst(struct HINSTANCE__ *__ptr64)__ptr64 +?SetHInst@CIniW@@QEAAXPEAUHINSTANCE__@@@Z +; public: void __cdecl CIniA::SetICSDataPath(char const *__ptr64)__ptr64 +?SetICSDataPath@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetICSDataPath(unsigned short const *__ptr64)__ptr64 +?SetICSDataPath@CIniW@@QEAAXPEBG@Z +; public: long __cdecl CmLogFile::SetParams(int,unsigned long,char const *__ptr64)__ptr64 +?SetParams@CmLogFile@@QEAAJHKPEBD@Z +; public: long __cdecl CmLogFile::SetParams(int,unsigned long,unsigned short const *__ptr64)__ptr64 +?SetParams@CmLogFile@@QEAAJHKPEBG@Z +; public: void __cdecl CIniA::SetPrimaryFile(char const *__ptr64)__ptr64 +?SetPrimaryFile@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetPrimaryFile(unsigned short const *__ptr64)__ptr64 +?SetPrimaryFile@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetPrimaryRegPath(char const *__ptr64)__ptr64 +?SetPrimaryRegPath@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetPrimaryRegPath(unsigned short const *__ptr64)__ptr64 +?SetPrimaryRegPath@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetReadICSData(int)__ptr64 +?SetReadICSData@CIniA@@QEAAXH@Z +; public: void __cdecl CIniW::SetReadICSData(int)__ptr64 +?SetReadICSData@CIniW@@QEAAXH@Z +; public: void __cdecl CIniA::SetRegPath(char const *__ptr64)__ptr64 +?SetRegPath@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetRegPath(unsigned short const *__ptr64)__ptr64 +?SetRegPath@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetSection(char const *__ptr64)__ptr64 +?SetSection@CIniA@@QEAAXPEBD@Z +; public: void __cdecl CIniW::SetSection(unsigned short const *__ptr64)__ptr64 +?SetSection@CIniW@@QEAAXPEBG@Z +; public: void __cdecl CIniA::SetWriteICSData(int)__ptr64 +?SetWriteICSData@CIniA@@QEAAXH@Z +; public: void __cdecl CIniW::SetWriteICSData(int)__ptr64 +?SetWriteICSData@CIniW@@QEAAXH@Z +; public: long __cdecl CmLogFile::Start(int)__ptr64 +?Start@CmLogFile@@QEAAJH@Z +; public: long __cdecl CmLogFile::Stop(void)__ptr64 +?Stop@CmLogFile@@QEAAJXZ +SzToWz +SzToWzWithAlloc +UpdateFont +; public: void __cdecl CIniA::WPPB(char const *__ptr64,char const *__ptr64,int)__ptr64 +?WPPB@CIniA@@QEAAXPEBD0H@Z +; public: void __cdecl CIniW::WPPB(unsigned short const *__ptr64,unsigned short const *__ptr64,int)__ptr64 +?WPPB@CIniW@@QEAAXPEBG0H@Z +; public: void __cdecl CIniA::WPPI(char const *__ptr64,char const *__ptr64,unsigned long)__ptr64 +?WPPI@CIniA@@QEAAXPEBD0K@Z +; public: void __cdecl CIniW::WPPI(unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned long)__ptr64 +?WPPI@CIniW@@QEAAXPEBG0K@Z +; public: void __cdecl CIniA::WPPS(char const *__ptr64,char const *__ptr64,char const *__ptr64)__ptr64 +?WPPS@CIniA@@QEAAXPEBD00@Z +; public: void __cdecl CIniW::WPPS(unsigned short const *__ptr64,unsigned short const *__ptr64,unsigned short const *__ptr64)__ptr64 +?WPPS@CIniW@@QEAAXPEBG00@Z +; private: long __cdecl CmLogFile::Write(unsigned short *__ptr64)__ptr64 +?Write@CmLogFile@@AEAAJPEAG@Z +WzToSz +WzToSzWithAlloc +; public: static unsigned long const CIniW::kMaxValueLength +?kMaxValueLength@CIniW@@2KB diff --git a/lib/libc/mingw/lib64/cnetcfg.def b/lib/libc/mingw/lib64/cnetcfg.def new file mode 100644 index 0000000000..73cb518f23 --- /dev/null +++ b/lib/libc/mingw/lib64/cnetcfg.def @@ -0,0 +1,12 @@ +; +; Exports of file CNETCFG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CNETCFG.dll +EXPORTS +InetConfigSystem +InetNeedModem +InetNeedSystemComponents +InetStartServices diff --git a/lib/libc/mingw/lib64/coadmin.def b/lib/libc/mingw/lib64/coadmin.def new file mode 100644 index 0000000000..e47a97230c --- /dev/null +++ b/lib/libc/mingw/lib64/coadmin.def @@ -0,0 +1,13 @@ +; +; Exports of file COADMIN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY COADMIN.dll +EXPORTS +DllCanUnloadNow +DllRegisterServer +DllUnregisterServer +InitComAdmindata +TerminateComAdmindata diff --git a/lib/libc/mingw/lib64/comres.def b/lib/libc/mingw/lib64/comres.def new file mode 100644 index 0000000000..079ad06ccb --- /dev/null +++ b/lib/libc/mingw/lib64/comres.def @@ -0,0 +1,9 @@ +; +; Exports of file COMRes.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY COMRes.dll +EXPORTS +COMResModuleInstance diff --git a/lib/libc/mingw/lib64/comsetup.def b/lib/libc/mingw/lib64/comsetup.def new file mode 100644 index 0000000000..42c2bf1c82 --- /dev/null +++ b/lib/libc/mingw/lib64/comsetup.def @@ -0,0 +1,16 @@ +; +; Exports of file comsetup.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY comsetup.dll +EXPORTS +HandlePendingInfOperations +InstallOnReboot +OcEntry +RunComPlusSetWebApplicationServerRoleW +SetupPrintLog +UpgradeDSSchema +ComPlusGetWebApplicationServerRole +ComPlusSetWebApplicationServerRole diff --git a/lib/libc/mingw/lib64/corpol.def b/lib/libc/mingw/lib64/corpol.def new file mode 100644 index 0000000000..42f08b9072 --- /dev/null +++ b/lib/libc/mingw/lib64/corpol.def @@ -0,0 +1,16 @@ +; +; Exports of file corpol.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY corpol.dll +EXPORTS +CORLockDownProvider +CORPolicyEE +CORPolicyProvider +DllCanUnloadNow +DllRegisterServer +DllUnregisterServer +GetPublisher +GetUnsignedPermissions diff --git a/lib/libc/mingw/lib64/cscdll.def b/lib/libc/mingw/lib64/cscdll.def new file mode 100644 index 0000000000..d01b645c9c --- /dev/null +++ b/lib/libc/mingw/lib64/cscdll.def @@ -0,0 +1,76 @@ +; +; Exports of file CSCDLL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CSCDLL.dll +EXPORTS +MprServiceProc +ReInt_WndProc +LogonHappened +LogoffHappened +Update +RefreshConnections +BreakConnections +CheckCSC +CSCIsCSCEnabled +CSCFindClose +CSCSetMaxSpace +CSCFreeSpace +CheckCSCEx +CSCDoEnableDisable +CSCPinFileA +CSCUnpinFileA +CSCQueryFileStatusA +CSCFindFirstFileA +CSCFindNextFileA +CSCDeleteA +CSCFillSparseFilesA +CSCMergeShareA +CSCCopyReplicaA +CSCEnumForStatsA +CSCIsServerOfflineA +CSCGetSpaceUsageA +CSCTransitionServerOnlineA +CSCCheckShareOnlineA +CSCDoLocalRenameA +CSCEnumForStatsExA +CSCFindFirstFileForSidA +CSCQueryFileStatusExA +CSCQueryShareStatusA +CSCPurgeUnpinnedFiles +CSCPinFileW +CSCUnpinFileW +CSCQueryFileStatusW +CSCFindFirstFileW +CSCFindNextFileW +CSCDeleteW +CSCFillSparseFilesW +CSCMergeShareW +CSCCopyReplicaW +CSCEnumForStatsW +CSCIsServerOfflineW +CSCGetSpaceUsageW +CSCTransitionServerOnlineW +CSCCheckShareOnlineW +CSCDoLocalRenameW +CSCEnumForStatsExW +CSCDoLocalRenameExW +CSCCheckShareOnlineExW +CSCBeginSynchronizationW +CSCEndSynchronizationW +CSCFindFirstFileForSidW +CSCEncryptDecryptDatabase +CSCQueryDatabaseStatus +CSCQueryFileStatusExW +CSCQueryShareStatusW +CSCShareIdToShareName +WinlogonLogonEvent +WinlogonLogoffEvent +WinlogonScreenSaverEvent +WinlogonShutdownEvent +WinlogonLockEvent +WinlogonUnlockEvent +WinlogonStartShellEvent +WinlogonStartupEvent diff --git a/lib/libc/mingw/lib64/cscui.def b/lib/libc/mingw/lib64/cscui.def new file mode 100644 index 0000000000..cc258e113c --- /dev/null +++ b/lib/libc/mingw/lib64/cscui.def @@ -0,0 +1,22 @@ +; +; Exports of file CSCUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CSCUI.dll +EXPORTS +CSCUIOptionsPropertySheet +ProcessGroupPolicy +CSCOptions_RunDLL +CSCOptions_RunDLLA +CSCOptions_RunDLLW +CSCUIInitialize +CSCUIMsgProcess +CSCUIRemoveFolderFromCache +CSCUISetState +CscPolicyProcessing_RunDLLW +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/csrsrv.def b/lib/libc/mingw/lib64/csrsrv.def new file mode 100644 index 0000000000..55926b0d17 --- /dev/null +++ b/lib/libc/mingw/lib64/csrsrv.def @@ -0,0 +1,43 @@ +; +; Exports of file CSRSRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY CSRSRV.dll +EXPORTS +CsrAddStaticServerThread +CsrCallServerFromServer +CsrConnectToUser +CsrCreateProcess +CsrCreateRemoteThread +CsrCreateThread +CsrCreateWait +CsrDebugProcess +CsrDebugProcessStop +CsrDereferenceProcess +CsrDereferenceThread +CsrDereferenceWait +CsrDestroyProcess +CsrDestroyThread +CsrExecServerThread +CsrGetProcessLuid +CsrImpersonateClient +CsrLockProcessByClientId +CsrLockThreadByClientId +CsrMoveSatisfiedWait +CsrNotifyWait +CsrPopulateDosDevices +CsrQueryApiPort +CsrReferenceThread +CsrRevertToSelf +CsrServerInitialization +CsrSetBackgroundPriority +CsrSetCallingSpooler +CsrSetForegroundPriority +CsrShutdownProcesses +CsrUnhandledExceptionFilter +CsrUnlockProcess +CsrUnlockThread +CsrValidateMessageBuffer +CsrValidateMessageString diff --git a/lib/libc/mingw/lib64/d3d8thk.def b/lib/libc/mingw/lib64/d3d8thk.def new file mode 100644 index 0000000000..00bb0eecda --- /dev/null +++ b/lib/libc/mingw/lib64/d3d8thk.def @@ -0,0 +1,64 @@ +; +; Exports of file d3d8thk.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY d3d8thk.dll +EXPORTS +OsThunkD3dContextCreate +OsThunkD3dContextDestroy +OsThunkD3dContextDestroyAll +OsThunkD3dDrawPrimitives2 +OsThunkD3dValidateTextureStageState +OsThunkDdAddAttachedSurface +OsThunkDdAlphaBlt +OsThunkDdAttachSurface +OsThunkDdBeginMoCompFrame +OsThunkDdBlt +OsThunkDdCanCreateD3DBuffer +OsThunkDdCanCreateSurface +OsThunkDdColorControl +OsThunkDdCreateD3DBuffer +OsThunkDdCreateDirectDrawObject +OsThunkDdCreateMoComp +OsThunkDdCreateSurface +OsThunkDdCreateSurfaceEx +OsThunkDdCreateSurfaceObject +OsThunkDdDeleteDirectDrawObject +OsThunkDdDeleteSurfaceObject +OsThunkDdDestroyD3DBuffer +OsThunkDdDestroyMoComp +OsThunkDdDestroySurface +OsThunkDdEndMoCompFrame +OsThunkDdFlip +OsThunkDdFlipToGDISurface +OsThunkDdGetAvailDriverMemory +OsThunkDdGetBltStatus +OsThunkDdGetDC +OsThunkDdGetDriverInfo +OsThunkDdGetDriverState +OsThunkDdGetDxHandle +OsThunkDdGetFlipStatus +OsThunkDdGetInternalMoCompInfo +OsThunkDdGetMoCompBuffInfo +OsThunkDdGetMoCompFormats +OsThunkDdGetMoCompGuids +OsThunkDdGetScanLine +OsThunkDdLock +OsThunkDdLockD3D +OsThunkDdQueryDirectDrawObject +OsThunkDdQueryMoCompStatus +OsThunkDdReenableDirectDrawObject +OsThunkDdReleaseDC +OsThunkDdRenderMoComp +OsThunkDdResetVisrgn +OsThunkDdSetColorKey +OsThunkDdSetExclusiveMode +OsThunkDdSetGammaRamp +OsThunkDdSetOverlayPosition +OsThunkDdUnattachSurface +OsThunkDdUnlock +OsThunkDdUnlockD3D +OsThunkDdUpdateOverlay +OsThunkDdWaitForVerticalBlank diff --git a/lib/libc/mingw/lib64/d3dcompiler_33.def b/lib/libc/mingw/lib64/d3dcompiler_33.def new file mode 100644 index 0000000000..079e03e15e --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_33.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_34.def b/lib/libc/mingw/lib64/d3dcompiler_34.def new file mode 100644 index 0000000000..079e03e15e --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_34.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_35.def b/lib/libc/mingw/lib64/d3dcompiler_35.def new file mode 100644 index 0000000000..079e03e15e --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_35.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_36.def b/lib/libc/mingw/lib64/d3dcompiler_36.def new file mode 100644 index 0000000000..079e03e15e --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_36.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_37.def b/lib/libc/mingw/lib64/d3dcompiler_37.def new file mode 100644 index 0000000000..dc65a6031b --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_37.def @@ -0,0 +1,17 @@ +; +; Definition file of D3DCompiler_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_37.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_38.def b/lib/libc/mingw/lib64/d3dcompiler_38.def new file mode 100644 index 0000000000..84a9a2fe0a --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_38.def @@ -0,0 +1,18 @@ +; +; Definition file of D3DCompiler_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_38.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +D3DReturnFailure1 +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_39.def b/lib/libc/mingw/lib64/d3dcompiler_39.def new file mode 100644 index 0000000000..b1f0106302 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_39.def @@ -0,0 +1,18 @@ +; +; Definition file of D3DCompiler_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_39.dll" +EXPORTS +D3DCompileFromMemory +D3DDisassembleCode +D3DDisassembleEffect +D3DGetCodeDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocessFromMemory +D3DReflectCode +D3DReturnFailure1 +DebugSetMute diff --git a/lib/libc/mingw/lib64/d3dcompiler_40.def b/lib/libc/mingw/lib64/d3dcompiler_40.def new file mode 100644 index 0000000000..3f5869ee57 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_40.def @@ -0,0 +1,19 @@ +; +; Definition file of D3DCompiler_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_40.dll" +EXPORTS +DebugSetMute +D3DCompile +D3DDisassemble +D3DDisassemble10Effect +D3DGetDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocess +D3DReflect +D3DReturnFailure1 +D3DStripShader diff --git a/lib/libc/mingw/lib64/d3dcompiler_41.def b/lib/libc/mingw/lib64/d3dcompiler_41.def new file mode 100644 index 0000000000..f9739e3ec6 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_41.def @@ -0,0 +1,20 @@ +; +; Definition file of D3DCompiler_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_41.dll" +EXPORTS +D3DAssemble +DebugSetMute +D3DCompile +D3DDisassemble +D3DDisassemble10Effect +D3DGetDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocess +D3DReflect +D3DReturnFailure1 +D3DStripShader diff --git a/lib/libc/mingw/lib64/d3dcompiler_42.def b/lib/libc/mingw/lib64/d3dcompiler_42.def new file mode 100644 index 0000000000..78c4ba2752 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_42.def @@ -0,0 +1,20 @@ +; +; Definition file of D3DCompiler_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCompiler_42.dll" +EXPORTS +D3DAssemble +DebugSetMute +D3DCompile +D3DDisassemble +D3DDisassemble10Effect +D3DGetDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocess +D3DReflect +D3DReturnFailure1 +D3DStripShader diff --git a/lib/libc/mingw/lib64/d3dcompiler_43.def b/lib/libc/mingw/lib64/d3dcompiler_43.def new file mode 100644 index 0000000000..e7cc7766e8 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_43.def @@ -0,0 +1,24 @@ +; +; Definition file of D3DCOMPILER_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCOMPILER_43.dll" +EXPORTS +D3DAssemble +DebugSetMute +D3DCompile +D3DCompressShaders +D3DCreateBlob +D3DDecompressShaders +D3DDisassemble +D3DDisassemble10Effect +D3DGetBlobPart +D3DGetDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DPreprocess +D3DReflect +D3DReturnFailure1 +D3DStripShader diff --git a/lib/libc/mingw/lib64/d3dcompiler_46.def b/lib/libc/mingw/lib64/d3dcompiler_46.def new file mode 100644 index 0000000000..43f05ae9da --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcompiler_46.def @@ -0,0 +1,32 @@ +; +; Definition file of D3DCOMPILER_46.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "D3DCOMPILER_46.dll" +EXPORTS +D3DAssemble +DebugSetMute +D3DCompile +D3DCompile2 +D3DCompileFromFile +D3DCompressShaders +D3DCreateBlob +D3DDecompressShaders +D3DDisassemble +D3DDisassemble10Effect +D3DDisassemble11Trace +D3DDisassembleRegion +D3DGetBlobPart +D3DGetDebugInfo +D3DGetInputAndOutputSignatureBlob +D3DGetInputSignatureBlob +D3DGetOutputSignatureBlob +D3DGetTraceInstructionOffsets +D3DPreprocess +D3DReadFileToBlob +D3DReflect +D3DReturnFailure1 +D3DSetBlobPart +D3DStripShader +D3DWriteBlobToFile diff --git a/lib/libc/mingw/lib64/d3dcsx_46.def b/lib/libc/mingw/lib64/d3dcsx_46.def new file mode 100644 index 0000000000..887b8615d9 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcsx_46.def @@ -0,0 +1,16 @@ +; +; Definition file of d3dcsx_46.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dcsx_46.dll" +EXPORTS +D3DX11CreateFFT +D3DX11CreateFFT1DComplex +D3DX11CreateFFT1DReal +D3DX11CreateFFT2DComplex +D3DX11CreateFFT2DReal +D3DX11CreateFFT3DComplex +D3DX11CreateFFT3DReal +D3DX11CreateScan +D3DX11CreateSegmentedScan diff --git a/lib/libc/mingw/lib64/d3dcsxd_43.def b/lib/libc/mingw/lib64/d3dcsxd_43.def new file mode 100644 index 0000000000..158c73aed5 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dcsxd_43.def @@ -0,0 +1,16 @@ +; +; Definition file of d3dcsxd_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dcsxd_43.dll" +EXPORTS +D3DX11CreateFFT +D3DX11CreateFFT1DComplex +D3DX11CreateFFT1DReal +D3DX11CreateFFT2DComplex +D3DX11CreateFFT2DReal +D3DX11CreateFFT3DComplex +D3DX11CreateFFT3DReal +D3DX11CreateScan +D3DX11CreateSegmentedScan diff --git a/lib/libc/mingw/lib64/d3dx10_33.def b/lib/libc/mingw/lib64/d3dx10_33.def new file mode 100644 index 0000000000..9de334c89f --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_33.def @@ -0,0 +1,184 @@ +; +; Definition file of d3dx10_33.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_33.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetDriverLevel +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_34.def b/lib/libc/mingw/lib64/d3dx10_34.def new file mode 100644 index 0000000000..750c637109 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_34.def @@ -0,0 +1,184 @@ +; +; Definition file of d3dx10_34.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_34.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetDriverLevel +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_35.def b/lib/libc/mingw/lib64/d3dx10_35.def new file mode 100644 index 0000000000..ab8a01c028 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_35.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_35.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_35.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetDriverLevel +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_36.def b/lib/libc/mingw/lib64/d3dx10_36.def new file mode 100644 index 0000000000..a548ce3fc7 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_36.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_36.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_36.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetDriverLevel +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_37.def b/lib/libc/mingw/lib64/d3dx10_37.def new file mode 100644 index 0000000000..473ce0205d --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_37.def @@ -0,0 +1,188 @@ +; +; Definition file of d3dx10_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_37.dll" +EXPORTS +D3DX10CreateReduction +D3DX10CreateThreadPump +D3DX10GetDriverLevel +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_38.def b/lib/libc/mingw/lib64/d3dx10_38.def new file mode 100644 index 0000000000..f8bcab1470 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_38.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_38.dll" +EXPORTS +D3DX10CreateReduction +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_39.def b/lib/libc/mingw/lib64/d3dx10_39.def new file mode 100644 index 0000000000..afb0548079 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_39.def @@ -0,0 +1,187 @@ +; +; Definition file of d3dx10_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_39.dll" +EXPORTS +D3DX10CreateReduction +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10DisassembleEffect +D3DX10DisassembleShader +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10ReflectShader +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_40.def b/lib/libc/mingw/lib64/d3dx10_40.def new file mode 100644 index 0000000000..71d580cb5a --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_40.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_40.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_41.def b/lib/libc/mingw/lib64/d3dx10_41.def new file mode 100644 index 0000000000..ac07db161a --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_41.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_41.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_42.def b/lib/libc/mingw/lib64/d3dx10_42.def new file mode 100644 index 0000000000..d467f8d783 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_42.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_42.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx10_43.def b/lib/libc/mingw/lib64/d3dx10_43.def new file mode 100644 index 0000000000..5623c59910 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx10_43.def @@ -0,0 +1,183 @@ +; +; Definition file of d3dx10_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx10_43.dll" +EXPORTS +D3DX10CreateThreadPump +D3DX10CheckVersion +D3DX10CompileFromFileA +D3DX10CompileFromFileW +D3DX10CompileFromMemory +D3DX10CompileFromResourceA +D3DX10CompileFromResourceW +D3DX10ComputeNormalMap +D3DX10CreateAsyncCompilerProcessor +D3DX10CreateAsyncEffectCreateProcessor +D3DX10CreateAsyncEffectPoolCreateProcessor +D3DX10CreateAsyncFileLoaderA +D3DX10CreateAsyncFileLoaderW +D3DX10CreateAsyncMemoryLoader +D3DX10CreateAsyncResourceLoaderA +D3DX10CreateAsyncResourceLoaderW +D3DX10CreateAsyncShaderPreprocessProcessor +D3DX10CreateAsyncShaderResourceViewProcessor +D3DX10CreateAsyncTextureInfoProcessor +D3DX10CreateAsyncTextureProcessor +D3DX10CreateDevice +D3DX10CreateDeviceAndSwapChain +D3DX10CreateEffectFromFileA +D3DX10CreateEffectFromFileW +D3DX10CreateEffectFromMemory +D3DX10CreateEffectFromResourceA +D3DX10CreateEffectFromResourceW +D3DX10CreateEffectPoolFromFileA +D3DX10CreateEffectPoolFromFileW +D3DX10CreateEffectPoolFromMemory +D3DX10CreateEffectPoolFromResourceA +D3DX10CreateEffectPoolFromResourceW +D3DX10CreateFontA +D3DX10CreateFontIndirectA +D3DX10CreateFontIndirectW +D3DX10CreateFontW +D3DX10CreateMesh +D3DX10CreateShaderResourceViewFromFileA +D3DX10CreateShaderResourceViewFromFileW +D3DX10CreateShaderResourceViewFromMemory +D3DX10CreateShaderResourceViewFromResourceA +D3DX10CreateShaderResourceViewFromResourceW +D3DX10CreateSkinInfo +D3DX10CreateSprite +D3DX10CreateTextureFromFileA +D3DX10CreateTextureFromFileW +D3DX10CreateTextureFromMemory +D3DX10CreateTextureFromResourceA +D3DX10CreateTextureFromResourceW +D3DX10FilterTexture +D3DX10GetFeatureLevel1 +D3DX10GetImageInfoFromFileA +D3DX10GetImageInfoFromFileW +D3DX10GetImageInfoFromMemory +D3DX10GetImageInfoFromResourceA +D3DX10GetImageInfoFromResourceW +D3DX10LoadTextureFromTexture +D3DX10PreprocessShaderFromFileA +D3DX10PreprocessShaderFromFileW +D3DX10PreprocessShaderFromMemory +D3DX10PreprocessShaderFromResourceA +D3DX10PreprocessShaderFromResourceW +D3DX10SHProjectCubeMap +D3DX10SaveTextureToFileA +D3DX10SaveTextureToFileW +D3DX10SaveTextureToMemory +D3DX10UnsetAllDeviceObjects +D3DXBoxBoundProbe +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXCpuOptimizations +D3DXCreateMatrixStack +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFresnelTerm +D3DXIntersectTri +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSphereBoundProbe +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray diff --git a/lib/libc/mingw/lib64/d3dx11_42.def b/lib/libc/mingw/lib64/d3dx11_42.def new file mode 100644 index 0000000000..e5130081e3 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx11_42.def @@ -0,0 +1,51 @@ +; +; Definition file of d3dx11_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx11_42.dll" +EXPORTS +D3DX11CheckVersion +D3DX11CompileFromFileA +D3DX11CompileFromFileW +D3DX11CompileFromMemory +D3DX11CompileFromResourceA +D3DX11CompileFromResourceW +D3DX11ComputeNormalMap +D3DX11CreateAsyncCompilerProcessor +D3DX11CreateAsyncFileLoaderA +D3DX11CreateAsyncFileLoaderW +D3DX11CreateAsyncMemoryLoader +D3DX11CreateAsyncResourceLoaderA +D3DX11CreateAsyncResourceLoaderW +D3DX11CreateAsyncShaderPreprocessProcessor +D3DX11CreateAsyncShaderResourceViewProcessor +D3DX11CreateAsyncTextureInfoProcessor +D3DX11CreateAsyncTextureProcessor +D3DX11CreateShaderResourceViewFromFileA +D3DX11CreateShaderResourceViewFromFileW +D3DX11CreateShaderResourceViewFromMemory +D3DX11CreateShaderResourceViewFromResourceA +D3DX11CreateShaderResourceViewFromResourceW +D3DX11CreateTextureFromFileA +D3DX11CreateTextureFromFileW +D3DX11CreateTextureFromMemory +D3DX11CreateTextureFromResourceA +D3DX11CreateTextureFromResourceW +D3DX11CreateThreadPump +D3DX11FilterTexture +D3DX11GetImageInfoFromFileA +D3DX11GetImageInfoFromFileW +D3DX11GetImageInfoFromMemory +D3DX11GetImageInfoFromResourceA +D3DX11GetImageInfoFromResourceW +D3DX11LoadTextureFromTexture +D3DX11PreprocessShaderFromFileA +D3DX11PreprocessShaderFromFileW +D3DX11PreprocessShaderFromMemory +D3DX11PreprocessShaderFromResourceA +D3DX11PreprocessShaderFromResourceW +D3DX11SHProjectCubeMap +D3DX11SaveTextureToFileA +D3DX11SaveTextureToFileW +D3DX11SaveTextureToMemory diff --git a/lib/libc/mingw/lib64/d3dx11_43.def b/lib/libc/mingw/lib64/d3dx11_43.def new file mode 100644 index 0000000000..32489e155d --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx11_43.def @@ -0,0 +1,51 @@ +; +; Definition file of d3dx11_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx11_43.dll" +EXPORTS +D3DX11CheckVersion +D3DX11CompileFromFileA +D3DX11CompileFromFileW +D3DX11CompileFromMemory +D3DX11CompileFromResourceA +D3DX11CompileFromResourceW +D3DX11ComputeNormalMap +D3DX11CreateAsyncCompilerProcessor +D3DX11CreateAsyncFileLoaderA +D3DX11CreateAsyncFileLoaderW +D3DX11CreateAsyncMemoryLoader +D3DX11CreateAsyncResourceLoaderA +D3DX11CreateAsyncResourceLoaderW +D3DX11CreateAsyncShaderPreprocessProcessor +D3DX11CreateAsyncShaderResourceViewProcessor +D3DX11CreateAsyncTextureInfoProcessor +D3DX11CreateAsyncTextureProcessor +D3DX11CreateShaderResourceViewFromFileA +D3DX11CreateShaderResourceViewFromFileW +D3DX11CreateShaderResourceViewFromMemory +D3DX11CreateShaderResourceViewFromResourceA +D3DX11CreateShaderResourceViewFromResourceW +D3DX11CreateTextureFromFileA +D3DX11CreateTextureFromFileW +D3DX11CreateTextureFromMemory +D3DX11CreateTextureFromResourceA +D3DX11CreateTextureFromResourceW +D3DX11CreateThreadPump +D3DX11FilterTexture +D3DX11GetImageInfoFromFileA +D3DX11GetImageInfoFromFileW +D3DX11GetImageInfoFromMemory +D3DX11GetImageInfoFromResourceA +D3DX11GetImageInfoFromResourceW +D3DX11LoadTextureFromTexture +D3DX11PreprocessShaderFromFileA +D3DX11PreprocessShaderFromFileW +D3DX11PreprocessShaderFromMemory +D3DX11PreprocessShaderFromResourceA +D3DX11PreprocessShaderFromResourceW +D3DX11SHProjectCubeMap +D3DX11SaveTextureToFileA +D3DX11SaveTextureToFileW +D3DX11SaveTextureToMemory diff --git a/lib/libc/mingw/lib64/d3dx9_24.def b/lib/libc/mingw/lib64/d3dx9_24.def new file mode 100644 index 0000000000..9460bd9a62 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_24.def @@ -0,0 +1,327 @@ +; +; Definition file of d3dx9_24.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_24.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_25.def b/lib/libc/mingw/lib64/d3dx9_25.def new file mode 100644 index 0000000000..4cbfbb3a77 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_25.def @@ -0,0 +1,330 @@ +; +; Definition file of d3dx9_25.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_25.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_26.def b/lib/libc/mingw/lib64/d3dx9_26.def new file mode 100644 index 0000000000..5ed9edad18 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_26.def @@ -0,0 +1,334 @@ +; +; Definition file of d3dx9_26.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_26.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_27.def b/lib/libc/mingw/lib64/d3dx9_27.def new file mode 100644 index 0000000000..bee2cf2729 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_27.def @@ -0,0 +1,334 @@ +; +; Definition file of d3dx9_27.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_27.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_28.def b/lib/libc/mingw/lib64/d3dx9_28.def new file mode 100644 index 0000000000..549f0be092 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_28.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_28.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_28.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_29.def b/lib/libc/mingw/lib64/d3dx9_29.def new file mode 100644 index 0000000000..5ab2e97900 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_29.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_29.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_29.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_30.def b/lib/libc/mingw/lib64/d3dx9_30.def new file mode 100644 index 0000000000..ee4e17664b --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_30.def @@ -0,0 +1,339 @@ +; +; Definition file of d3dx9_30.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_30.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCpuOptimizations +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetTargetDescByName +D3DXGetTargetDescByVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_31.def b/lib/libc/mingw/lib64/d3dx9_31.def new file mode 100644 index 0000000000..cb1485fa7a --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_31.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_31.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_31.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_32.def b/lib/libc/mingw/lib64/d3dx9_32.def new file mode 100644 index 0000000000..28ca0df407 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_32.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_32.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_33.def b/lib/libc/mingw/lib64/d3dx9_33.def new file mode 100644 index 0000000000..57b086bedb --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_33.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_33.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_33.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_34.def b/lib/libc/mingw/lib64/d3dx9_34.def new file mode 100644 index 0000000000..44e3e121c2 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_34.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_34.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_34.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_35.def b/lib/libc/mingw/lib64/d3dx9_35.def new file mode 100644 index 0000000000..513532325b --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_35.def @@ -0,0 +1,341 @@ +; +; Definition file of d3dx9_35.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_35.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_36.def b/lib/libc/mingw/lib64/d3dx9_36.def new file mode 100644 index 0000000000..3f37a9372a --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_36.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_36.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_36.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_37.def b/lib/libc/mingw/lib64/d3dx9_37.def new file mode 100644 index 0000000000..a2dd3b4b35 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_37.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_37.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_37.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_38.def b/lib/libc/mingw/lib64/d3dx9_38.def new file mode 100644 index 0000000000..832e549a98 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_38.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_38.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_38.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_39.def b/lib/libc/mingw/lib64/d3dx9_39.def new file mode 100644 index 0000000000..241d794658 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_39.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_39.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_39.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_40.def b/lib/libc/mingw/lib64/d3dx9_40.def new file mode 100644 index 0000000000..5ee63812c5 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_40.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_40.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_41.def b/lib/libc/mingw/lib64/d3dx9_41.def new file mode 100644 index 0000000000..470b11864f --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_41.def @@ -0,0 +1,343 @@ +; +; Definition file of d3dx9_41.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_41.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateFragmentLinker +D3DXCreateFragmentLinkerEx +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGatherFragments +D3DXGatherFragmentsFromFileA +D3DXGatherFragmentsFromFileW +D3DXGatherFragmentsFromResourceA +D3DXGatherFragmentsFromResourceW +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_42.def b/lib/libc/mingw/lib64/d3dx9_42.def new file mode 100644 index 0000000000..65aed11aed --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_42.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_42.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_42.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dx9_43.def b/lib/libc/mingw/lib64/d3dx9_43.def new file mode 100644 index 0000000000..79fd5a4f1e --- /dev/null +++ b/lib/libc/mingw/lib64/d3dx9_43.def @@ -0,0 +1,336 @@ +; +; Definition file of d3dx9_43.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "d3dx9_43.dll" +EXPORTS +D3DXAssembleShader +D3DXAssembleShaderFromFileA +D3DXAssembleShaderFromFileW +D3DXAssembleShaderFromResourceA +D3DXAssembleShaderFromResourceW +D3DXBoxBoundProbe +D3DXCheckCubeTextureRequirements +D3DXCheckTextureRequirements +D3DXCheckVersion +D3DXCheckVolumeTextureRequirements +D3DXCleanMesh +D3DXColorAdjustContrast +D3DXColorAdjustSaturation +D3DXCompileShader +D3DXCompileShaderFromFileA +D3DXCompileShaderFromFileW +D3DXCompileShaderFromResourceA +D3DXCompileShaderFromResourceW +D3DXComputeBoundingBox +D3DXComputeBoundingSphere +D3DXComputeIMTFromPerTexelSignal +D3DXComputeIMTFromPerVertexSignal +D3DXComputeIMTFromSignal +D3DXComputeIMTFromTexture +D3DXComputeNormalMap +D3DXComputeNormals +D3DXComputeTangent +D3DXComputeTangentFrame +D3DXComputeTangentFrameEx +D3DXConcatenateMeshes +D3DXConvertMeshSubsetToSingleStrip +D3DXConvertMeshSubsetToStrips +D3DXCreateAnimationController +D3DXCreateBox +D3DXCreateBuffer +D3DXCreateCompressedAnimationSet +D3DXCreateCubeTexture +D3DXCreateCubeTextureFromFileA +D3DXCreateCubeTextureFromFileExA +D3DXCreateCubeTextureFromFileExW +D3DXCreateCubeTextureFromFileInMemory +D3DXCreateCubeTextureFromFileInMemoryEx +D3DXCreateCubeTextureFromFileW +D3DXCreateCubeTextureFromResourceA +D3DXCreateCubeTextureFromResourceExA +D3DXCreateCubeTextureFromResourceExW +D3DXCreateCubeTextureFromResourceW +D3DXCreateCylinder +D3DXCreateEffect +D3DXCreateEffectCompiler +D3DXCreateEffectCompilerFromFileA +D3DXCreateEffectCompilerFromFileW +D3DXCreateEffectCompilerFromResourceA +D3DXCreateEffectCompilerFromResourceW +D3DXCreateEffectEx +D3DXCreateEffectFromFileA +D3DXCreateEffectFromFileExA +D3DXCreateEffectFromFileExW +D3DXCreateEffectFromFileW +D3DXCreateEffectFromResourceA +D3DXCreateEffectFromResourceExA +D3DXCreateEffectFromResourceExW +D3DXCreateEffectFromResourceW +D3DXCreateEffectPool +D3DXCreateFontA +D3DXCreateFontIndirectA +D3DXCreateFontIndirectW +D3DXCreateFontW +D3DXCreateKeyframedAnimationSet +D3DXCreateLine +D3DXCreateMatrixStack +D3DXCreateMesh +D3DXCreateMeshFVF +D3DXCreateNPatchMesh +D3DXCreatePMeshFromStream +D3DXCreatePRTBuffer +D3DXCreatePRTBufferTex +D3DXCreatePRTCompBuffer +D3DXCreatePRTEngine +D3DXCreatePatchMesh +D3DXCreatePolygon +D3DXCreateRenderToEnvMap +D3DXCreateRenderToSurface +D3DXCreateSPMesh +D3DXCreateSkinInfo +D3DXCreateSkinInfoFVF +D3DXCreateSkinInfoFromBlendedMesh +D3DXCreateSphere +D3DXCreateSprite +D3DXCreateTeapot +D3DXCreateTextA +D3DXCreateTextW +D3DXCreateTexture +D3DXCreateTextureFromFileA +D3DXCreateTextureFromFileExA +D3DXCreateTextureFromFileExW +D3DXCreateTextureFromFileInMemory +D3DXCreateTextureFromFileInMemoryEx +D3DXCreateTextureFromFileW +D3DXCreateTextureFromResourceA +D3DXCreateTextureFromResourceExA +D3DXCreateTextureFromResourceExW +D3DXCreateTextureFromResourceW +D3DXCreateTextureGutterHelper +D3DXCreateTextureShader +D3DXCreateTorus +D3DXCreateVolumeTexture +D3DXCreateVolumeTextureFromFileA +D3DXCreateVolumeTextureFromFileExA +D3DXCreateVolumeTextureFromFileExW +D3DXCreateVolumeTextureFromFileInMemory +D3DXCreateVolumeTextureFromFileInMemoryEx +D3DXCreateVolumeTextureFromFileW +D3DXCreateVolumeTextureFromResourceA +D3DXCreateVolumeTextureFromResourceExA +D3DXCreateVolumeTextureFromResourceExW +D3DXCreateVolumeTextureFromResourceW +D3DXDebugMute +D3DXDeclaratorFromFVF +D3DXDisassembleEffect +D3DXDisassembleShader +D3DXFVFFromDeclarator +D3DXFileCreate +D3DXFillCubeTexture +D3DXFillCubeTextureTX +D3DXFillTexture +D3DXFillTextureTX +D3DXFillVolumeTexture +D3DXFillVolumeTextureTX +D3DXFilterTexture +D3DXFindShaderComment +D3DXFloat16To32Array +D3DXFloat32To16Array +D3DXFrameAppendChild +D3DXFrameCalculateBoundingSphere +D3DXFrameDestroy +D3DXFrameFind +D3DXFrameNumNamedMatrices +D3DXFrameRegisterNamedMatrices +D3DXFresnelTerm +D3DXGenerateOutputDecl +D3DXGeneratePMesh +D3DXGetDeclLength +D3DXGetDeclVertexSize +D3DXGetDriverLevel +D3DXGetFVFVertexSize +D3DXGetImageInfoFromFileA +D3DXGetImageInfoFromFileInMemory +D3DXGetImageInfoFromFileW +D3DXGetImageInfoFromResourceA +D3DXGetImageInfoFromResourceW +D3DXGetPixelShaderProfile +D3DXGetShaderConstantTable +D3DXGetShaderConstantTableEx +D3DXGetShaderInputSemantics +D3DXGetShaderOutputSemantics +D3DXGetShaderSamplers +D3DXGetShaderSize +D3DXGetShaderVersion +D3DXGetVertexShaderProfile +D3DXIntersect +D3DXIntersectSubset +D3DXIntersectTri +D3DXLoadMeshFromXA +D3DXLoadMeshFromXInMemory +D3DXLoadMeshFromXResource +D3DXLoadMeshFromXW +D3DXLoadMeshFromXof +D3DXLoadMeshHierarchyFromXA +D3DXLoadMeshHierarchyFromXInMemory +D3DXLoadMeshHierarchyFromXW +D3DXLoadPRTBufferFromFileA +D3DXLoadPRTBufferFromFileW +D3DXLoadPRTCompBufferFromFileA +D3DXLoadPRTCompBufferFromFileW +D3DXLoadPatchMeshFromXof +D3DXLoadSkinMeshFromXof +D3DXLoadSurfaceFromFileA +D3DXLoadSurfaceFromFileInMemory +D3DXLoadSurfaceFromFileW +D3DXLoadSurfaceFromMemory +D3DXLoadSurfaceFromResourceA +D3DXLoadSurfaceFromResourceW +D3DXLoadSurfaceFromSurface +D3DXLoadVolumeFromFileA +D3DXLoadVolumeFromFileInMemory +D3DXLoadVolumeFromFileW +D3DXLoadVolumeFromMemory +D3DXLoadVolumeFromResourceA +D3DXLoadVolumeFromResourceW +D3DXLoadVolumeFromVolume +D3DXMatrixAffineTransformation +D3DXMatrixAffineTransformation2D +D3DXMatrixDecompose +D3DXMatrixDeterminant +D3DXMatrixInverse +D3DXMatrixLookAtLH +D3DXMatrixLookAtRH +D3DXMatrixMultiply +D3DXMatrixMultiplyTranspose +D3DXMatrixOrthoLH +D3DXMatrixOrthoOffCenterLH +D3DXMatrixOrthoOffCenterRH +D3DXMatrixOrthoRH +D3DXMatrixPerspectiveFovLH +D3DXMatrixPerspectiveFovRH +D3DXMatrixPerspectiveLH +D3DXMatrixPerspectiveOffCenterLH +D3DXMatrixPerspectiveOffCenterRH +D3DXMatrixPerspectiveRH +D3DXMatrixReflect +D3DXMatrixRotationAxis +D3DXMatrixRotationQuaternion +D3DXMatrixRotationX +D3DXMatrixRotationY +D3DXMatrixRotationYawPitchRoll +D3DXMatrixRotationZ +D3DXMatrixScaling +D3DXMatrixShadow +D3DXMatrixTransformation +D3DXMatrixTransformation2D +D3DXMatrixTranslation +D3DXMatrixTranspose +D3DXOptimizeFaces +D3DXOptimizeVertices +D3DXPlaneFromPointNormal +D3DXPlaneFromPoints +D3DXPlaneIntersectLine +D3DXPlaneNormalize +D3DXPlaneTransform +D3DXPlaneTransformArray +D3DXPreprocessShader +D3DXPreprocessShaderFromFileA +D3DXPreprocessShaderFromFileW +D3DXPreprocessShaderFromResourceA +D3DXPreprocessShaderFromResourceW +D3DXQuaternionBaryCentric +D3DXQuaternionExp +D3DXQuaternionInverse +D3DXQuaternionLn +D3DXQuaternionMultiply +D3DXQuaternionNormalize +D3DXQuaternionRotationAxis +D3DXQuaternionRotationMatrix +D3DXQuaternionRotationYawPitchRoll +D3DXQuaternionSlerp +D3DXQuaternionSquad +D3DXQuaternionSquadSetup +D3DXQuaternionToAxisAngle +D3DXRectPatchSize +D3DXSHAdd +D3DXSHDot +D3DXSHEvalConeLight +D3DXSHEvalDirection +D3DXSHEvalDirectionalLight +D3DXSHEvalHemisphereLight +D3DXSHEvalSphericalLight +D3DXSHMultiply2 +D3DXSHMultiply3 +D3DXSHMultiply4 +D3DXSHMultiply5 +D3DXSHMultiply6 +D3DXSHPRTCompSplitMeshSC +D3DXSHPRTCompSuperCluster +D3DXSHProjectCubeMap +D3DXSHRotate +D3DXSHRotateZ +D3DXSHScale +D3DXSaveMeshHierarchyToFileA +D3DXSaveMeshHierarchyToFileW +D3DXSaveMeshToXA +D3DXSaveMeshToXW +D3DXSavePRTBufferToFileA +D3DXSavePRTBufferToFileW +D3DXSavePRTCompBufferToFileA +D3DXSavePRTCompBufferToFileW +D3DXSaveSurfaceToFileA +D3DXSaveSurfaceToFileInMemory +D3DXSaveSurfaceToFileW +D3DXSaveTextureToFileA +D3DXSaveTextureToFileInMemory +D3DXSaveTextureToFileW +D3DXSaveVolumeToFileA +D3DXSaveVolumeToFileInMemory +D3DXSaveVolumeToFileW +D3DXSimplifyMesh +D3DXSphereBoundProbe +D3DXSplitMesh +D3DXTessellateNPatches +D3DXTessellateRectPatch +D3DXTessellateTriPatch +D3DXTriPatchSize +D3DXUVAtlasCreate +D3DXUVAtlasPack +D3DXUVAtlasPartition +D3DXValidMesh +D3DXValidPatchMesh +D3DXVec2BaryCentric +D3DXVec2CatmullRom +D3DXVec2Hermite +D3DXVec2Normalize +D3DXVec2Transform +D3DXVec2TransformArray +D3DXVec2TransformCoord +D3DXVec2TransformCoordArray +D3DXVec2TransformNormal +D3DXVec2TransformNormalArray +D3DXVec3BaryCentric +D3DXVec3CatmullRom +D3DXVec3Hermite +D3DXVec3Normalize +D3DXVec3Project +D3DXVec3ProjectArray +D3DXVec3Transform +D3DXVec3TransformArray +D3DXVec3TransformCoord +D3DXVec3TransformCoordArray +D3DXVec3TransformNormal +D3DXVec3TransformNormalArray +D3DXVec3Unproject +D3DXVec3UnprojectArray +D3DXVec4BaryCentric +D3DXVec4CatmullRom +D3DXVec4Cross +D3DXVec4Hermite +D3DXVec4Normalize +D3DXVec4Transform +D3DXVec4TransformArray +D3DXWeldVertices diff --git a/lib/libc/mingw/lib64/d3dxof.def b/lib/libc/mingw/lib64/d3dxof.def new file mode 100644 index 0000000000..a1b8a01e14 --- /dev/null +++ b/lib/libc/mingw/lib64/d3dxof.def @@ -0,0 +1,11 @@ +; +; Exports of file d3dxof.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY d3dxof.dll +EXPORTS +DirectXFileCreate +DllCanUnloadNow +DllGetClassObject diff --git a/lib/libc/mingw/lib64/dhcpcsvc6.def b/lib/libc/mingw/lib64/dhcpcsvc6.def deleted file mode 100644 index edc7208bff..0000000000 --- a/lib/libc/mingw/lib64/dhcpcsvc6.def +++ /dev/null @@ -1,17 +0,0 @@ -; -; Definition file of dhcpcsvc6.DLL -; Automatic generated by gendef -; written by Kai Tietz 2008 -; -LIBRARY "dhcpcsvc6.DLL" -EXPORTS -Dhcpv6AcquireParameters -Dhcpv6FreeLeaseInfo -Dhcpv6IsEnabled -Dhcpv6Main -Dhcpv6QueryLeaseInfo -Dhcpv6ReleaseParameters -Dhcpv6ReleasePrefix -Dhcpv6RenewPrefix -Dhcpv6RequestParams -Dhcpv6RequestPrefix diff --git a/lib/libc/mingw/lib64/digest.def b/lib/libc/mingw/lib64/digest.def new file mode 100644 index 0000000000..de15a4313c --- /dev/null +++ b/lib/libc/mingw/lib64/digest.def @@ -0,0 +1,31 @@ +; +; Exports of file DIGEST.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DIGEST.dll +EXPORTS +AcceptSecurityContext +AcquireCredentialsHandleA +AcquireCredentialsHandleW +ApplyControlToken +CompleteAuthToken +DeleteSecurityContext +DllInstall +EnumerateSecurityPackagesA +EnumerateSecurityPackagesW +FreeContextBuffer +FreeCredentialsHandle +ImpersonateSecurityContext +InitSecurityInterfaceA +InitSecurityInterfaceW +InitializeSecurityContextA +InitializeSecurityContextW +MakeSignature +QueryContextAttributesA +QueryContextAttributesW +QuerySecurityPackageInfoA +QuerySecurityPackageInfoW +RevertSecurityContext +VerifySignature diff --git a/lib/libc/mingw/lib64/dimsntfy.def b/lib/libc/mingw/lib64/dimsntfy.def new file mode 100644 index 0000000000..f3bf096f75 --- /dev/null +++ b/lib/libc/mingw/lib64/dimsntfy.def @@ -0,0 +1,15 @@ +; +; Exports of file dimsntfy.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dimsntfy.dll +EXPORTS +WlDimsLock +WlDimsLogoff +WlDimsLogon +WlDimsShutdown +WlDimsStartShell +WlDimsStartup +WlDimsUnlock diff --git a/lib/libc/mingw/lib64/dmconfig.def b/lib/libc/mingw/lib64/dmconfig.def new file mode 100644 index 0000000000..6f5dbc7e7d --- /dev/null +++ b/lib/libc/mingw/lib64/dmconfig.def @@ -0,0 +1,10 @@ +; +; Exports of file dmconfig.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dmconfig.dll +EXPORTS +DllMain +cs_get_api_calls diff --git a/lib/libc/mingw/lib64/dmdskmgr.def b/lib/libc/mingw/lib64/dmdskmgr.def new file mode 100644 index 0000000000..46b9256f58 --- /dev/null +++ b/lib/libc/mingw/lib64/dmdskmgr.def @@ -0,0 +1,433 @@ +; +; Exports of file DMDskMgr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DMDskMgr.dll +EXPORTS +; public: __cdecl CDataCache::CDataCache(void) __ptr64 +??0CDataCache@@QEAA@XZ +; public: __cdecl CDMNodeObj::~CDMNodeObj(void) __ptr64 +??1CDMNodeObj@@QEAA@XZ +; public: virtual __cdecl CDataCache::~CDataCache(void) __ptr64 +??1CDataCache@@UEAA@XZ +; public: void __cdecl CDataCache::AddFileSystemInfoToListAndMap(unsigned long,struct filesysteminfo * __ptr64) __ptr64 +?AddFileSystemInfoToListAndMap@CDataCache@@QEAAXKPEAUfilesysteminfo@@@Z +; public: void __cdecl CDataCache::AddInstalledFileSystemsToList(unsigned long,struct ifilesysteminfo * __ptr64) __ptr64 +?AddInstalledFileSystemsToList@CDataCache@@QEAAXKPEAUifilesysteminfo@@@Z +; public: void __cdecl CDataCache::AddLDMObjMapEntry(struct _LDM_OBJ_MAP_ENTRY * __ptr64) __ptr64 +?AddLDMObjMapEntry@CDataCache@@QEAAXPEAU_LDM_OBJ_MAP_ENTRY@@@Z +; public: void __cdecl CDataCache::AddRegionToVolumeMemberList(class CDMNodeObj * __ptr64) __ptr64 +?AddRegionToVolumeMemberList@CDataCache@@QEAAXPEAVCDMNodeObj@@@Z +; public: void __cdecl CDMComponentData::AddRow(__int64) __ptr64 +?AddRow@CDMComponentData@@QEAAX_J@Z +; public: void __cdecl CDataCache::AdjustRegionCountInLegendList(enum _REGIONTYPE,int) __ptr64 +?AdjustRegionCountInLegendList@CDataCache@@QEAAXW4_REGIONTYPE@@H@Z +; public: void __cdecl CDataCache::AdjustVolumeCountInLegendList(enum _VOLUMELAYOUT,int) __ptr64 +?AdjustVolumeCountInLegendList@CDataCache@@QEAAXW4_VOLUMELAYOUT@@H@Z +; public: int __cdecl CDMNodeObj::CanHaveGPT(void) __ptr64 +?CanHaveGPT@CDMNodeObj@@QEAAHXZ +; public: void __cdecl CDMComponentData::ChangeRow(__int64) __ptr64 +?ChangeRow@CDMComponentData@@QEAAX_J@Z +; public: long __cdecl CContextMenu::Command(long,struct IDataObject * __ptr64,__int64) __ptr64 +?Command@CContextMenu@@QEAAJJPEAUIDataObject@@_J@Z +; int __cdecl CompareDiskNames(__int64,__int64) +?CompareDiskNames@@YAH_J0@Z +; public: int __cdecl CDMNodeObj::ContainsActivePartition(void) __ptr64 +?ContainsActivePartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsBootIniPartition(void) __ptr64 +?ContainsBootIniPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsBootIniPartitionForWolfpack(void) __ptr64 +?ContainsBootIniPartitionForWolfpack@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsBootVolumesNumberChange(__int64,int * __ptr64) __ptr64 +?ContainsBootVolumesNumberChange@CDMNodeObj@@QEAAH_JPEAH@Z +; public: int __cdecl CDMNodeObj::ContainsESPPartition(void) __ptr64 +?ContainsESPPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsLogicalDrvBootPartition(void) __ptr64 +?ContainsLogicalDrvBootPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsPageFile(void) __ptr64 +?ContainsPageFile@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsRealSystemPartition(void) __ptr64 +?ContainsRealSystemPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsSubDiskNeedResync(void) __ptr64 +?ContainsSubDiskNeedResync@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsSystemInformation(void) __ptr64 +?ContainsSystemInformation@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::ContainsSystemPartition(void) __ptr64 +?ContainsSystemPartition@CDMNodeObj@@QEAAHXZ +; unsigned long __cdecl ConvertBytesToMB(__int64) +?ConvertBytesToMB@@YAK_J@Z +; __int64 __cdecl ConvertMBToBytes(__int64) +?ConvertMBToBytes@@YA_J_J@Z +; void __cdecl CookieSort(__int64 * __ptr64,long,long,int (__cdecl*)(__int64,__int64)) +?CookieSort@@YAXPEA_JJJP6AH_J1@Z@Z +; public: void __cdecl CDataCache::CreateDiskList(void) __ptr64 +?CreateDiskList@CDataCache@@QEAAXXZ +; public: class CDMNodeObj * __ptr64 __cdecl CDataCache::CreateNodeObjAndAddToMap(int,enum _NODEOBJ_TYPES,class CDataCache * __ptr64,void * __ptr64,__int64) __ptr64 +?CreateNodeObjAndAddToMap@CDataCache@@QEAAPEAVCDMNodeObj@@HW4_NODEOBJ_TYPES@@PEAV1@PEAX_J@Z +; public: class CDMNodeObj * __ptr64 __cdecl CDataCache::CreateRegionNodeObj(class CDMNodeObj * __ptr64,struct regioninfoex * __ptr64) __ptr64 +?CreateRegionNodeObj@CDataCache@@QEAAPEAVCDMNodeObj@@PEAV2@PEAUregioninfoex@@@Z +; public: void __cdecl CDataCache::CreateShortDiskName(struct diskinfoex & __ptr64) __ptr64 +?CreateShortDiskName@CDataCache@@QEAAXAEAUdiskinfoex@@@Z +; public: void __cdecl CDataCache::CreateVolumeList(void) __ptr64 +?CreateVolumeList@CDataCache@@QEAAXXZ +; public: void __cdecl CDataCache::DeleteDiskGroupData(struct DISK_GROUP_DATA * __ptr64) __ptr64 +?DeleteDiskGroupData@CDataCache@@QEAAXPEAUDISK_GROUP_DATA@@@Z +; public: void __cdecl CDataCache::DeleteEncapsulateData(struct ENCAPSULATE_DATA * __ptr64) __ptr64 +?DeleteEncapsulateData@CDataCache@@QEAAXPEAUENCAPSULATE_DATA@@@Z +; public: void __cdecl CDataCache::DeleteLists(void) __ptr64 +?DeleteLists@CDataCache@@QEAAXXZ +; public: void __cdecl CDataCache::DeleteRegionFromVolumeMemberList(class CDMNodeObj * __ptr64) __ptr64 +?DeleteRegionFromVolumeMemberList@CDataCache@@QEAAXPEAVCDMNodeObj@@@Z +; public: void __cdecl CDMComponentData::DeleteRow(__int64) __ptr64 +?DeleteRow@CDMComponentData@@QEAAX_J@Z +; public: void __cdecl CContextMenu::DoDelete(__int64) __ptr64 +?DoDelete@CContextMenu@@QEAAX_J@Z +; public: void __cdecl CDMComponentData::EmptyOcxViewData(void) __ptr64 +?EmptyOcxViewData@CDMComponentData@@QEAAXXZ +; public: int __cdecl CDMNodeObj::EnhancedIsUpgradeable(class CTaskData * __ptr64) __ptr64 +?EnhancedIsUpgradeable@CDMNodeObj@@QEAAHPEAVCTaskData@@@Z +; public: void __cdecl CDMNodeObj::EnumDiskRegions(__int64 * __ptr64 * __ptr64,long & __ptr64) __ptr64 +?EnumDiskRegions@CDMNodeObj@@QEAAXPEAPEA_JAEAJ@Z +; public: void __cdecl CTaskData::EnumDisks(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?EnumDisks@CTaskData@@QEAAXAEAKPEAPEA_J@Z +; public: void __cdecl CDMNodeObj::EnumFirstVolumeMember(__int64 & __ptr64,long & __ptr64) __ptr64 +?EnumFirstVolumeMember@CDMNodeObj@@QEAAXAEA_JAEAJ@Z +; public: void __cdecl CDataCache::EnumNTFSwithDriveLetter(int * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?EnumNTFSwithDriveLetter@CDataCache@@QEAAXPEAHPEAPEAG@Z +; public: void __cdecl CTaskData::EnumNTFSwithDriveLetter(int * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?EnumNTFSwithDriveLetter@CTaskData@@QEAAXPEAHPEAPEAG@Z +; public: void __cdecl CDMNodeObj::EnumVolumeMembers(__int64 * __ptr64 * __ptr64,long & __ptr64) __ptr64 +?EnumVolumeMembers@CDMNodeObj@@QEAAXPEAPEA_JAEAJ@Z +; public: void __cdecl CTaskData::EnumVolumes(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?EnumVolumes@CTaskData@@QEAAXAEAKPEAPEA_J@Z +; public: void __cdecl CDataCache::FillDeviceInstanceId(unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?FillDeviceInstanceId@CDataCache@@QEAAXPEAG0@Z +; public: void __cdecl CTaskData::FilterCookiesBigEnoughForFTRepair(unsigned long & __ptr64,__int64 * __ptr64,__int64 * __ptr64 * __ptr64,long,class CDMNodeObj * __ptr64) __ptr64 +?FilterCookiesBigEnoughForFTRepair@CTaskData@@QEAAXAEAKPEA_JPEAPEA_JJPEAVCDMNodeObj@@@Z +; public: void __cdecl CTaskData::FilterCookiesBigEnoughForRAID5Repair(unsigned long & __ptr64,__int64 * __ptr64,__int64 * __ptr64 * __ptr64,long,class CDMNodeObj * __ptr64) __ptr64 +?FilterCookiesBigEnoughForRAID5Repair@CTaskData@@QEAAXAEAKPEA_JPEAPEA_JJPEAVCDMNodeObj@@@Z +; public: int __cdecl CDataCache::FindCookieAndRemoveFromList(__int64,class CList * __ptr64) __ptr64 +?FindCookieAndRemoveFromList@CDataCache@@QEAAH_JPEAV?$CList@PEAVCDMNodeObj@@PEAV1@@@@Z +; public: unsigned short * __ptr64 __cdecl CDataCache::FindDeviceInstanceId(__int64) __ptr64 +?FindDeviceInstanceId@CDataCache@@QEAAPEAG_J@Z +; public: int __cdecl CDataCache::FindDiskPtrFromDiskId(__int64,class CDMNodeObj * __ptr64 * __ptr64) __ptr64 +?FindDiskPtrFromDiskId@CDataCache@@QEAAH_JPEAPEAVCDMNodeObj@@@Z +; public: int __cdecl CDataCache::FindDriveLetter(__int64,unsigned short & __ptr64) __ptr64 +?FindDriveLetter@CDataCache@@QEAAH_JAEAG@Z +; public: void __cdecl CTaskData::FindDriveLetter(__int64,unsigned short & __ptr64) __ptr64 +?FindDriveLetter@CTaskData@@QEAAX_JAEAG@Z +; int __cdecl FindDriveLetterHelper(struct driveletterinfo * __ptr64,int,__int64,unsigned short & __ptr64) +?FindDriveLetterHelper@@YAHPEAUdriveletterinfo@@H_JAEAG@Z +; public: int __cdecl CDataCache::FindFileSystem(__int64,struct filesysteminfo & __ptr64) __ptr64 +?FindFileSystem@CDataCache@@QEAAH_JAEAUfilesysteminfo@@@Z +; public: int __cdecl CTaskData::FindFileSystem(__int64,struct filesysteminfo & __ptr64) __ptr64 +?FindFileSystem@CTaskData@@QEAAH_JAEAUfilesysteminfo@@@Z +; public: int __cdecl CDataCache::FindRegionPtrFromRegionId(__int64,class CDMNodeObj * __ptr64 * __ptr64) __ptr64 +?FindRegionPtrFromRegionId@CDataCache@@QEAAH_JPEAPEAVCDMNodeObj@@@Z +; public: int __cdecl CTaskData::FindRegionPtrFromRegionId(__int64,class CDMNodeObj * __ptr64 * __ptr64) __ptr64 +?FindRegionPtrFromRegionId@CTaskData@@QEAAH_JPEAPEAVCDMNodeObj@@@Z +; public: int __cdecl CDataCache::FindRegionPtrOnDiskFromRegionId(class CDMNodeObj * __ptr64,__int64,class CDMNodeObj * __ptr64 * __ptr64,struct __POSITION * __ptr64 & __ptr64) __ptr64 +?FindRegionPtrOnDiskFromRegionId@CDataCache@@QEAAHPEAVCDMNodeObj@@_JPEAPEAV2@AEAPEAU__POSITION@@@Z +; public: int __cdecl CTaskData::GetAssignedDriveLetter(__int64,unsigned short & __ptr64) __ptr64 +?GetAssignedDriveLetter@CTaskData@@QEAAH_JAEAG@Z +; public: int __cdecl CTaskData::GetBootPort(void) __ptr64 +?GetBootPort@CTaskData@@QEAAHXZ +; public: int __cdecl CDMSnapin::GetBottomViewStyle(void) __ptr64 +?GetBottomViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDMNodeObj::GetColorRef(void) __ptr64 +?GetColorRef@CDMNodeObj@@QEAAKXZ +; public: class CDMNodeObj * __ptr64 __cdecl CTaskData::GetDMDataObjPtrFromId(__int64) __ptr64 +?GetDMDataObjPtrFromId@CTaskData@@QEAAPEAVCDMNodeObj@@_J@Z +; public: unsigned long __cdecl CDMNodeObj::GetDeviceState(void) __ptr64 +?GetDeviceState@CDMNodeObj@@QEAAKXZ +; public: unsigned long __cdecl CDMNodeObj::GetDeviceType(void) __ptr64 +?GetDeviceType@CDMNodeObj@@QEAAKXZ +; protected: void __cdecl CDataCache::GetDiskCookies(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?GetDiskCookies@CDataCache@@IEAAXAEAKPEAPEA_J@Z +; public: void __cdecl CTaskData::GetDiskCookies(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64,int,unsigned long,int) __ptr64 +?GetDiskCookies@CTaskData@@QEAAXAEAKPEAPEA_JHKH@Z +; public: void __cdecl CTaskData::GetDiskCookiesForSig(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?GetDiskCookiesForSig@CTaskData@@QEAAXAEAKPEAPEA_J@Z +; public: void __cdecl CTaskData::GetDiskCookiesForUpgrade(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?GetDiskCookiesForUpgrade@CTaskData@@QEAAXAEAKPEAPEA_J@Z +; public: void __cdecl CTaskData::GetDiskCookiesToEncap(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?GetDiskCookiesToEncap@CTaskData@@QEAAXAEAKPEAPEA_J@Z +; public: unsigned long __cdecl CDataCache::GetDiskCount(void) __ptr64 +?GetDiskCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMNodeObj::GetDiskInfo(struct diskinfoex & __ptr64) __ptr64 +?GetDiskInfo@CDMNodeObj@@QEAAHAEAUdiskinfoex@@@Z +; public: void __cdecl CTaskData::GetDiskInfoFromVolCookie(__int64,int & __ptr64,unsigned long & __ptr64,__int64 * __ptr64 * __ptr64,unsigned long,int) __ptr64 +?GetDiskInfoFromVolCookie@CTaskData@@QEAAX_JAEAHAEAKPEAPEA_JKH@Z +; public: int __cdecl CDMSnapin::GetDiskScaling(void) __ptr64 +?GetDiskScaling@CDMSnapin@@QEAAHXZ +; public: int __cdecl CDMNodeObj::GetDiskSpec(struct diskspec & __ptr64) __ptr64 +?GetDiskSpec@CDMNodeObj@@QEAAHAEAUdiskspec@@@Z +; public: int __cdecl CDMNodeObj::GetDiskStatus(class CString & __ptr64) __ptr64 +?GetDiskStatus@CDMNodeObj@@QEAAHAEAVCString@@@Z +; int __cdecl GetDiskStatusHelper(struct diskinfoex * __ptr64,class CString & __ptr64,int) +?GetDiskStatusHelper@@YAHPEAUdiskinfoex@@AEAVCString@@H@Z +; public: void __cdecl CDMNodeObj::GetDiskTypeName(class CString & __ptr64) __ptr64 +?GetDiskTypeName@CDMNodeObj@@QEAAXAEAVCString@@@Z +; void __cdecl GetDiskTypeNameHelper(struct diskinfoex * __ptr64,class CString & __ptr64,unsigned short) +?GetDiskTypeNameHelper@@YAXPEAUdiskinfoex@@AEAVCString@@G@Z +; public: void __cdecl CDMNodeObj::GetDriveLetter(unsigned short & __ptr64) __ptr64 +?GetDriveLetter@CDMNodeObj@@QEAAXAEAG@Z +; protected: void __cdecl CDataCache::GetDriveLetters(short & __ptr64,unsigned short * __ptr64 * __ptr64,unsigned short) __ptr64 +?GetDriveLetters@CDataCache@@IEAAXAEAFPEAPEAGG@Z +; public: void __cdecl CTaskData::GetDriveLetters(short & __ptr64,unsigned short * __ptr64 * __ptr64,unsigned short) __ptr64 +?GetDriveLetters@CTaskData@@QEAAXAEAFPEAPEAGG@Z +; public: unsigned long __cdecl CDMNodeObj::GetExtendedRegionColor(void) __ptr64 +?GetExtendedRegionColor@CDMNodeObj@@QEAAKXZ +; public: int __cdecl CDMNodeObj::GetExtraRegionStatus(class CString & __ptr64,int) __ptr64 +?GetExtraRegionStatus@CDMNodeObj@@QEAAHAEAVCString@@H@Z +; public: void __cdecl CDMNodeObj::GetFileSystemLabel(class CString & __ptr64) __ptr64 +?GetFileSystemLabel@CDMNodeObj@@QEAAXAEAVCString@@@Z +; public: void __cdecl CDMNodeObj::GetFileSystemName(class CString & __ptr64) __ptr64 +?GetFileSystemName@CDMNodeObj@@QEAAXAEAVCString@@@Z +; public: void __cdecl CDMNodeObj::GetFileSystemSize(long & __ptr64) __ptr64 +?GetFileSystemSize@CDMNodeObj@@QEAAXAEAJ@Z +; public: int __cdecl CDMNodeObj::GetFileSystemType(void) __ptr64 +?GetFileSystemType@CDMNodeObj@@QEAAHXZ +; public: void __cdecl CDataCache::GetFileSystemTypes(unsigned long & __ptr64,struct ifilesysteminfo * __ptr64 * __ptr64) __ptr64 +?GetFileSystemTypes@CDataCache@@QEAAXAEAKPEAPEAUifilesysteminfo@@@Z +; public: void __cdecl CTaskData::GetFileSystemTypes(unsigned long & __ptr64,struct ifilesysteminfo * __ptr64 * __ptr64) __ptr64 +?GetFileSystemTypes@CTaskData@@QEAAXAEAKPEAPEAUifilesysteminfo@@@Z +; public: int __cdecl CDMSnapin::GetFilterToggle(void) __ptr64 +?GetFilterToggle@CDMSnapin@@QEAAHXZ +; public: long __cdecl CDMNodeObj::GetFlags(void) __ptr64 +?GetFlags@CDMNodeObj@@QEAAJXZ +; public: short __cdecl CDMNodeObj::GetIVolumeClientVersion(void) __ptr64 +?GetIVolumeClientVersion@CDMNodeObj@@QEAAFXZ +; public: short __cdecl CTaskData::GetIVolumeClientVersion(void) __ptr64 +?GetIVolumeClientVersion@CTaskData@@QEAAFXZ +; public: unsigned int __cdecl CDMNodeObj::GetIconId(int) __ptr64 +?GetIconId@CDMNodeObj@@QEAAIH@Z +; public: int __cdecl CDMNodeObj::GetImageNum(void) __ptr64 +?GetImageNum@CDMNodeObj@@QEAAHXZ +; public: __int64 __cdecl CDataCache::GetLastKnownState(__int64) __ptr64 +?GetLastKnownState@CDataCache@@QEAA_J_J@Z +; public: enum _LAYOUT_TYPES __cdecl CDMNodeObj::GetLayoutType(void) __ptr64 +?GetLayoutType@CDMNodeObj@@QEAA?AW4_LAYOUT_TYPES@@XZ +; public: __int64 __cdecl CDMNodeObj::GetLdmObjectId(void) __ptr64 +?GetLdmObjectId@CDMNodeObj@@QEAA_JXZ +; public: int __cdecl CDMSnapin::GetListBehavior(void) __ptr64 +?GetListBehavior@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDMNodeObj::GetLogicalDriveCount(void) __ptr64 +?GetLogicalDriveCount@CDMNodeObj@@QEAAKXZ +; public: void __cdecl CDMNodeObj::GetLongName(class CString & __ptr64,int) __ptr64 +?GetLongName@CDMNodeObj@@QEAAXAEAVCString@@H@Z +; public: struct HWND__ * __ptr64 __cdecl CDMComponentData::GetMMCWindow(void) __ptr64 +?GetMMCWindow@CDMComponentData@@QEAAPEAUHWND__@@XZ +; public: void __cdecl CDMNodeObj::GetMaxAdjustedFreeSize(__int64 & __ptr64) __ptr64 +?GetMaxAdjustedFreeSize@CDMNodeObj@@QEAAXAEA_J@Z +; public: unsigned long __cdecl CDMNodeObj::GetMaxPartitionCount(void) __ptr64 +?GetMaxPartitionCount@CDMNodeObj@@QEAAKXZ +; protected: void __cdecl CDataCache::GetMinMaxPartitionSizes(__int64,unsigned long & __ptr64,unsigned long & __ptr64) __ptr64 +?GetMinMaxPartitionSizes@CDataCache@@IEAAX_JAEAK1@Z +; public: void __cdecl CTaskData::GetMinMaxPartitionSizes(__int64,unsigned long & __ptr64,unsigned long & __ptr64) __ptr64 +?GetMinMaxPartitionSizes@CTaskData@@QEAAX_JAEAK1@Z +; public: void __cdecl CDMNodeObj::GetName(class CString & __ptr64) __ptr64 +?GetName@CDMNodeObj@@QEAAXAEAVCString@@@Z +; public: unsigned long __cdecl CDMNodeObj::GetNumMembers(void) __ptr64 +?GetNumMembers@CDMNodeObj@@QEAAKXZ +; public: unsigned long __cdecl CDMNodeObj::GetNumRegions(void) __ptr64 +?GetNumRegions@CDMNodeObj@@QEAAKXZ +; public: void __cdecl CDMNodeObj::GetObjectId(__int64 & __ptr64) __ptr64 +?GetObjectId@CDMNodeObj@@QEAAXAEA_J@Z +; public: class CWnd * __ptr64 __cdecl CTaskData::GetOcxFrameCWndPtr(void) __ptr64 +?GetOcxFrameCWndPtr@CTaskData@@QEAAPEAVCWnd@@XZ +; public: class CDMNodeObj * __ptr64 __cdecl CDMNodeObj::GetParentDiskPtr(void) __ptr64 +?GetParentDiskPtr@CDMNodeObj@@QEAAPEAV1@XZ +; public: class CDMNodeObj * __ptr64 __cdecl CDMNodeObj::GetParentVolumePtr(void) __ptr64 +?GetParentVolumePtr@CDMNodeObj@@QEAAPEAV1@XZ +; public: enum _PARTITIONSTYLE __cdecl CDMNodeObj::GetPartitionStyle(void) __ptr64 +?GetPartitionStyle@CDMNodeObj@@QEAA?AW4_PARTITIONSTYLE@@XZ +; public: void __cdecl CDMNodeObj::GetPartitionStyleString(class CString & __ptr64,int) __ptr64 +?GetPartitionStyleString@CDMNodeObj@@QEAAXAEAVCString@@H@Z +; void __cdecl GetPartitionStyleStringHelper(enum _PARTITIONSTYLE,class CString & __ptr64,int,unsigned long,unsigned long,int) +?GetPartitionStyleStringHelper@@YAXW4_PARTITIONSTYLE@@AEAVCString@@HKKH@Z +; public: int __cdecl CDMNodeObj::GetPatternRef(void) __ptr64 +?GetPatternRef@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::GetPort(void) __ptr64 +?GetPort@CDMNodeObj@@QEAAHXZ +; public: unsigned long __cdecl CDMNodeObj::GetPrimaryPartitionCount(void) __ptr64 +?GetPrimaryPartitionCount@CDMNodeObj@@QEAAKXZ +GetPropertyPageData +; public: void __cdecl CTaskData::GetRegionColorStructPtr(struct _REGION_COLORS * __ptr64 * __ptr64,int & __ptr64) __ptr64 +?GetRegionColorStructPtr@CTaskData@@QEAAXPEAPEAU_REGION_COLORS@@AEAH@Z +; public: int __cdecl CDMNodeObj::GetRegionInfo(struct regioninfoex & __ptr64) __ptr64 +?GetRegionInfo@CDMNodeObj@@QEAAHAEAUregioninfoex@@@Z +; public: int __cdecl CDMSnapin::GetRegionScaling(void) __ptr64 +?GetRegionScaling@CDMSnapin@@QEAAHXZ +; public: int __cdecl CDMNodeObj::GetResultStringArray(class CStringArray & __ptr64) __ptr64 +?GetResultStringArray@CDMNodeObj@@QEAAHAEAVCStringArray@@@Z +; public: class CString & __ptr64 __cdecl CServerRequests::GetRevertDiskName(void) __ptr64 +?GetRevertDiskName@CServerRequests@@QEAAAEAVCString@@XZ +; public: class CString __cdecl CDataCache::GetServerName(void) __ptr64 +?GetServerName@CDataCache@@QEAA?AVCString@@XZ +; public: class CString __cdecl CTaskData::GetServerName(void) __ptr64 +?GetServerName@CTaskData@@QEAA?AVCString@@XZ +; public: void __cdecl CDMNodeObj::GetShortName(class CString & __ptr64) __ptr64 +?GetShortName@CDMNodeObj@@QEAAXAEAVCString@@@Z +; public: void __cdecl CDMNodeObj::GetSize(long & __ptr64) __ptr64 +?GetSize@CDMNodeObj@@QEAAXAEAJ@Z +; public: void __cdecl CDMNodeObj::GetSize(__int64 & __ptr64,int) __ptr64 +?GetSize@CDMNodeObj@@QEAAXAEA_JH@Z +; public: void __cdecl CDMNodeObj::GetSizeString(class CString & __ptr64) __ptr64 +?GetSizeString@CDMNodeObj@@QEAAXAEAVCString@@@Z +; public: __int64 __cdecl CDMNodeObj::GetStartOffset(void) __ptr64 +?GetStartOffset@CDMNodeObj@@QEAA_JXZ +; public: int __cdecl CDMNodeObj::GetStatus(void) __ptr64 +?GetStatus@CDMNodeObj@@QEAAHXZ +; public: enum _STORAGE_TYPES __cdecl CDMNodeObj::GetStorageType(void) __ptr64 +?GetStorageType@CDMNodeObj@@QEAA?AW4_STORAGE_TYPES@@XZ +; public: void __cdecl CDMNodeObj::GetStorageType(class CString & __ptr64,int) __ptr64 +?GetStorageType@CDMNodeObj@@QEAAXAEAVCString@@H@Z +; class CString __cdecl GetStringFromRc(unsigned long) +?GetStringFromRc@@YA?AVCString@@K@Z +; public: int __cdecl CDMSnapin::GetTopViewStyle(void) __ptr64 +?GetTopViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CTaskData::GetUIState(void) __ptr64 +?GetUIState@CTaskData@@QEAAKXZ +; public: __int64 __cdecl CDMNodeObj::GetUnallocSpace(int) __ptr64 +?GetUnallocSpace@CDMNodeObj@@QEAA_JH@Z +; protected: void __cdecl CDataCache::GetVolumeCookies(unsigned long & __ptr64,__int64 * __ptr64 * __ptr64) __ptr64 +?GetVolumeCookies@CDataCache@@IEAAXAEAKPEAPEA_J@Z +; public: unsigned long __cdecl CDataCache::GetVolumeCount(void) __ptr64 +?GetVolumeCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMNodeObj::GetVolumeInfo(struct volumeinfo & __ptr64) __ptr64 +?GetVolumeInfo@CDMNodeObj@@QEAAHAEAUvolumeinfo@@@Z +; public: int __cdecl CDMNodeObj::GetVolumeStatus(class CString & __ptr64) __ptr64 +?GetVolumeStatus@CDMNodeObj@@QEAAHAEAVCString@@@Z +; public: int __cdecl CDMSnapin::GetWaitCursor(void) __ptr64 +?GetWaitCursor@CDMSnapin@@QEAAHXZ +; public: int __cdecl CDMNodeObj::HasExtendedPartition(void) __ptr64 +?HasExtendedPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::HasNTFSwithDriveLetter(void) __ptr64 +?HasNTFSwithDriveLetter@CDataCache@@QEAAHXZ +; public: int __cdecl CTaskData::HasNTFSwithDriveLetter(void) __ptr64 +?HasNTFSwithDriveLetter@CTaskData@@QEAAHXZ +; public: int __cdecl CDataCache::HasVMDisk(void) __ptr64 +?HasVMDisk@CDataCache@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsActive(void) __ptr64 +?IsActive@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::IsAlpha(void) __ptr64 +?IsAlpha@CDataCache@@QEAAHXZ +; public: int __cdecl CTaskData::IsAlpha(void) __ptr64 +?IsAlpha@CTaskData@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsCurrBootVolume(void) __ptr64 +?IsCurrBootVolume@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsCurrSystemVolume(void) __ptr64 +?IsCurrSystemVolume@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsDiskEmpty(void) __ptr64 +?IsDiskEmpty@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::IsDynamic1394(void) __ptr64 +?IsDynamic1394@CDataCache@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsEECoveredGPTDisk(void) __ptr64 +?IsEECoveredGPTDisk@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsESPPartition(void) __ptr64 +?IsESPPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::IsEfi(void) __ptr64 +?IsEfi@CDataCache@@QEAAHXZ +; public: int __cdecl CTaskData::IsEfi(void) __ptr64 +?IsEfi@CTaskData@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsFTVolume(void) __ptr64 +?IsFTVolume@CDMNodeObj@@QEAAHXZ +IsFailPopupMgmtSupported +; public: int __cdecl CDMNodeObj::IsFakeVolume(void) __ptr64 +?IsFakeVolume@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsFirstFreeRegion(void) __ptr64 +?IsFirstFreeRegion@CDMNodeObj@@QEAAHXZ +; int __cdecl IsHiddenRegion(struct regioninfoex & __ptr64) +?IsHiddenRegion@@YAHAEAUregioninfoex@@@Z +; public: int __cdecl CDMNodeObj::IsHiddenRegion(void) __ptr64 +?IsHiddenRegion@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsInFlux(void) __ptr64 +?IsInFlux@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CTaskData::IsLocalMachine(void) __ptr64 +?IsLocalMachine@CTaskData@@QEAAHXZ +; int __cdecl IsMbrEEPartition(struct regioninfoex & __ptr64) +?IsMbrEEPartition@@YAHAEAUregioninfoex@@@Z +; public: int __cdecl CDMNodeObj::IsMbrEEPartition(void) __ptr64 +?IsMbrEEPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsMember(class CDMNodeObj * __ptr64) __ptr64 +?IsMember@CDMNodeObj@@QEAAHPEAV1@@Z +; public: int __cdecl CDMNodeObj::IsNEC_98Disk(void) __ptr64 +?IsNEC_98Disk@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::IsNEC_98Server(void) __ptr64 +?IsNEC_98Server@CDataCache@@QEAAHXZ +; public: int __cdecl CTaskData::IsNEC_98Server(void) __ptr64 +?IsNEC_98Server@CTaskData@@QEAAHXZ +; public: int __cdecl CTaskData::IsNTServer(void) __ptr64 +?IsNTServer@CTaskData@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsOemPartition(void) __ptr64 +?IsOemPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDataCache::IsPersonalOrLapTopServer(void) __ptr64 +?IsPersonalOrLapTopServer@CDataCache@@QEAAHXZ +IsRequestPending +; public: int __cdecl CDMNodeObj::IsRevertable(void) __ptr64 +?IsRevertable@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CTaskData::IsSecureSystemPartition(void) __ptr64 +?IsSecureSystemPartition@CTaskData@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsUnknownPartition(void) __ptr64 +?IsUnknownPartition@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CDMNodeObj::IsUpgradeable(void) __ptr64 +?IsUpgradeable@CDMNodeObj@@QEAAHXZ +; public: int __cdecl CTaskData::IsWolfpack(void) __ptr64 +?IsWolfpack@CTaskData@@QEAAHXZ +; public: void __cdecl CDMComponentData::LoadData(long) __ptr64 +?LoadData@CDMComponentData@@QEAAXJ@Z +LoadPropertyPageData +; void __cdecl ParseDeviceName(int * __ptr64,int * __ptr64,int * __ptr64,unsigned short * __ptr64) +?ParseDeviceName@@YAXPEAH00PEAG@Z +; public: void __cdecl CContextMenu::PopUpInit(class CDMNodeObj * __ptr64,int & __ptr64,int) __ptr64 +?PopUpInit@CContextMenu@@QEAAXPEAVCDMNodeObj@@AEAHH@Z +; public: void __cdecl CDataCache::PopulateDiskGroupData(struct DISK_GROUP_DATA * __ptr64) __ptr64 +?PopulateDiskGroupData@CDataCache@@QEAAXPEAUDISK_GROUP_DATA@@@Z +; public: void __cdecl CDataCache::PopulateEncapsulateData(struct ENCAPSULATE_DATA * __ptr64) __ptr64 +?PopulateEncapsulateData@CDataCache@@QEAAXPEAUENCAPSULATE_DATA@@@Z +; public: void __cdecl CDMNodeObj::RecalculateSpace(void) __ptr64 +?RecalculateSpace@CDMNodeObj@@QEAAXXZ +; public: void __cdecl CDMComponentData::RefreshDiskView(void) __ptr64 +?RefreshDiskView@CDMComponentData@@QEAAXXZ +; public: void __cdecl CContextMenu::RefreshFileSys(__int64) __ptr64 +?RefreshFileSys@CContextMenu@@QEAAX_J@Z +; public: void __cdecl CDMComponentData::ReloadData(void) __ptr64 +?ReloadData@CDMComponentData@@QEAAXXZ +; __int64 __cdecl RoundUpToMB(__int64) +?RoundUpToMB@@YA_J_J@Z +; public: void __cdecl CDMSnapin::SetDescriptionBarText(void) __ptr64 +?SetDescriptionBarText@CDMSnapin@@QEAAXXZ +; public: void __cdecl CDataCache::SetDiskList(struct diskinfoex * __ptr64,unsigned long) __ptr64 +?SetDiskList@CDataCache@@QEAAXPEAUdiskinfoex@@K@Z +; public: void __cdecl CDataCache::SetDriveLetterInUse(unsigned short,int) __ptr64 +?SetDriveLetterInUse@CDataCache@@QEAAXGH@Z +; public: void __cdecl CDMNodeObj::SetFSId(__int64) __ptr64 +?SetFSId@CDMNodeObj@@QEAAX_J@Z +; public: void __cdecl CDMComponentData::SetOcxViewType(void) __ptr64 +?SetOcxViewType@CDMComponentData@@QEAAXXZ +; public: void __cdecl CDMComponentData::SetOcxViewTypeForce(void) __ptr64 +?SetOcxViewTypeForce@CDMComponentData@@QEAAXXZ +; public: void __cdecl CTaskData::SetUIState(unsigned long) __ptr64 +?SetUIState@CTaskData@@QEAAXK@Z +; public: void __cdecl CDataCache::SetVolumeList(struct volumeinfo * __ptr64,unsigned long) __ptr64 +?SetVolumeList@CDataCache@@QEAAXPEAUvolumeinfo@@K@Z +; public: long __cdecl CContextMenu::ShowContextMenu(class CWnd * __ptr64,long,long,__int64) __ptr64 +?ShowContextMenu@CContextMenu@@QEAAJPEAVCWnd@@JJ_J@Z +; public: int __cdecl CDataCache::SupportGpt(void) __ptr64 +?SupportGpt@CDataCache@@QEAAHXZ +; public: int __cdecl CTaskData::SupportGpt(void) __ptr64 +?SupportGpt@CTaskData@@QEAAHXZ +; public: void __cdecl CDMComponentData::UIStateChange(unsigned long) __ptr64 +?UIStateChange@CDMComponentData@@QEAAXK@Z +; public: void __cdecl CDMSnapin::UpDateConsoleView(void) __ptr64 +?UpDateConsoleView@CDMSnapin@@QEAAXXZ +; public: int __cdecl CDMNodeObj::VolumeContainsActiveRegion(void) __ptr64 +?VolumeContainsActiveRegion@CDMNodeObj@@QEAAHXZ +; int __cdecl namecmp(unsigned short const * __ptr64,unsigned short const * __ptr64) +?namecmp@@YAHPEBG0@Z +DllCanUnloadNow +DllGetClassObject +DllRegisterServer diff --git a/lib/libc/mingw/lib64/dmivcitf.def b/lib/libc/mingw/lib64/dmivcitf.def new file mode 100644 index 0000000000..2a4661b75d --- /dev/null +++ b/lib/libc/mingw/lib64/dmivcitf.def @@ -0,0 +1,42 @@ +; +; Exports of file dmivcitf.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dmivcitf.dll +EXPORTS +; public: void __cdecl CDataCache::AddLDMObjMapEntry(struct _LDM_OBJ_MAP_ENTRY * __ptr64) __ptr64 +?AddLDMObjMapEntry@CDataCache@@QEAAXPEAU_LDM_OBJ_MAP_ENTRY@@@Z +CreateDataCacheX +CreateServerRequestsX +; public: int __cdecl CDMSnapin::GetBottomViewStyle(void) __ptr64 +?GetBottomViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDataCache::GetDiskCount(void) __ptr64 +?GetDiskCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMSnapin::GetDiskScaling(void) __ptr64 +?GetDiskScaling@CDMSnapin@@QEAAHXZ +; public: int __cdecl CDMSnapin::GetFilterToggle(void) __ptr64 +?GetFilterToggle@CDMSnapin@@QEAAHXZ +; public: __int64 __cdecl CDMNodeObj::GetLdmObjectId(void) __ptr64 +?GetLdmObjectId@CDMNodeObj@@QEAA_JXZ +; public: int __cdecl CDMSnapin::GetListBehavior(void) __ptr64 +?GetListBehavior@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDMNodeObj::GetNumMembers(void) __ptr64 +?GetNumMembers@CDMNodeObj@@QEAAKXZ +; public: class CWnd * __ptr64 __cdecl CTaskData::GetOcxFrameCWndPtr(void) __ptr64 +?GetOcxFrameCWndPtr@CTaskData@@QEAAPEAVCWnd@@XZ +; public: void __cdecl CTaskData::GetRegionColorStructPtr(struct _REGION_COLORS * __ptr64 * __ptr64,int & __ptr64) __ptr64 +?GetRegionColorStructPtr@CTaskData@@QEAAXPEAPEAU_REGION_COLORS@@AEAH@Z +; public: int __cdecl CDMSnapin::GetRegionScaling(void) __ptr64 +?GetRegionScaling@CDMSnapin@@QEAAHXZ +; public: class CString __cdecl CDataCache::GetServerName(void) __ptr64 +?GetServerName@CDataCache@@QEAA?AVCString@@XZ +; public: int __cdecl CDMSnapin::GetTopViewStyle(void) __ptr64 +?GetTopViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDataCache::GetVolumeCount(void) __ptr64 +?GetVolumeCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMSnapin::GetWaitCursor(void) __ptr64 +?GetWaitCursor@CDMSnapin@@QEAAHXZ +HrGetErrorData +LoadPropertyPageData diff --git a/lib/libc/mingw/lib64/dmvdsitf.def b/lib/libc/mingw/lib64/dmvdsitf.def new file mode 100644 index 0000000000..7c7747aaa5 --- /dev/null +++ b/lib/libc/mingw/lib64/dmvdsitf.def @@ -0,0 +1,40 @@ +; +; Exports of file dmivcitf.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dmivcitf.dll +EXPORTS +; public: void __cdecl CDataCache::AddLDMObjMapEntry(struct _LDM_OBJ_MAP_ENTRY * __ptr64) __ptr64 +?AddLDMObjMapEntry@CDataCache@@QEAAXPEAU_LDM_OBJ_MAP_ENTRY@@@Z +CreateDataCacheZ +CreateServerRequestsZ +; public: int __cdecl CDMSnapin::GetBottomViewStyle(void) __ptr64 +?GetBottomViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDataCache::GetDiskCount(void) __ptr64 +?GetDiskCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMSnapin::GetDiskScaling(void) __ptr64 +?GetDiskScaling@CDMSnapin@@QEAAHXZ +; public: int __cdecl CDMSnapin::GetFilterToggle(void) __ptr64 +?GetFilterToggle@CDMSnapin@@QEAAHXZ +; public: __int64 __cdecl CDMNodeObj::GetLdmObjectId(void) __ptr64 +?GetLdmObjectId@CDMNodeObj@@QEAA_JXZ +; public: int __cdecl CDMSnapin::GetListBehavior(void) __ptr64 +?GetListBehavior@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDMNodeObj::GetNumMembers(void) __ptr64 +?GetNumMembers@CDMNodeObj@@QEAAKXZ +; public: class CWnd * __ptr64 __cdecl CTaskData::GetOcxFrameCWndPtr(void) __ptr64 +?GetOcxFrameCWndPtr@CTaskData@@QEAAPEAVCWnd@@XZ +; public: void __cdecl CTaskData::GetRegionColorStructPtr(struct _REGION_COLORS * __ptr64 * __ptr64,int & __ptr64) __ptr64 +?GetRegionColorStructPtr@CTaskData@@QEAAXPEAPEAU_REGION_COLORS@@AEAH@Z +; public: int __cdecl CDMSnapin::GetRegionScaling(void) __ptr64 +?GetRegionScaling@CDMSnapin@@QEAAHXZ +; public: class CString __cdecl CDataCache::GetServerName(void) __ptr64 +?GetServerName@CDataCache@@QEAA?AVCString@@XZ +; public: int __cdecl CDMSnapin::GetTopViewStyle(void) __ptr64 +?GetTopViewStyle@CDMSnapin@@QEAAHXZ +; public: unsigned long __cdecl CDataCache::GetVolumeCount(void) __ptr64 +?GetVolumeCount@CDataCache@@QEAAKXZ +; public: int __cdecl CDMSnapin::GetWaitCursor(void) __ptr64 +?GetWaitCursor@CDMSnapin@@QEAAHXZ diff --git a/lib/libc/mingw/lib64/dpapi.def b/lib/libc/mingw/lib64/dpapi.def new file mode 100644 index 0000000000..2cef0306e2 --- /dev/null +++ b/lib/libc/mingw/lib64/dpapi.def @@ -0,0 +1,14 @@ +; +; Definition file of DPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "DPAPI.dll" +EXPORTS +CryptProtectDataNoUI +CryptProtectMemory +CryptResetMachineCredentials +CryptUnprotectDataNoUI +CryptUnprotectMemory +CryptUpdateProtectedState +iCryptIdentifyProtection diff --git a/lib/libc/mingw/lib64/dpnaddr.def b/lib/libc/mingw/lib64/dpnaddr.def new file mode 100644 index 0000000000..f2d6d42394 --- /dev/null +++ b/lib/libc/mingw/lib64/dpnaddr.def @@ -0,0 +1,9 @@ +; +; Exports of file dpnaddr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY dpnaddr.dll +EXPORTS +DirectPlay8AddressCreate diff --git a/lib/libc/mingw/lib64/dpnet.def b/lib/libc/mingw/lib64/dpnet.def new file mode 100644 index 0000000000..cb35bff0d5 --- /dev/null +++ b/lib/libc/mingw/lib64/dpnet.def @@ -0,0 +1,13 @@ +; +; Exports of file DPNet.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DPNet.dll +EXPORTS +DirectPlay8Create +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/dpnhupnp.def b/lib/libc/mingw/lib64/dpnhupnp.def new file mode 100644 index 0000000000..f3e7caa6a8 --- /dev/null +++ b/lib/libc/mingw/lib64/dpnhupnp.def @@ -0,0 +1,13 @@ +; +; Exports of file DPNHUPNP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DPNHUPNP.dll +EXPORTS +DirectPlayNATHelpCreate +DllRegisterServer +DllCanUnloadNow +DllGetClassObject +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/dpnlobby.def b/lib/libc/mingw/lib64/dpnlobby.def new file mode 100644 index 0000000000..4497d929b2 --- /dev/null +++ b/lib/libc/mingw/lib64/dpnlobby.def @@ -0,0 +1,9 @@ +; +; Exports of file DPNLobby.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DPNLobby.dll +EXPORTS +DirectPlay8LobbyCreate diff --git a/lib/libc/mingw/lib64/dpvoice.def b/lib/libc/mingw/lib64/dpvoice.def new file mode 100644 index 0000000000..aa024ccfa2 --- /dev/null +++ b/lib/libc/mingw/lib64/dpvoice.def @@ -0,0 +1,13 @@ +; +; Exports of file DPVOICE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DPVOICE.dll +EXPORTS +DirectPlayVoiceCreate +DllRegisterServer +DllCanUnloadNow +DllGetClassObject +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/ds32gt.def b/lib/libc/mingw/lib64/ds32gt.def new file mode 100644 index 0000000000..4a8c20724d --- /dev/null +++ b/lib/libc/mingw/lib64/ds32gt.def @@ -0,0 +1,9 @@ +; +; Exports of file DS32GT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DS32GT.dll +EXPORTS +Dispatch diff --git a/lib/libc/mingw/lib64/dsound3d.def b/lib/libc/mingw/lib64/dsound3d.def new file mode 100644 index 0000000000..961031df44 --- /dev/null +++ b/lib/libc/mingw/lib64/dsound3d.def @@ -0,0 +1,9 @@ +; +; Exports of file DSOUND3D.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY DSOUND3D.dll +EXPORTS +CafBiquadCoeffs diff --git a/lib/libc/mingw/lib64/es.def b/lib/libc/mingw/lib64/es.def new file mode 100644 index 0000000000..fc770abfd5 --- /dev/null +++ b/lib/libc/mingw/lib64/es.def @@ -0,0 +1,18 @@ +; +; Exports of file ES.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ES.dll +EXPORTS +NotifyLogoffUser +NotifyLogonUser +ServiceMain +LCEControlServer +RegisterTheEventServiceDuringSetup +RegisterTheEventServiceAfterSetup +DllRegisterServer +DllUnregisterServer +DllCanUnloadNow +DllGetClassObject diff --git a/lib/libc/mingw/lib64/esent.def b/lib/libc/mingw/lib64/esent.def deleted file mode 100644 index b8d54d2b01..0000000000 --- a/lib/libc/mingw/lib64/esent.def +++ /dev/null @@ -1,318 +0,0 @@ -; -; Definition file of ESENT.dll -; Automatic generated by gendef -; written by Kai Tietz 2008 -; -LIBRARY "ESENT.dll" -EXPORTS -JetAddColumn -JetAddColumnA -JetAddColumnW -JetAttachDatabase -JetAttachDatabase2 -JetAttachDatabase2A -JetAttachDatabase2W -JetAttachDatabaseA -JetAttachDatabaseW -JetAttachDatabaseWithStreaming -JetAttachDatabaseWithStreamingA -JetAttachDatabaseWithStreamingW -JetBackup -JetBackupA -JetBackupInstance -JetBackupInstanceA -JetBackupInstanceW -JetBackupW -JetBeginExternalBackup -JetBeginExternalBackupInstance -JetBeginSession -JetBeginSessionA -JetBeginSessionW -JetBeginTransaction -JetBeginTransaction2 -JetCloseDatabase -JetCloseFile -JetCloseFileInstance -JetCloseTable -JetCommitTransaction -JetCompact -JetCompactA -JetCompactW -JetComputeStats -JetConvertDDL -JetConvertDDLA -JetConvertDDLW -JetCreateDatabase -JetCreateDatabase2 -JetCreateDatabase2A -JetCreateDatabase2W -JetCreateDatabaseA -JetCreateDatabaseW -JetCreateDatabaseWithStreaming -JetCreateDatabaseWithStreamingA -JetCreateDatabaseWithStreamingW -JetCreateIndex -JetCreateIndex2 -JetCreateIndex2A -JetCreateIndex2W -JetCreateIndexA -JetCreateIndexW -JetCreateInstance -JetCreateInstance2 -JetCreateInstance2A -JetCreateInstance2W -JetCreateInstanceA -JetCreateInstanceW -JetCreateTable -JetCreateTableA -JetCreateTableColumnIndex -JetCreateTableColumnIndex2 -JetCreateTableColumnIndex2A -JetCreateTableColumnIndex2W -JetCreateTableColumnIndexA -JetCreateTableColumnIndexW -JetCreateTableW -JetDBUtilities -JetDBUtilitiesA -JetDBUtilitiesW -JetDefragment -JetDefragment2 -JetDefragment2A -JetDefragment2W -JetDefragment3 -JetDefragment3A -JetDefragment3W -JetDefragmentA -JetDefragmentW -JetDelete -JetDeleteColumn -JetDeleteColumn2 -JetDeleteColumn2A -JetDeleteColumn2W -JetDeleteColumnA -JetDeleteColumnW -JetDeleteIndex -JetDeleteIndexA -JetDeleteIndexW -JetDeleteTable -JetDeleteTableA -JetDeleteTableW -JetDetachDatabase -JetDetachDatabase2 -JetDetachDatabase2A -JetDetachDatabase2W -JetDetachDatabaseA -JetDetachDatabaseW -JetDupCursor -JetDupSession -JetEnableMultiInstance -JetEnableMultiInstanceA -JetEnableMultiInstanceW -JetEndExternalBackup -JetEndExternalBackupInstance -JetEndExternalBackupInstance2 -JetEndSession -JetEnumerateColumns -JetEscrowUpdate -JetExternalRestore -JetExternalRestore2 -JetExternalRestore2A -JetExternalRestore2W -JetExternalRestoreA -JetExternalRestoreW -JetFreeBuffer -JetGetAttachInfo -JetGetAttachInfoA -JetGetAttachInfoInstance -JetGetAttachInfoInstanceA -JetGetAttachInfoInstanceW -JetGetAttachInfoW -JetGetBookmark -JetGetColumnInfo -JetGetColumnInfoA -JetGetColumnInfoW -JetGetCounter -JetGetCurrentIndex -JetGetCurrentIndexA -JetGetCurrentIndexW -JetGetCursorInfo -JetGetDatabaseFileInfo -JetGetDatabaseFileInfoA -JetGetDatabaseFileInfoW -JetGetDatabaseInfo -JetGetDatabaseInfoA -JetGetDatabaseInfoW -JetGetDatabasePages -JetGetIndexInfo -JetGetIndexInfoA -JetGetIndexInfoW -JetGetInstanceInfo -JetGetInstanceInfoA -JetGetInstanceInfoW -JetGetInstanceMiscInfo -JetGetLS -JetGetLock -JetGetLogFileInfo -JetGetLogFileInfoA -JetGetLogFileInfoW -JetGetLogInfo -JetGetLogInfoA -JetGetLogInfoInstance -JetGetLogInfoInstance2 -JetGetLogInfoInstance2A -JetGetLogInfoInstance2W -JetGetLogInfoInstanceA -JetGetLogInfoInstanceW -JetGetLogInfoW -JetGetMaxDatabaseSize -JetGetObjectInfo -JetGetObjectInfoA -JetGetObjectInfoW -JetGetPageInfo -JetGetRecordPosition -JetGetRecordSize -JetGetResourceParam -JetGetSecondaryIndexBookmark -JetGetSessionInfo -JetGetSystemParameter -JetGetSystemParameterA -JetGetSystemParameterW -JetGetTableColumnInfo -JetGetTableColumnInfoA -JetGetTableColumnInfoW -JetGetTableIndexInfo -JetGetTableIndexInfoA -JetGetTableIndexInfoW -JetGetTableInfo -JetGetTableInfoA -JetGetTableInfoW -JetGetThreadStats -JetGetTruncateLogInfoInstance -JetGetTruncateLogInfoInstanceA -JetGetTruncateLogInfoInstanceW -JetGetVersion -JetGotoBookmark -JetGotoPosition -JetGotoSecondaryIndexBookmark -JetGrowDatabase -JetIdle -JetIndexRecordCount -JetInit -JetInit2 -JetInit3 -JetInit3A -JetInit3W -JetIntersectIndexes -JetMakeKey -JetMove -JetOSSnapshotAbort -JetOSSnapshotEnd -JetOSSnapshotFreeze -JetOSSnapshotFreezeA -JetOSSnapshotFreezeW -JetOSSnapshotGetFreezeInfo -JetOSSnapshotGetFreezeInfoA -JetOSSnapshotGetFreezeInfoW -JetOSSnapshotPrepare -JetOSSnapshotPrepareInstance -JetOSSnapshotThaw -JetOSSnapshotTruncateLog -JetOSSnapshotTruncateLogInstance -JetOpenDatabase -JetOpenDatabaseA -JetOpenDatabaseW -JetOpenFile -JetOpenFileA -JetOpenFileInstance -JetOpenFileInstanceA -JetOpenFileInstanceW -JetOpenFileSectionInstance -JetOpenFileSectionInstanceA -JetOpenFileSectionInstanceW -JetOpenFileW -JetOpenTable -JetOpenTableA -JetOpenTableW -JetOpenTempTable -JetOpenTempTable2 -JetOpenTempTable3 -JetOpenTemporaryTable -JetPrepareToCommitTransaction -JetPrepareUpdate -JetReadFile -JetReadFileInstance -JetRegisterCallback -JetRenameColumn -JetRenameColumnA -JetRenameColumnW -JetRenameTable -JetRenameTableA -JetRenameTableW -JetResetCounter -JetResetSessionContext -JetResetTableSequential -JetRestore -JetRestore2 -JetRestore2A -JetRestore2W -JetRestoreA -JetRestoreInstance -JetRestoreInstanceA -JetRestoreInstanceW -JetRestoreW -JetRetrieveColumn -JetRetrieveColumns -JetRetrieveKey -JetRetrieveTaggedColumnList -JetRollback -JetSeek -JetSetColumn -JetSetColumnDefaultValue -JetSetColumnDefaultValueA -JetSetColumnDefaultValueW -JetSetColumns -JetSetCurrentIndex -JetSetCurrentIndex2 -JetSetCurrentIndex2A -JetSetCurrentIndex2W -JetSetCurrentIndex3 -JetSetCurrentIndex3A -JetSetCurrentIndex3W -JetSetCurrentIndex4 -JetSetCurrentIndex4A -JetSetCurrentIndex4W -JetSetCurrentIndexA -JetSetCurrentIndexW -JetSetDatabaseSize -JetSetDatabaseSizeA -JetSetDatabaseSizeW -JetSetIndexRange -JetSetLS -JetSetMaxDatabaseSize -JetSetResourceParam -JetSetSessionContext -JetSetSystemParameter -JetSetSystemParameterA -JetSetSystemParameterW -JetSetTableSequential -JetSnapshotStart -JetSnapshotStartA -JetSnapshotStartW -JetSnapshotStop -JetStopBackup -JetStopBackupInstance -JetStopService -JetStopServiceInstance -JetTerm -JetTerm2 -JetTracing -JetTruncateLog -JetTruncateLogInstance -JetUnregisterCallback -JetUpdate -JetUpdate2 -JetUpgradeDatabase -JetUpgradeDatabaseA -JetUpgradeDatabaseW -ese -esent diff --git a/lib/libc/mingw/lib64/eventlog.def b/lib/libc/mingw/lib64/eventlog.def new file mode 100644 index 0000000000..5a9ed0b0cc --- /dev/null +++ b/lib/libc/mingw/lib64/eventlog.def @@ -0,0 +1,9 @@ +; +; Exports of file eventlog.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY eventlog.dll +EXPORTS +SvcEntry_Eventlog diff --git a/lib/libc/mingw/lib64/evntagnt.def b/lib/libc/mingw/lib64/evntagnt.def new file mode 100644 index 0000000000..70ab4363bb --- /dev/null +++ b/lib/libc/mingw/lib64/evntagnt.def @@ -0,0 +1,12 @@ +; +; Exports of file snmpelea.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY snmpelea.dll +EXPORTS +SnmpExtensionClose +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/exstrace.def b/lib/libc/mingw/lib64/exstrace.def new file mode 100644 index 0000000000..fddf39f98c --- /dev/null +++ b/lib/libc/mingw/lib64/exstrace.def @@ -0,0 +1,21 @@ +; +; Exports of file exstrace.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY exstrace.dll +EXPORTS +AsyncBinaryTrace +AsyncStringTrace +DebugAssert +DllMain +FlushAsyncTrace +InitAsyncTrace +SetAsyncTraceParams +SetAsyncTraceParamsEx +TermAsyncTrace +__dwEnabledTraces DATA +g_TestTrace +g_TestTraceDisable +g_TestTraceEnable diff --git a/lib/libc/mingw/lib64/fastprox.def b/lib/libc/mingw/lib64/fastprox.def new file mode 100644 index 0000000000..75b7eb95c3 --- /dev/null +++ b/lib/libc/mingw/lib64/fastprox.def @@ -0,0 +1,3113 @@ +; +; Exports of file FastProx.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FastProx.dll +EXPORTS +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWmiObjectTextSrc * __ptr64) __ptr64 +??0?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@QEAA@PEAVCWmiObjectTextSrc@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWbemRefreshingSvc * __ptr64) __ptr64 +??0?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@QEAA@PEAVCWbemRefreshingSvc@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWbemRemoteRefresher * __ptr64) __ptr64 +??0?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@QEAA@PEAVCWbemRemoteRefresher@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWbemRefreshingSvc * __ptr64) __ptr64 +??0?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@QEAA@PEAVCWbemRefreshingSvc@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWbemEnumMarshaling * __ptr64) __ptr64 +??0?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@QEAA@PEAVCWbemEnumMarshaling@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWbemFetchRefrMgr * __ptr64) __ptr64 +??0?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@QEAA@PEAVCWbemFetchRefrMgr@@@Z +; public: __cdecl CImpl::CImpl(class CImpl const & __ptr64) __ptr64 +??0?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@QEAA@AEBV0@@Z +; public: __cdecl CImpl::CImpl(class CWmiObjectFactory * __ptr64) __ptr64 +??0?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@QEAA@PEAVCWmiObjectFactory@@@Z +; public: __cdecl CPointerArray,class CFlexArray>::CPointerArray,class CFlexArray>(class CPointerArray,class CFlexArray> & __ptr64) __ptr64 +??0?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAA@AEAV0@@Z +; public: __cdecl CPointerArray,class CFlexArray>::CPointerArray,class CFlexArray>(class CReferenceManager const & __ptr64) __ptr64 +??0?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAA@AEBV?$CReferenceManager@VCFastPropertyBagItem@@@@@Z +; public: __cdecl CPointerArray,class CFlexArray>::CPointerArray,class CFlexArray>(class CPointerArray,class CFlexArray> & __ptr64) __ptr64 +??0?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAA@AEAV0@@Z +; public: __cdecl CPointerArray,class CFlexArray>::CPointerArray,class CFlexArray>(class CReferenceManager const & __ptr64) __ptr64 +??0?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAA@AEBV?$CReferenceManager@VCWmiTextSource@@@@@Z +; public: __cdecl CRefedPointerArray::CRefedPointerArray(class CRefedPointerArray & __ptr64) __ptr64 +??0?$CRefedPointerArray@VCFastPropertyBagItem@@@@QEAA@AEAV0@@Z +; public: __cdecl CRefedPointerArray::CRefedPointerArray(void) __ptr64 +??0?$CRefedPointerArray@VCFastPropertyBagItem@@@@QEAA@XZ +; public: __cdecl CRefedPointerArray::CRefedPointerArray(class CRefedPointerArray & __ptr64) __ptr64 +??0?$CRefedPointerArray@VCWmiTextSource@@@@QEAA@AEAV0@@Z +; public: __cdecl CRefedPointerArray::CRefedPointerArray(void) __ptr64 +??0?$CRefedPointerArray@VCWmiTextSource@@@@QEAA@XZ +; public: __cdecl CBasicQualifierSet::CBasicQualifierSet(void) __ptr64 +??0CBasicQualifierSet@@QEAA@XZ +; public: __cdecl CClassAndMethods::CClassAndMethods(class CClassAndMethods const & __ptr64) __ptr64 +??0CClassAndMethods@@QEAA@AEBV0@@Z +; public: __cdecl CClassAndMethods::CClassAndMethods(void) __ptr64 +??0CClassAndMethods@@QEAA@XZ +; public: __cdecl CClassPart::CClassPart(class CClassPart const & __ptr64) __ptr64 +??0CClassPart@@QEAA@AEBV0@@Z +; public: __cdecl CClassPart::CClassPart(void) __ptr64 +??0CClassPart@@QEAA@XZ +; public: __cdecl CClassPartContainer::CClassPartContainer(class CClassPartContainer const & __ptr64) __ptr64 +??0CClassPartContainer@@QEAA@AEBV0@@Z +; public: __cdecl CClassPartContainer::CClassPartContainer(void) __ptr64 +??0CClassPartContainer@@QEAA@XZ +; public: __cdecl CClassQualifierSet::CClassQualifierSet(class CClassQualifierSet const & __ptr64) __ptr64 +??0CClassQualifierSet@@QEAA@AEBV0@@Z +; public: __cdecl CClassQualifierSet::CClassQualifierSet(int) __ptr64 +??0CClassQualifierSet@@QEAA@H@Z +; public: __cdecl CDecorationPart::CDecorationPart(void) __ptr64 +??0CDecorationPart@@QEAA@XZ +; public: __cdecl CFastPropertyBag::CFastPropertyBag(class CFastPropertyBag & __ptr64) __ptr64 +??0CFastPropertyBag@@QEAA@AEAV0@@Z +; public: __cdecl CFastPropertyBag::CFastPropertyBag(void) __ptr64 +??0CFastPropertyBag@@QEAA@XZ +; public: __cdecl CFixedBSTRArray::CFixedBSTRArray(void) __ptr64 +??0CFixedBSTRArray@@QEAA@XZ +; public: __cdecl CHiPerfLock::CHiPerfLock(void) __ptr64 +??0CHiPerfLock@@QEAA@XZ +; public: __cdecl CInstancePQSContainer::CInstancePQSContainer(class CInstancePQSContainer const & __ptr64) __ptr64 +??0CInstancePQSContainer@@QEAA@AEBV0@@Z +; public: __cdecl CInstancePQSContainer::CInstancePQSContainer(void) __ptr64 +??0CInstancePQSContainer@@QEAA@XZ +; public: __cdecl CInstancePart::CInstancePart(class CInstancePart const & __ptr64) __ptr64 +??0CInstancePart@@QEAA@AEBV0@@Z +; public: __cdecl CInstancePart::CInstancePart(void) __ptr64 +??0CInstancePart@@QEAA@XZ +; public: __cdecl CInstancePartContainer::CInstancePartContainer(class CInstancePartContainer const & __ptr64) __ptr64 +??0CInstancePartContainer@@QEAA@AEBV0@@Z +; public: __cdecl CInstancePartContainer::CInstancePartContainer(void) __ptr64 +??0CInstancePartContainer@@QEAA@XZ +; public: __cdecl CInstanceQualifierSet::CInstanceQualifierSet(class CInstanceQualifierSet const & __ptr64) __ptr64 +??0CInstanceQualifierSet@@QEAA@AEBV0@@Z +; public: __cdecl CInstanceQualifierSet::CInstanceQualifierSet(int) __ptr64 +??0CInstanceQualifierSet@@QEAA@H@Z +; public: __cdecl CInternalString::CInternalString(class CInternalString const & __ptr64) __ptr64 +??0CInternalString@@QEAA@AEBV0@@Z +; public: __cdecl CInternalString::CInternalString(unsigned short const * __ptr64) __ptr64 +??0CInternalString@@QEAA@PEBG@Z +; public: __cdecl CInternalString::CInternalString(void) __ptr64 +??0CInternalString@@QEAA@XZ +; public: __cdecl CLimitationMapping::CLimitationMapping(class CLimitationMapping & __ptr64) __ptr64 +??0CLimitationMapping@@QEAA@AEAV0@@Z +; public: __cdecl CLimitationMapping::CLimitationMapping(void) __ptr64 +??0CLimitationMapping@@QEAA@XZ +; public: __cdecl CMethodPart::CMethodPart(class CMethodPart const & __ptr64) __ptr64 +??0CMethodPart@@QEAA@AEBV0@@Z +; public: __cdecl CMethodPart::CMethodPart(void) __ptr64 +??0CMethodPart@@QEAA@XZ +; public: __cdecl CMethodPartContainer::CMethodPartContainer(class CMethodPartContainer const & __ptr64) __ptr64 +??0CMethodPartContainer@@QEAA@AEBV0@@Z +; public: __cdecl CMethodPartContainer::CMethodPartContainer(void) __ptr64 +??0CMethodPartContainer@@QEAA@XZ +; public: __cdecl CMethodQualifierSet::CMethodQualifierSet(class CMethodQualifierSet const & __ptr64) __ptr64 +??0CMethodQualifierSet@@QEAA@AEBV0@@Z +; public: __cdecl CMethodQualifierSet::CMethodQualifierSet(void) __ptr64 +??0CMethodQualifierSet@@QEAA@XZ +; public: __cdecl CMethodQualifierSetContainer::CMethodQualifierSetContainer(class CMethodQualifierSetContainer const & __ptr64) __ptr64 +??0CMethodQualifierSetContainer@@QEAA@AEBV0@@Z +; public: __cdecl CMethodQualifierSetContainer::CMethodQualifierSetContainer(void) __ptr64 +??0CMethodQualifierSetContainer@@QEAA@XZ +; public: __cdecl CPropertyBagItemArray::CPropertyBagItemArray(class CPropertyBagItemArray & __ptr64) __ptr64 +??0CPropertyBagItemArray@@QEAA@AEAV0@@Z +; public: __cdecl CPropertyBagItemArray::CPropertyBagItemArray(void) __ptr64 +??0CPropertyBagItemArray@@QEAA@XZ +; public: __cdecl CQualifierSet::CQualifierSet(class CQualifierSet const & __ptr64) __ptr64 +??0CQualifierSet@@QEAA@AEBV0@@Z +; public: __cdecl CQualifierSet::CQualifierSet(int,int) __ptr64 +??0CQualifierSet@@QEAA@HH@Z +; public: __cdecl CQualifierSetListContainer::CQualifierSetListContainer(class CQualifierSetListContainer const & __ptr64) __ptr64 +??0CQualifierSetListContainer@@QEAA@AEBV0@@Z +; public: __cdecl CQualifierSetListContainer::CQualifierSetListContainer(void) __ptr64 +??0CQualifierSetListContainer@@QEAA@XZ +; public: __cdecl CType::CType(unsigned long) __ptr64 +??0CType@@QEAA@K@Z +; public: __cdecl CType::CType(void) __ptr64 +??0CType@@QEAA@XZ +; public: __cdecl CWbemCallSecurity::CWbemCallSecurity(class CWbemCallSecurity const & __ptr64) __ptr64 +??0CWbemCallSecurity@@QEAA@AEBV0@@Z +; public: __cdecl CWbemCallSecurity::CWbemCallSecurity(class CLifeControl * __ptr64) __ptr64 +??0CWbemCallSecurity@@QEAA@PEAVCLifeControl@@@Z +; public: __cdecl CWbemClass::CWbemClass(class CWbemClass const & __ptr64) __ptr64 +??0CWbemClass@@QEAA@AEBV0@@Z +; public: __cdecl CWbemClass::CWbemClass(void) __ptr64 +??0CWbemClass@@QEAA@XZ +; public: __cdecl CWbemClassCache::CWbemClassCache(class CWbemClassCache const & __ptr64) __ptr64 +??0CWbemClassCache@@QEAA@AEBV0@@Z +; public: __cdecl CWbemClassCache::CWbemClassCache(unsigned long) __ptr64 +??0CWbemClassCache@@QEAA@K@Z +; protected: __cdecl CWbemDataPacket::CWbemDataPacket(void) __ptr64 +??0CWbemDataPacket@@IEAA@XZ +; public: __cdecl CWbemDataPacket::CWbemDataPacket(unsigned char * __ptr64,unsigned long,bool) __ptr64 +??0CWbemDataPacket@@QEAA@PEAEK_N@Z +; public: __cdecl CWbemEnumMarshaling::CWbemEnumMarshaling(class CWbemEnumMarshaling const & __ptr64) __ptr64 +??0CWbemEnumMarshaling@@QEAA@AEBV0@@Z +; public: __cdecl CWbemEnumMarshaling::CWbemEnumMarshaling(class CLifeControl * __ptr64,struct IUnknown * __ptr64) __ptr64 +??0CWbemEnumMarshaling@@QEAA@PEAVCLifeControl@@PEAUIUnknown@@@Z +; public: __cdecl CWbemFetchRefrMgr::CWbemFetchRefrMgr(class CWbemFetchRefrMgr const & __ptr64) __ptr64 +??0CWbemFetchRefrMgr@@QEAA@AEBV0@@Z +; public: __cdecl CWbemFetchRefrMgr::CWbemFetchRefrMgr(class CLifeControl * __ptr64,struct IUnknown * __ptr64) __ptr64 +??0CWbemFetchRefrMgr@@QEAA@PEAVCLifeControl@@PEAUIUnknown@@@Z +; public: __cdecl CWbemGuidToClassMap::CWbemGuidToClassMap(class CWbemGuidToClassMap const & __ptr64) __ptr64 +??0CWbemGuidToClassMap@@QEAA@AEBV0@@Z +; public: __cdecl CWbemGuidToClassMap::CWbemGuidToClassMap(void) __ptr64 +??0CWbemGuidToClassMap@@QEAA@XZ +; public: __cdecl CWbemInstance::CWbemInstance(class CWbemInstance const & __ptr64) __ptr64 +??0CWbemInstance@@QEAA@AEBV0@@Z +; public: __cdecl CWbemInstance::CWbemInstance(void) __ptr64 +??0CWbemInstance@@QEAA@XZ +; private: __cdecl CWbemMtgtDeliverEventPacket::CWbemMtgtDeliverEventPacket(void) __ptr64 +??0CWbemMtgtDeliverEventPacket@@AEAA@XZ +; public: __cdecl CWbemMtgtDeliverEventPacket::CWbemMtgtDeliverEventPacket(unsigned char * __ptr64,unsigned long,bool) __ptr64 +??0CWbemMtgtDeliverEventPacket@@QEAA@PEAEK_N@Z +; protected: __cdecl CWbemObject::CWbemObject(class CDataTable & __ptr64,class CFastHeap & __ptr64,class CDerivationList & __ptr64) __ptr64 +??0CWbemObject@@IEAA@AEAVCDataTable@@AEAVCFastHeap@@AEAVCDerivationList@@@Z +; public: __cdecl CWbemObject::CWbemObject(class CWbemObject const & __ptr64) __ptr64 +??0CWbemObject@@QEAA@AEBV0@@Z +; public: __cdecl CWbemObjectArrayPacket::CWbemObjectArrayPacket(unsigned char * __ptr64,unsigned long,bool) __ptr64 +??0CWbemObjectArrayPacket@@QEAA@PEAEK_N@Z +; public: __cdecl CWbemRefreshingSvc::CWbemRefreshingSvc(class CWbemRefreshingSvc const & __ptr64) __ptr64 +??0CWbemRefreshingSvc@@QEAA@AEBV0@@Z +; public: __cdecl CWbemRefreshingSvc::CWbemRefreshingSvc(class CLifeControl * __ptr64,struct IUnknown * __ptr64) __ptr64 +??0CWbemRefreshingSvc@@QEAA@PEAVCLifeControl@@PEAUIUnknown@@@Z +; private: __cdecl CWbemSmartEnumNextPacket::CWbemSmartEnumNextPacket(void) __ptr64 +??0CWbemSmartEnumNextPacket@@AEAA@XZ +; public: __cdecl CWbemSmartEnumNextPacket::CWbemSmartEnumNextPacket(unsigned char * __ptr64,unsigned long,bool) __ptr64 +??0CWbemSmartEnumNextPacket@@QEAA@PEAEK_N@Z +; public: __cdecl CWbemThreadSecurityHandle::CWbemThreadSecurityHandle(class CWbemThreadSecurityHandle const & __ptr64) __ptr64 +??0CWbemThreadSecurityHandle@@QEAA@AEBV0@@Z +; public: __cdecl CWbemThreadSecurityHandle::CWbemThreadSecurityHandle(class CLifeControl * __ptr64) __ptr64 +??0CWbemThreadSecurityHandle@@QEAA@PEAVCLifeControl@@@Z +; public: __cdecl CWmiObjectFactory::CWmiObjectFactory(class CWmiObjectFactory const & __ptr64) __ptr64 +??0CWmiObjectFactory@@QEAA@AEBV0@@Z +; public: __cdecl CWmiObjectFactory::CWmiObjectFactory(class CLifeControl * __ptr64,struct IUnknown * __ptr64) __ptr64 +??0CWmiObjectFactory@@QEAA@PEAVCLifeControl@@PEAUIUnknown@@@Z +; public: __cdecl CWmiTextSourceArray::CWmiTextSourceArray(class CWmiTextSourceArray & __ptr64) __ptr64 +??0CWmiTextSourceArray@@QEAA@AEAV0@@Z +; public: __cdecl CWmiTextSourceArray::CWmiTextSourceArray(void) __ptr64 +??0CWmiTextSourceArray@@QEAA@XZ +; public: __cdecl SHARED_LOCK_DATA::SHARED_LOCK_DATA(void) __ptr64 +??0SHARED_LOCK_DATA@@QEAA@XZ +; public: __cdecl CWbemRefreshingSvc::XCfgRefrSrvc::XCfgRefrSrvc(class XCfgRefrSrvc::XCfgRefrSrvc const & __ptr64) __ptr64 +??0XCfgRefrSrvc@CWbemRefreshingSvc@@QEAA@AEBV01@@Z +; public: __cdecl CWbemRefreshingSvc::XCfgRefrSrvc::XCfgRefrSrvc(class XCfgRefrSrvc * __ptr64) __ptr64 +??0XCfgRefrSrvc@CWbemRefreshingSvc@@QEAA@PEAV1@@Z +; public: __cdecl CWbemEnumMarshaling::XEnumMarshaling::XEnumMarshaling(class XEnumMarshaling::XEnumMarshaling const & __ptr64) __ptr64 +??0XEnumMarshaling@CWbemEnumMarshaling@@QEAA@AEBV01@@Z +; public: __cdecl CWbemEnumMarshaling::XEnumMarshaling::XEnumMarshaling(class XEnumMarshaling * __ptr64) __ptr64 +??0XEnumMarshaling@CWbemEnumMarshaling@@QEAA@PEAV1@@Z +; public: __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::XFetchRefrMgr(class XFetchRefrMgr::XFetchRefrMgr const & __ptr64) __ptr64 +??0XFetchRefrMgr@CWbemFetchRefrMgr@@QEAA@AEBV01@@Z +; public: __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::XFetchRefrMgr(class XFetchRefrMgr * __ptr64) __ptr64 +??0XFetchRefrMgr@CWbemFetchRefrMgr@@QEAA@PEAV1@@Z +; public: __cdecl CWmiObjectFactory::XObjectFactory::XObjectFactory(class XObjectFactory::XObjectFactory const & __ptr64) __ptr64 +??0XObjectFactory@CWmiObjectFactory@@QEAA@AEBV01@@Z +; public: __cdecl CWmiObjectFactory::XObjectFactory::XObjectFactory(class XObjectFactory * __ptr64) __ptr64 +??0XObjectFactory@CWmiObjectFactory@@QEAA@PEAV1@@Z +; public: __cdecl CWmiObjectTextSrc::XObjectTextSrc::XObjectTextSrc(class XObjectTextSrc::XObjectTextSrc const & __ptr64) __ptr64 +??0XObjectTextSrc@CWmiObjectTextSrc@@QEAA@AEBV01@@Z +; public: __cdecl CWmiObjectTextSrc::XObjectTextSrc::XObjectTextSrc(class XObjectTextSrc * __ptr64) __ptr64 +??0XObjectTextSrc@CWmiObjectTextSrc@@QEAA@PEAV1@@Z +; public: __cdecl CWbemRefreshingSvc::XWbemRefrSvc::XWbemRefrSvc(class XWbemRefrSvc::XWbemRefrSvc const & __ptr64) __ptr64 +??0XWbemRefrSvc@CWbemRefreshingSvc@@QEAA@AEBV01@@Z +; public: __cdecl CWbemRefreshingSvc::XWbemRefrSvc::XWbemRefrSvc(class XWbemRefrSvc * __ptr64) __ptr64 +??0XWbemRefrSvc@CWbemRefreshingSvc@@QEAA@PEAV1@@Z +; public: __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::XWbemRemoteRefr(class XWbemRemoteRefr::XWbemRemoteRefr const & __ptr64) __ptr64 +??0XWbemRemoteRefr@CWbemRemoteRefresher@@QEAA@AEBV01@@Z +; public: __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::XWbemRemoteRefr(class XWbemRemoteRefr * __ptr64) __ptr64 +??0XWbemRemoteRefr@CWbemRemoteRefresher@@QEAA@PEAV1@@Z +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@QEAA@XZ +; public: __cdecl CImpl::~CImpl(void) __ptr64 +??1?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@QEAA@XZ +; public: __cdecl CPointerArray,class CFlexArray>::~CPointerArray,class CFlexArray>(void) __ptr64 +??1?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAA@XZ +; public: __cdecl CPointerArray,class CFlexArray>::~CPointerArray,class CFlexArray>(void) __ptr64 +??1?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAA@XZ +; public: __cdecl CRefedPointerArray::~CRefedPointerArray(void) __ptr64 +??1?$CRefedPointerArray@VCFastPropertyBagItem@@@@QEAA@XZ +; public: __cdecl CRefedPointerArray::~CRefedPointerArray(void) __ptr64 +??1?$CRefedPointerArray@VCWmiTextSource@@@@QEAA@XZ +; public: __cdecl CBasicQualifierSet::~CBasicQualifierSet(void) __ptr64 +??1CBasicQualifierSet@@QEAA@XZ +; public: __cdecl CClassAndMethods::~CClassAndMethods(void) __ptr64 +??1CClassAndMethods@@QEAA@XZ +; public: __cdecl CClassPart::~CClassPart(void) __ptr64 +??1CClassPart@@QEAA@XZ +; public: virtual __cdecl CClassQualifierSet::~CClassQualifierSet(void) __ptr64 +??1CClassQualifierSet@@UEAA@XZ +; public: virtual __cdecl CFastPropertyBag::~CFastPropertyBag(void) __ptr64 +??1CFastPropertyBag@@UEAA@XZ +; public: __cdecl CFixedBSTRArray::~CFixedBSTRArray(void) __ptr64 +??1CFixedBSTRArray@@QEAA@XZ +; public: __cdecl CInstancePQSContainer::~CInstancePQSContainer(void) __ptr64 +??1CInstancePQSContainer@@QEAA@XZ +; public: __cdecl CInstancePart::~CInstancePart(void) __ptr64 +??1CInstancePart@@QEAA@XZ +; public: virtual __cdecl CInstanceQualifierSet::~CInstanceQualifierSet(void) __ptr64 +??1CInstanceQualifierSet@@UEAA@XZ +; public: __cdecl CInternalString::~CInternalString(void) __ptr64 +??1CInternalString@@QEAA@XZ +; public: __cdecl CLimitationMapping::~CLimitationMapping(void) __ptr64 +??1CLimitationMapping@@QEAA@XZ +; public: virtual __cdecl CMethodQualifierSet::~CMethodQualifierSet(void) __ptr64 +??1CMethodQualifierSet@@UEAA@XZ +; public: __cdecl CMethodQualifierSetContainer::~CMethodQualifierSetContainer(void) __ptr64 +??1CMethodQualifierSetContainer@@QEAA@XZ +; public: __cdecl CPropertyBagItemArray::~CPropertyBagItemArray(void) __ptr64 +??1CPropertyBagItemArray@@QEAA@XZ +; public: virtual __cdecl CQualifierSet::~CQualifierSet(void) __ptr64 +??1CQualifierSet@@UEAA@XZ +; public: __cdecl CWbemCallSecurity::~CWbemCallSecurity(void) __ptr64 +??1CWbemCallSecurity@@QEAA@XZ +; public: virtual __cdecl CWbemClass::~CWbemClass(void) __ptr64 +??1CWbemClass@@UEAA@XZ +; public: __cdecl CWbemClassCache::~CWbemClassCache(void) __ptr64 +??1CWbemClassCache@@QEAA@XZ +; public: __cdecl CWbemDataPacket::~CWbemDataPacket(void) __ptr64 +??1CWbemDataPacket@@QEAA@XZ +; public: virtual __cdecl CWbemEnumMarshaling::~CWbemEnumMarshaling(void) __ptr64 +??1CWbemEnumMarshaling@@UEAA@XZ +; public: virtual __cdecl CWbemFetchRefrMgr::~CWbemFetchRefrMgr(void) __ptr64 +??1CWbemFetchRefrMgr@@UEAA@XZ +; public: __cdecl CWbemGuidToClassMap::~CWbemGuidToClassMap(void) __ptr64 +??1CWbemGuidToClassMap@@QEAA@XZ +; public: virtual __cdecl CWbemInstance::~CWbemInstance(void) __ptr64 +??1CWbemInstance@@UEAA@XZ +; public: __cdecl CWbemMtgtDeliverEventPacket::~CWbemMtgtDeliverEventPacket(void) __ptr64 +??1CWbemMtgtDeliverEventPacket@@QEAA@XZ +; public: virtual __cdecl CWbemObject::~CWbemObject(void) __ptr64 +??1CWbemObject@@UEAA@XZ +; public: __cdecl CWbemObjectArrayPacket::~CWbemObjectArrayPacket(void) __ptr64 +??1CWbemObjectArrayPacket@@QEAA@XZ +; public: virtual __cdecl CWbemRefreshingSvc::~CWbemRefreshingSvc(void) __ptr64 +??1CWbemRefreshingSvc@@UEAA@XZ +; public: __cdecl CWbemSmartEnumNextPacket::~CWbemSmartEnumNextPacket(void) __ptr64 +??1CWbemSmartEnumNextPacket@@QEAA@XZ +; public: __cdecl CWbemThreadSecurityHandle::~CWbemThreadSecurityHandle(void) __ptr64 +??1CWbemThreadSecurityHandle@@QEAA@XZ +; public: virtual __cdecl CWmiObjectFactory::~CWmiObjectFactory(void) __ptr64 +??1CWmiObjectFactory@@UEAA@XZ +; public: __cdecl CWmiTextSourceArray::~CWmiTextSourceArray(void) __ptr64 +??1CWmiTextSourceArray@@QEAA@XZ +; public: __cdecl CWbemRefreshingSvc::XCfgRefrSrvc::~XCfgRefrSrvc(void) __ptr64 +??1XCfgRefrSrvc@CWbemRefreshingSvc@@QEAA@XZ +; public: __cdecl CWbemEnumMarshaling::XEnumMarshaling::~XEnumMarshaling(void) __ptr64 +??1XEnumMarshaling@CWbemEnumMarshaling@@QEAA@XZ +; public: __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::~XFetchRefrMgr(void) __ptr64 +??1XFetchRefrMgr@CWbemFetchRefrMgr@@QEAA@XZ +; public: __cdecl CWmiObjectFactory::XObjectFactory::~XObjectFactory(void) __ptr64 +??1XObjectFactory@CWmiObjectFactory@@QEAA@XZ +; public: __cdecl CWmiObjectTextSrc::XObjectTextSrc::~XObjectTextSrc(void) __ptr64 +??1XObjectTextSrc@CWmiObjectTextSrc@@QEAA@XZ +; public: __cdecl CWbemRefreshingSvc::XWbemRefrSvc::~XWbemRefrSvc(void) __ptr64 +??1XWbemRefrSvc@CWbemRefreshingSvc@@QEAA@XZ +; public: __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::~XWbemRemoteRefr(void) __ptr64 +??1XWbemRemoteRefr@CWbemRemoteRefresher@@QEAA@XZ +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@QEAAAEAV0@AEBV0@@Z +; public: class CImpl & __ptr64 __cdecl CImpl::operator=(class CImpl const & __ptr64) __ptr64 +??4?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@QEAAAEAV0@AEBV0@@Z +; public: class CPointerArray,class CFlexArray> & __ptr64 __cdecl CPointerArray,class CFlexArray>::operator=(class CPointerArray,class CFlexArray> & __ptr64) __ptr64 +??4?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAAEAV0@AEAV0@@Z +; public: class CPointerArray,class CFlexArray> & __ptr64 __cdecl CPointerArray,class CFlexArray>::operator=(class CPointerArray,class CFlexArray> & __ptr64) __ptr64 +??4?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAAEAV0@AEAV0@@Z +; public: class CRefedPointerArray & __ptr64 __cdecl CRefedPointerArray::operator=(class CRefedPointerArray & __ptr64) __ptr64 +??4?$CRefedPointerArray@VCFastPropertyBagItem@@@@QEAAAEAV0@AEAV0@@Z +; public: class CRefedPointerArray & __ptr64 __cdecl CRefedPointerArray::operator=(class CRefedPointerArray & __ptr64) __ptr64 +??4?$CRefedPointerArray@VCWmiTextSource@@@@QEAAAEAV0@AEAV0@@Z +; public: class CBasicQualifierSet & __ptr64 __cdecl CBasicQualifierSet::operator=(class CBasicQualifierSet const & __ptr64) __ptr64 +??4CBasicQualifierSet@@QEAAAEAV0@AEBV0@@Z +; public: class CClassAndMethods & __ptr64 __cdecl CClassAndMethods::operator=(class CClassAndMethods const & __ptr64) __ptr64 +??4CClassAndMethods@@QEAAAEAV0@AEBV0@@Z +; public: class CClassPart & __ptr64 __cdecl CClassPart::operator=(class CClassPart const & __ptr64) __ptr64 +??4CClassPart@@QEAAAEAV0@AEBV0@@Z +; public: class CClassPartContainer & __ptr64 __cdecl CClassPartContainer::operator=(class CClassPartContainer const & __ptr64) __ptr64 +??4CClassPartContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CClassQualifierSet & __ptr64 __cdecl CClassQualifierSet::operator=(class CClassQualifierSet const & __ptr64) __ptr64 +??4CClassQualifierSet@@QEAAAEAV0@AEBV0@@Z +; public: class CCompressedString & __ptr64 __cdecl CCompressedString::operator=(class CCompressedString const & __ptr64) __ptr64 +??4CCompressedString@@QEAAAEAV0@AEBV0@@Z +; public: class CCompressedStringList & __ptr64 __cdecl CCompressedStringList::operator=(class CCompressedStringList const & __ptr64) __ptr64 +??4CCompressedStringList@@QEAAAEAV0@AEBV0@@Z +; public: class CDataTable & __ptr64 __cdecl CDataTable::operator=(class CDataTable const & __ptr64) __ptr64 +??4CDataTable@@QEAAAEAV0@AEBV0@@Z +; public: class CDecorationPart & __ptr64 __cdecl CDecorationPart::operator=(class CDecorationPart const & __ptr64) __ptr64 +??4CDecorationPart@@QEAAAEAV0@AEBV0@@Z +; public: class CDerivationList & __ptr64 __cdecl CDerivationList::operator=(class CDerivationList const & __ptr64) __ptr64 +??4CDerivationList@@QEAAAEAV0@AEBV0@@Z +; public: class CEmbeddedObject & __ptr64 __cdecl CEmbeddedObject::operator=(class CEmbeddedObject const & __ptr64) __ptr64 +??4CEmbeddedObject@@QEAAAEAV0@AEBV0@@Z +; public: class CFastHeap & __ptr64 __cdecl CFastHeap::operator=(class CFastHeap const & __ptr64) __ptr64 +??4CFastHeap@@QEAAAEAV0@AEBV0@@Z +; public: class CFastPropertyBag & __ptr64 __cdecl CFastPropertyBag::operator=(class CFastPropertyBag & __ptr64) __ptr64 +??4CFastPropertyBag@@QEAAAEAV0@AEAV0@@Z +; public: class CFixedBSTRArray & __ptr64 __cdecl CFixedBSTRArray::operator=(class CFixedBSTRArray const & __ptr64) __ptr64 +??4CFixedBSTRArray@@QEAAAEAV0@AEBV0@@Z +; public: class CHiPerfLock & __ptr64 __cdecl CHiPerfLock::operator=(class CHiPerfLock const & __ptr64) __ptr64 +??4CHiPerfLock@@QEAAAEAV0@AEBV0@@Z +; public: class CInstancePQSContainer & __ptr64 __cdecl CInstancePQSContainer::operator=(class CInstancePQSContainer const & __ptr64) __ptr64 +??4CInstancePQSContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CInstancePart & __ptr64 __cdecl CInstancePart::operator=(class CInstancePart const & __ptr64) __ptr64 +??4CInstancePart@@QEAAAEAV0@AEBV0@@Z +; public: class CInstancePartContainer & __ptr64 __cdecl CInstancePartContainer::operator=(class CInstancePartContainer const & __ptr64) __ptr64 +??4CInstancePartContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CInstanceQualifierSet & __ptr64 __cdecl CInstanceQualifierSet::operator=(class CInstanceQualifierSet const & __ptr64) __ptr64 +??4CInstanceQualifierSet@@QEAAAEAV0@AEBV0@@Z +; public: class CInternalString & __ptr64 __cdecl CInternalString::operator=(class CInternalString const & __ptr64) __ptr64 +??4CInternalString@@QEAAAEAV0@AEBV0@@Z +; public: int __cdecl CInternalString::operator=(class CCompressedString * __ptr64) __ptr64 +??4CInternalString@@QEAAHPEAVCCompressedString@@@Z +; public: int __cdecl CInternalString::operator=(unsigned short const * __ptr64) __ptr64 +??4CInternalString@@QEAAHPEBG@Z +; public: class CKnownStringTable & __ptr64 __cdecl CKnownStringTable::operator=(class CKnownStringTable const & __ptr64) __ptr64 +??4CKnownStringTable@@QEAAAEAV0@AEBV0@@Z +; public: class CLimitationMapping & __ptr64 __cdecl CLimitationMapping::operator=(class CLimitationMapping & __ptr64) __ptr64 +??4CLimitationMapping@@QEAAAEAV0@AEAV0@@Z +; public: struct CMethodDescription & __ptr64 __cdecl CMethodDescription::operator=(struct CMethodDescription const & __ptr64) __ptr64 +??4CMethodDescription@@QEAAAEAU0@AEBU0@@Z +; public: class CMethodPart & __ptr64 __cdecl CMethodPart::operator=(class CMethodPart const & __ptr64) __ptr64 +??4CMethodPart@@QEAAAEAV0@AEBV0@@Z +; public: class CMethodPartContainer & __ptr64 __cdecl CMethodPartContainer::operator=(class CMethodPartContainer const & __ptr64) __ptr64 +??4CMethodPartContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CMethodQualifierSet & __ptr64 __cdecl CMethodQualifierSet::operator=(class CMethodQualifierSet const & __ptr64) __ptr64 +??4CMethodQualifierSet@@QEAAAEAV0@AEBV0@@Z +; public: class CMethodQualifierSetContainer & __ptr64 __cdecl CMethodQualifierSetContainer::operator=(class CMethodQualifierSetContainer const & __ptr64) __ptr64 +??4CMethodQualifierSetContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CPropertyBagItemArray & __ptr64 __cdecl CPropertyBagItemArray::operator=(class CPropertyBagItemArray & __ptr64) __ptr64 +??4CPropertyBagItemArray@@QEAAAEAV0@AEAV0@@Z +; public: class CPropertyLookupTable & __ptr64 __cdecl CPropertyLookupTable::operator=(class CPropertyLookupTable const & __ptr64) __ptr64 +??4CPropertyLookupTable@@QEAAAEAV0@AEBV0@@Z +; public: class CQualifierSet & __ptr64 __cdecl CQualifierSet::operator=(class CQualifierSet const & __ptr64) __ptr64 +??4CQualifierSet@@QEAAAEAV0@AEBV0@@Z +; public: class CQualifierSetList & __ptr64 __cdecl CQualifierSetList::operator=(class CQualifierSetList const & __ptr64) __ptr64 +??4CQualifierSetList@@QEAAAEAV0@AEBV0@@Z +; public: class CQualifierSetListContainer & __ptr64 __cdecl CQualifierSetListContainer::operator=(class CQualifierSetListContainer const & __ptr64) __ptr64 +??4CQualifierSetListContainer@@QEAAAEAV0@AEBV0@@Z +; public: class CReservedWordTable & __ptr64 __cdecl CReservedWordTable::operator=(class CReservedWordTable const & __ptr64) __ptr64 +??4CReservedWordTable@@QEAAAEAV0@AEBV0@@Z +; public: class CSharedLock & __ptr64 __cdecl CSharedLock::operator=(class CSharedLock const & __ptr64) __ptr64 +??4CSharedLock@@QEAAAEAV0@AEBV0@@Z +; public: class CSystemProperties & __ptr64 __cdecl CSystemProperties::operator=(class CSystemProperties const & __ptr64) __ptr64 +??4CSystemProperties@@QEAAAEAV0@AEBV0@@Z +; public: class CType & __ptr64 __cdecl CType::operator=(class CType const & __ptr64) __ptr64 +??4CType@@QEAAAEAV0@AEBV0@@Z +; public: class CUntypedArray & __ptr64 __cdecl CUntypedArray::operator=(class CUntypedArray const & __ptr64) __ptr64 +??4CUntypedArray@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemCallSecurity & __ptr64 __cdecl CWbemCallSecurity::operator=(class CWbemCallSecurity const & __ptr64) __ptr64 +??4CWbemCallSecurity@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemClassCache & __ptr64 __cdecl CWbemClassCache::operator=(class CWbemClassCache const & __ptr64) __ptr64 +??4CWbemClassCache@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemDataPacket & __ptr64 __cdecl CWbemDataPacket::operator=(class CWbemDataPacket const & __ptr64) __ptr64 +??4CWbemDataPacket@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemEnumMarshaling & __ptr64 __cdecl CWbemEnumMarshaling::operator=(class CWbemEnumMarshaling const & __ptr64) __ptr64 +??4CWbemEnumMarshaling@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemFetchRefrMgr & __ptr64 __cdecl CWbemFetchRefrMgr::operator=(class CWbemFetchRefrMgr const & __ptr64) __ptr64 +??4CWbemFetchRefrMgr@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemGuidToClassMap & __ptr64 __cdecl CWbemGuidToClassMap::operator=(class CWbemGuidToClassMap const & __ptr64) __ptr64 +??4CWbemGuidToClassMap@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemMtgtDeliverEventPacket & __ptr64 __cdecl CWbemMtgtDeliverEventPacket::operator=(class CWbemMtgtDeliverEventPacket const & __ptr64) __ptr64 +??4CWbemMtgtDeliverEventPacket@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemObjectArrayPacket & __ptr64 __cdecl CWbemObjectArrayPacket::operator=(class CWbemObjectArrayPacket const & __ptr64) __ptr64 +??4CWbemObjectArrayPacket@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemRefreshingSvc & __ptr64 __cdecl CWbemRefreshingSvc::operator=(class CWbemRefreshingSvc const & __ptr64) __ptr64 +??4CWbemRefreshingSvc@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemSmartEnumNextPacket & __ptr64 __cdecl CWbemSmartEnumNextPacket::operator=(class CWbemSmartEnumNextPacket const & __ptr64) __ptr64 +??4CWbemSmartEnumNextPacket@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemThreadSecurityHandle & __ptr64 __cdecl CWbemThreadSecurityHandle::operator=(class CWbemThreadSecurityHandle const & __ptr64) __ptr64 +??4CWbemThreadSecurityHandle@@QEAAAEAV0@AEBV0@@Z +; public: class CWmiObjectFactory & __ptr64 __cdecl CWmiObjectFactory::operator=(class CWmiObjectFactory const & __ptr64) __ptr64 +??4CWmiObjectFactory@@QEAAAEAV0@AEBV0@@Z +; public: class CWmiTextSourceArray & __ptr64 __cdecl CWmiTextSourceArray::operator=(class CWmiTextSourceArray & __ptr64) __ptr64 +??4CWmiTextSourceArray@@QEAAAEAV0@AEAV0@@Z +; public: struct SHARED_LOCK_DATA & __ptr64 __cdecl SHARED_LOCK_DATA::operator=(struct SHARED_LOCK_DATA const & __ptr64) __ptr64 +??4SHARED_LOCK_DATA@@QEAAAEAU0@AEBU0@@Z +; public: struct SHMEM_HANDLE & __ptr64 __cdecl SHMEM_HANDLE::operator=(struct SHMEM_HANDLE const & __ptr64) __ptr64 +??4SHMEM_HANDLE@@QEAAAEAU0@AEBU0@@Z +; public: class CWbemRefreshingSvc::XCfgRefrSrvc & __ptr64 __cdecl CWbemRefreshingSvc::XCfgRefrSrvc::operator=(class CWbemRefreshingSvc::XCfgRefrSrvc const & __ptr64) __ptr64 +??4XCfgRefrSrvc@CWbemRefreshingSvc@@QEAAAEAV01@AEBV01@@Z +; public: class CWbemEnumMarshaling::XEnumMarshaling & __ptr64 __cdecl CWbemEnumMarshaling::XEnumMarshaling::operator=(class CWbemEnumMarshaling::XEnumMarshaling const & __ptr64) __ptr64 +??4XEnumMarshaling@CWbemEnumMarshaling@@QEAAAEAV01@AEBV01@@Z +; public: class CWbemFetchRefrMgr::XFetchRefrMgr & __ptr64 __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::operator=(class CWbemFetchRefrMgr::XFetchRefrMgr const & __ptr64) __ptr64 +??4XFetchRefrMgr@CWbemFetchRefrMgr@@QEAAAEAV01@AEBV01@@Z +; public: class CWmiObjectFactory::XObjectFactory & __ptr64 __cdecl CWmiObjectFactory::XObjectFactory::operator=(class CWmiObjectFactory::XObjectFactory const & __ptr64) __ptr64 +??4XObjectFactory@CWmiObjectFactory@@QEAAAEAV01@AEBV01@@Z +; public: class CWmiObjectTextSrc::XObjectTextSrc & __ptr64 __cdecl CWmiObjectTextSrc::XObjectTextSrc::operator=(class CWmiObjectTextSrc::XObjectTextSrc const & __ptr64) __ptr64 +??4XObjectTextSrc@CWmiObjectTextSrc@@QEAAAEAV01@AEBV01@@Z +; public: class CWbemRefreshingSvc::XWbemRefrSvc & __ptr64 __cdecl CWbemRefreshingSvc::XWbemRefrSvc::operator=(class CWbemRefreshingSvc::XWbemRefrSvc const & __ptr64) __ptr64 +??4XWbemRefrSvc@CWbemRefreshingSvc@@QEAAAEAV01@AEBV01@@Z +; public: class CWbemRemoteRefresher::XWbemRemoteRefr & __ptr64 __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::operator=(class CWbemRemoteRefresher::XWbemRemoteRefr const & __ptr64) __ptr64 +??4XWbemRemoteRefr@CWbemRemoteRefresher@@QEAAAEAV01@AEBV01@@Z +; public: bool __cdecl CInternalString::operator==(class CInternalString const & __ptr64)const __ptr64 +??8CInternalString@@QEBA_NAEBV0@@Z +; public: bool __cdecl CInternalString::operator==(unsigned short const * __ptr64)const __ptr64 +??8CInternalString@@QEBA_NPEBG@Z +; public: int __cdecl CQualifierSet::operator==(class CQualifierSet & __ptr64) __ptr64 +??8CQualifierSet@@QEAAHAEAV0@@Z +; public: bool __cdecl CInternalString::operator!=(class CInternalString const & __ptr64)const __ptr64 +??9CInternalString@@QEBA_NAEBV0@@Z +; public: class CFastPropertyBagItem * __ptr64 __cdecl CPointerArray,class CFlexArray>::operator[](int) __ptr64 +??A?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAPEAVCFastPropertyBagItem@@H@Z +; public: class CFastPropertyBagItem const * __ptr64 __cdecl CPointerArray,class CFlexArray>::operator[](int)const __ptr64 +??A?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEBAPEBVCFastPropertyBagItem@@H@Z +; public: class CWmiTextSource * __ptr64 __cdecl CPointerArray,class CFlexArray>::operator[](int) __ptr64 +??A?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAPEAVCWmiTextSource@@H@Z +; public: class CWmiTextSource const * __ptr64 __cdecl CPointerArray,class CFlexArray>::operator[](int)const __ptr64 +??A?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEBAPEBVCWmiTextSource@@H@Z +; public: unsigned short * __ptr64 & __ptr64 __cdecl CFixedBSTRArray::operator[](int) __ptr64 +??ACFixedBSTRArray@@QEAAAEAPEAGH@Z +; private: __cdecl CInternalString::operator class CCompressedString * __ptr64(void) __ptr64 +??BCInternalString@@AEAAPEAVCCompressedString@@XZ +; private: __cdecl CInternalString::operator class CCompressedString * __ptr64(void)const __ptr64 +??BCInternalString@@AEBAPEAVCCompressedString@@XZ +; public: __cdecl CInternalString::operator class WString(void)const __ptr64 +??BCInternalString@@QEBA?AVWString@@XZ +; public: __cdecl CType::operator unsigned long(void) __ptr64 +??BCType@@QEAAKXZ +; public: bool __cdecl CInternalString::operator<(class CInternalString const & __ptr64)const __ptr64 +??MCInternalString@@QEBA_NAEBV0@@Z +; public: bool __cdecl CInternalString::operator>(class CInternalString const & __ptr64)const __ptr64 +??OCInternalString@@QEBA_NAEBV0@@Z +; const CImpl::`vftable' +??_7?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@6B@ +; const CImpl::`vftable' +??_7?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@6B@ +; const CClassAndMethods::`vftable'{for `CClassPartContainer'} +??_7CClassAndMethods@@6BCClassPartContainer@@@ +; const CClassAndMethods::`vftable'{for `CMethodPartContainer'} +??_7CClassAndMethods@@6BCMethodPartContainer@@@ +; const CClassPart::`vftable'{for `CDataTableContainer'} +??_7CClassPart@@6BCDataTableContainer@@@ +; const CClassPart::`vftable'{for `CHeapContainer'} +??_7CClassPart@@6BCHeapContainer@@@ +; const CClassPart::`vftable'{for `CPropertyTableContainer'} +??_7CClassPart@@6BCPropertyTableContainer@@@ +; const CClassPart::`vftable'{for `CQualifierSetContainer'} +??_7CClassPart@@6BCQualifierSetContainer@@@ +; const CClassPartContainer::`vftable' +??_7CClassPartContainer@@6B@ +; const CClassQualifierSet::`vftable' +??_7CClassQualifierSet@@6B@ +; const CFastPropertyBag::`vftable' +??_7CFastPropertyBag@@6B@ +; const CInstancePQSContainer::`vftable' +??_7CInstancePQSContainer@@6B@ +; const CInstancePart::`vftable'{for `CDataTableContainer'} +??_7CInstancePart@@6BCDataTableContainer@@@ +; const CInstancePart::`vftable'{for `CHeapContainer'} +??_7CInstancePart@@6BCHeapContainer@@@ +; const CInstancePart::`vftable'{for `CQualifierSetContainer'} +??_7CInstancePart@@6BCQualifierSetContainer@@@ +; const CInstancePart::`vftable'{for `CQualifierSetListContainer'} +??_7CInstancePart@@6BCQualifierSetListContainer@@@ +; const CInstancePartContainer::`vftable' +??_7CInstancePartContainer@@6B@ +; const CInstanceQualifierSet::`vftable' +??_7CInstanceQualifierSet@@6B@ +; const CMethodPart::`vftable' +??_7CMethodPart@@6B@ +; const CMethodPartContainer::`vftable' +??_7CMethodPartContainer@@6B@ +; const CMethodQualifierSet::`vftable' +??_7CMethodQualifierSet@@6B@ +; const CMethodQualifierSetContainer::`vftable' +??_7CMethodQualifierSetContainer@@6B@ +; const CQualifierSet::`vftable' +??_7CQualifierSet@@6B@ +; const CQualifierSetListContainer::`vftable' +??_7CQualifierSetListContainer@@6B@ +; const CWbemCallSecurity::`vftable'{for `IServerSecurity'} +??_7CWbemCallSecurity@@6BIServerSecurity@@@ +; const CWbemCallSecurity::`vftable'{for `_IWmiCallSec'} +??_7CWbemCallSecurity@@6B_IWmiCallSec@@@ +; const CWbemClass::`vftable'{for `IErrorInfo'} +??_7CWbemClass@@6BIErrorInfo@@@ +; const CWbemClass::`vftable'{for `IMarshal'} +??_7CWbemClass@@6BIMarshal@@@ +; const CWbemClass::`vftable'{for `IWbemConstructClassObject'} +??_7CWbemClass@@6BIWbemConstructClassObject@@@ +; const CWbemClass::`vftable'{for `IWbemPropertySource'} +??_7CWbemClass@@6BIWbemPropertySource@@@ +; const CWbemClass::`vftable'{for `_IWmiObject'} +??_7CWbemClass@@6B_IWmiObject@@@ +; const CWbemEnumMarshaling::`vftable' +??_7CWbemEnumMarshaling@@6B@ +; const CWbemFetchRefrMgr::`vftable' +??_7CWbemFetchRefrMgr@@6B@ +; const CWbemInstance::`vftable'{for `CClassPartContainer'} +??_7CWbemInstance@@6BCClassPartContainer@@@ +; const CWbemInstance::`vftable'{for `CInstancePartContainer'} +??_7CWbemInstance@@6BCInstancePartContainer@@@ +; const CWbemInstance::`vftable'{for `IErrorInfo'} +??_7CWbemInstance@@6BIErrorInfo@@@ +; const CWbemInstance::`vftable'{for `IMarshal'} +??_7CWbemInstance@@6BIMarshal@@@ +; const CWbemInstance::`vftable'{for `IWbemConstructClassObject'} +??_7CWbemInstance@@6BIWbemConstructClassObject@@@ +; const CWbemInstance::`vftable'{for `IWbemPropertySource'} +??_7CWbemInstance@@6BIWbemPropertySource@@@ +; const CWbemInstance::`vftable'{for `_IWmiObject'} +??_7CWbemInstance@@6B_IWmiObject@@@ +; const CWbemObject::`vftable'{for `IErrorInfo'} +??_7CWbemObject@@6BIErrorInfo@@@ +; const CWbemObject::`vftable'{for `IMarshal'} +??_7CWbemObject@@6BIMarshal@@@ +; const CWbemObject::`vftable'{for `IWbemConstructClassObject'} +??_7CWbemObject@@6BIWbemConstructClassObject@@@ +; const CWbemObject::`vftable'{for `IWbemPropertySource'} +??_7CWbemObject@@6BIWbemPropertySource@@@ +; const CWbemObject::`vftable'{for `_IWmiObject'} +??_7CWbemObject@@6B_IWmiObject@@@ +; const CWbemRefreshingSvc::`vftable' +??_7CWbemRefreshingSvc@@6B@ +; const CWbemThreadSecurityHandle::`vftable' +??_7CWbemThreadSecurityHandle@@6B@ +; const CWmiObjectFactory::`vftable' +??_7CWmiObjectFactory@@6B@ +; const CWbemRefreshingSvc::XCfgRefrSrvc::`vftable' +??_7XCfgRefrSrvc@CWbemRefreshingSvc@@6B@ +; const CWbemEnumMarshaling::XEnumMarshaling::`vftable' +??_7XEnumMarshaling@CWbemEnumMarshaling@@6B@ +; const CWbemFetchRefrMgr::XFetchRefrMgr::`vftable' +??_7XFetchRefrMgr@CWbemFetchRefrMgr@@6B@ +; const CWmiObjectFactory::XObjectFactory::`vftable' +??_7XObjectFactory@CWmiObjectFactory@@6B@ +; const CWmiObjectTextSrc::XObjectTextSrc::`vftable' +??_7XObjectTextSrc@CWmiObjectTextSrc@@6B@ +; const CWbemRefreshingSvc::XWbemRefrSvc::`vftable' +??_7XWbemRefrSvc@CWbemRefreshingSvc@@6B@ +; const CWbemRemoteRefresher::XWbemRemoteRefr::`vftable' +??_7XWbemRemoteRefr@CWbemRemoteRefresher@@6B@ +; public: void __cdecl CPointerArray,class CFlexArray>::`default constructor closure'(void) __ptr64 +??_F?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXXZ +; public: void __cdecl CPointerArray,class CFlexArray>::`default constructor closure'(void) __ptr64 +??_F?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXXZ +; public: void __cdecl CClassQualifierSet::`default constructor closure'(void) __ptr64 +??_FCClassQualifierSet@@QEAAXXZ +; public: void __cdecl CInstanceQualifierSet::`default constructor closure'(void) __ptr64 +??_FCInstanceQualifierSet@@QEAAXXZ +; public: void __cdecl CWbemClassCache::`default constructor closure'(void) __ptr64 +??_FCWbemClassCache@@QEAAXXZ +; protected: unsigned long __cdecl CFastHeap::AbsoluteToHeap(unsigned char * __ptr64) __ptr64 +?AbsoluteToHeap@CFastHeap@@IEAAKPEAE@Z +; public: void __cdecl CInternalString::AcquireCompressedString(class CCompressedString * __ptr64) __ptr64 +?AcquireCompressedString@CInternalString@@QEAAXPEAVCCompressedString@@@Z +; public: int __cdecl CPointerArray,class CFlexArray>::Add(class CFastPropertyBagItem * __ptr64) __ptr64 +?Add@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAHPEAVCFastPropertyBagItem@@@Z +; public: int __cdecl CPointerArray,class CFlexArray>::Add(class CWmiTextSource * __ptr64) __ptr64 +?Add@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAHPEAVCWmiTextSource@@@Z +; public: long __cdecl CFastPropertyBag::Add(unsigned short const * __ptr64,long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?Add@CFastPropertyBag@@QEAAJPEBGJKKPEAX@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::AddEnumToRefresher(struct _WBEM_REFRESHER_ID * __ptr64,unsigned short const * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddEnumToRefresher@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@PEBGJPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::AddEnumToRefresher(struct _WBEM_REFRESHER_ID * __ptr64,unsigned short const * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddEnumToRefresher@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@PEBGJPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; protected: long __cdecl CWbemRefreshingSvc::AddEnumToRefresher_(int,struct _WBEM_REFRESHER_ID * __ptr64,class CWbemObject * __ptr64,unsigned short const * __ptr64,long,struct IWbemContext * __ptr64,struct _WBEM_REFRESH_INFO * __ptr64) __ptr64 +?AddEnumToRefresher_@CWbemRefreshingSvc@@IEAAJHPEAU_WBEM_REFRESHER_ID@@PEAVCWbemObject@@PEBGJPEAUIWbemContext@@PEAU_WBEM_REFRESH_INFO@@@Z +; public: long __cdecl CWbemGuidToClassMap::AddMap(class CGUID & __ptr64,class CWbemClassToIdMap * __ptr64 * __ptr64) __ptr64 +?AddMap@CWbemGuidToClassMap@@QEAAJAEAVCGUID@@PEAPEAVCWbemClassToIdMap@@@Z +; public: long __cdecl CWbemClassCache::AddObject(struct _GUID & __ptr64,struct IWbemClassObject * __ptr64) __ptr64 +?AddObject@CWbemClassCache@@QEAAJAEAU_GUID@@PEAUIWbemClassObject@@@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::AddObjectToRefresher(struct _WBEM_REFRESHER_ID * __ptr64,unsigned short const * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddObjectToRefresher@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@PEBGJPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::AddObjectToRefresher(struct _WBEM_REFRESHER_ID * __ptr64,unsigned short const * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddObjectToRefresher@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@PEBGJPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::AddObjectToRefresherByTemplate(struct _WBEM_REFRESHER_ID * __ptr64,struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddObjectToRefresherByTemplate@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@PEAUIWbemClassObject@@JPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::AddObjectToRefresherByTemplate(struct _WBEM_REFRESHER_ID * __ptr64,struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,unsigned long,struct _WBEM_REFRESH_INFO * __ptr64,unsigned long * __ptr64) __ptr64 +?AddObjectToRefresherByTemplate@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@PEAUIWbemClassObject@@JPEAUIWbemContext@@KPEAU_WBEM_REFRESH_INFO@@PEAK@Z +; protected: long __cdecl CWbemRefreshingSvc::AddObjectToRefresher_(int,struct _WBEM_REFRESHER_ID * __ptr64,class CWbemObject * __ptr64,long,struct IWbemContext * __ptr64,struct _WBEM_REFRESH_INFO * __ptr64) __ptr64 +?AddObjectToRefresher_@CWbemRefreshingSvc@@IEAAJHPEAU_WBEM_REFRESHER_ID@@PEAVCWbemObject@@JPEAUIWbemContext@@PEAU_WBEM_REFRESH_INFO@@@Z +; public: long __cdecl CWbemClass::AddPropertyText(class WString & __ptr64,struct CPropertyLookup * __ptr64,class CPropertyInformation * __ptr64,long) __ptr64 +?AddPropertyText@CWbemClass@@QEAAJAEAVWString@@PEAUCPropertyLookup@@PEAVCPropertyInformation@@J@Z +; public: static void __cdecl CType::AddPropertyType(class WString & __ptr64,unsigned short const * __ptr64) +?AddPropertyType@CType@@SAXAEAVWString@@PEBG@Z +; protected: long __cdecl CQualifierSet::AddQualifierConflicts(class CVarVector & __ptr64) __ptr64 +?AddQualifierConflicts@CQualifierSet@@IEAAJAEAVCVarVector@@@Z +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::AddRef(void) __ptr64 +?AddRef@?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CQualifierSet::AddRef(void) __ptr64 +?AddRef@CQualifierSet@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemCallSecurity::AddRef(void) __ptr64 +?AddRef@CWbemCallSecurity@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemObject::AddRef(void) __ptr64 +?AddRef@CWbemObject@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemThreadSecurityHandle::AddRef(void) __ptr64 +?AddRef@CWbemThreadSecurityHandle@@UEAAKXZ +; protected: void __cdecl CPointerArray,class CFlexArray>::AddRefElement(class CFastPropertyBagItem * __ptr64) __ptr64 +?AddRefElement@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@IEAAXPEAVCFastPropertyBagItem@@@Z +; protected: void __cdecl CPointerArray,class CFlexArray>::AddRefElement(class CWmiTextSource * __ptr64) __ptr64 +?AddRefElement@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@IEAAXPEAVCWmiTextSource@@@Z +; public: void __cdecl CCompressedStringList::AddString(unsigned short const * __ptr64) __ptr64 +?AddString@CCompressedStringList@@QEAAXPEBG@Z +; public: static long __cdecl CMethodDescription::AddText(struct CMethodDescription * __ptr64 __ptr64,class WString & __ptr64,class CFastHeap * __ptr64,long) +?AddText@CMethodDescription@@SAJPEFAU1@AEAVWString@@PEAVCFastHeap@@J@Z +; public: long __cdecl CMethodPart::AddText(class WString & __ptr64,long) __ptr64 +?AddText@CMethodPart@@QEAAJAEAVWString@@J@Z +; public: int __cdecl CFastHeap::Allocate(unsigned long,unsigned long & __ptr64 __ptr64) __ptr64 +?Allocate@CFastHeap@@QEAAHKAEFAK@Z +; public: int __cdecl CFastHeap::AllocateString(char const * __ptr64,unsigned long & __ptr64 __ptr64) __ptr64 +?AllocateString@CFastHeap@@QEAAHPEBDAEFAK@Z +; public: int __cdecl CFastHeap::AllocateString(unsigned short const * __ptr64,unsigned long & __ptr64 __ptr64) __ptr64 +?AllocateString@CFastHeap@@QEAAHPEBGAEFAK@Z +; public: virtual long __cdecl CWbemObject::AppendArrayPropRangeByHandle(long,long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?AppendArrayPropRangeByHandle@CWbemObject@@UEAAJJJKKPEAX@Z +; public: long __cdecl CWbemObject::AppendQualifierArrayRange(unsigned short const * __ptr64,unsigned short const * __ptr64,int,long,long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?AppendQualifierArrayRange@CWbemObject@@QEAAJPEBG0HJJKKPEAX@Z +; public: static long __cdecl CUntypedArray::AppendRange(class CPtrSource * __ptr64,unsigned long,unsigned long,class CFastHeap * __ptr64,unsigned long,unsigned long,void * __ptr64) +?AppendRange@CUntypedArray@@SAJPEAVCPtrSource@@KKPEAVCFastHeap@@KKPEAX@Z +; public: static int __cdecl CWbemObject::AreEqual(class CWbemObject * __ptr64,class CWbemObject * __ptr64,long) +?AreEqual@CWbemObject@@SAHPEAV1@0J@Z +; public: int __cdecl CDecorationPart::AreKeysRemoved(void) __ptr64 +?AreKeysRemoved@CDecorationPart@@QEAAHXZ +; public: int __cdecl CLimitationMapping::ArePropertiesLimited(void) __ptr64 +?ArePropertiesLimited@CLimitationMapping@@QEAAHXZ +; public: static long __cdecl CWbemInstance::AsymmetricMerge(class CWbemInstance * __ptr64,class CWbemInstance * __ptr64) +?AsymmetricMerge@CWbemInstance@@SAJPEAV1@0@Z +; protected: unsigned long __cdecl CFastHeap::AugmentRequest(unsigned long,unsigned long) __ptr64 +?AugmentRequest@CFastHeap@@IEAAKKK@Z +; public: virtual long __cdecl CQualifierSet::BeginEnumeration(long) __ptr64 +?BeginEnumeration@CQualifierSet@@UEAAJJ@Z +; public: virtual long __cdecl CWbemObject::BeginEnumeration(long) __ptr64 +?BeginEnumeration@CWbemObject@@UEAAJJ@Z +; public: virtual long __cdecl CWbemObject::BeginEnumerationEx(long,long) __ptr64 +?BeginEnumerationEx@CWbemObject@@UEAAJJJ@Z +; public: virtual long __cdecl CWbemClass::BeginMethodEnumeration(long) __ptr64 +?BeginMethodEnumeration@CWbemClass@@UEAAJJ@Z +; public: virtual long __cdecl CWbemInstance::BeginMethodEnumeration(long) __ptr64 +?BeginMethodEnumeration@CWbemInstance@@UEAAJJ@Z +; public: void __cdecl CLimitationMapping::Build(int) __ptr64 +?Build@CLimitationMapping@@QEAAXH@Z +; public: virtual long __cdecl CWbemObject::CIMTYPEToVARTYPE(long,unsigned short * __ptr64) __ptr64 +?CIMTYPEToVARTYPE@CWbemObject@@UEAAJJPEAG@Z +; public: static class CType __cdecl CType::CVarToType(class CVar & __ptr64) +?CVarToType@CType@@SA?AV1@AEAVCVar@@@Z +; public: class CVar * __ptr64 __cdecl CWbemInstance::CalculateCachedKey(void) __ptr64 +?CalculateCachedKey@CWbemInstance@@QEAAPEAVCVar@@XZ +; public: long __cdecl CWbemMtgtDeliverEventPacket::CalculateLength(long,struct IWbemClassObject * __ptr64 * __ptr64,unsigned long * __ptr64,class CWbemClassToIdMap & __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?CalculateLength@CWbemMtgtDeliverEventPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAKAEAVCWbemClassToIdMap@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemObjectArrayPacket::CalculateLength(long,struct IWbemClassObject * __ptr64 * __ptr64,unsigned long * __ptr64,class CWbemClassToIdMap & __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?CalculateLength@CWbemObjectArrayPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAKAEAVCWbemClassToIdMap@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemSmartEnumNextPacket::CalculateLength(long,struct IWbemClassObject * __ptr64 * __ptr64,unsigned long * __ptr64,class CWbemClassToIdMap & __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?CalculateLength@CWbemSmartEnumNextPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAKAEAVCWbemClassToIdMap@@PEAU_GUID@@PEAH@Z +; public: static unsigned long __cdecl CUntypedArray::CalculateNecessarySpaceByLength(int,int) +?CalculateNecessarySpaceByLength@CUntypedArray@@SAKHH@Z +; public: static unsigned long __cdecl CUntypedArray::CalculateNecessarySpaceByType(class CType,int) +?CalculateNecessarySpaceByType@CUntypedArray@@SAKVCType@@H@Z +; public: static int __cdecl CType::CanBeKey(unsigned long) +?CanBeKey@CType@@SAHK@Z +; public: int __cdecl CBasicQualifierSet::CanBeReconciledWith(class CBasicQualifierSet & __ptr64) __ptr64 +?CanBeReconciledWith@CBasicQualifierSet@@QEAAHAEAV1@@Z +; public: enum EReconciliation __cdecl CClassAndMethods::CanBeReconciledWith(class CClassAndMethods & __ptr64) __ptr64 +?CanBeReconciledWith@CClassAndMethods@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CClassPart::CanBeReconciledWith(class CClassPart & __ptr64) __ptr64 +?CanBeReconciledWith@CClassPart@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CMethodPart::CanBeReconciledWith(class CMethodPart & __ptr64) __ptr64 +?CanBeReconciledWith@CMethodPart@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CWbemClass::CanBeReconciledWith(class CWbemClass * __ptr64) __ptr64 +?CanBeReconciledWith@CWbemClass@@QEAA?AW4EReconciliation@@PEAV1@@Z +; public: virtual long __cdecl CClassPart::CanContainAbstract(int) __ptr64 +?CanContainAbstract@CClassPart@@UEAAJH@Z +; public: virtual long __cdecl CInstancePQSContainer::CanContainAbstract(int) __ptr64 +?CanContainAbstract@CInstancePQSContainer@@UEAAJH@Z +; public: virtual long __cdecl CInstancePart::CanContainAbstract(int) __ptr64 +?CanContainAbstract@CInstancePart@@UEAAJH@Z +; public: virtual long __cdecl CMethodQualifierSetContainer::CanContainAbstract(int) __ptr64 +?CanContainAbstract@CMethodQualifierSetContainer@@UEAAJH@Z +; public: virtual long __cdecl CClassPart::CanContainDynamic(void) __ptr64 +?CanContainDynamic@CClassPart@@UEAAJXZ +; public: virtual long __cdecl CInstancePQSContainer::CanContainDynamic(void) __ptr64 +?CanContainDynamic@CInstancePQSContainer@@UEAAJXZ +; public: virtual long __cdecl CInstancePart::CanContainDynamic(void) __ptr64 +?CanContainDynamic@CInstancePart@@UEAAJXZ +; public: virtual long __cdecl CMethodQualifierSetContainer::CanContainDynamic(void) __ptr64 +?CanContainDynamic@CMethodQualifierSetContainer@@UEAAJXZ +; public: virtual long __cdecl CClassPart::CanContainKey(void) __ptr64 +?CanContainKey@CClassPart@@UEAAJXZ +; public: virtual long __cdecl CInstancePQSContainer::CanContainKey(void) __ptr64 +?CanContainKey@CInstancePQSContainer@@UEAAJXZ +; public: virtual long __cdecl CInstancePart::CanContainKey(void) __ptr64 +?CanContainKey@CInstancePart@@UEAAJXZ +; public: virtual long __cdecl CMethodQualifierSetContainer::CanContainKey(void) __ptr64 +?CanContainKey@CMethodQualifierSetContainer@@UEAAJXZ +; public: int __cdecl CClassPart::CanContainKeyedProps(void) __ptr64 +?CanContainKeyedProps@CClassPart@@QEAAHXZ +; public: virtual long __cdecl CClassPart::CanContainSingleton(void) __ptr64 +?CanContainSingleton@CClassPart@@UEAAJXZ +; public: virtual long __cdecl CInstancePQSContainer::CanContainSingleton(void) __ptr64 +?CanContainSingleton@CInstancePQSContainer@@UEAAJXZ +; public: virtual long __cdecl CInstancePart::CanContainSingleton(void) __ptr64 +?CanContainSingleton@CInstancePart@@UEAAJXZ +; public: virtual long __cdecl CMethodQualifierSetContainer::CanContainSingleton(void) __ptr64 +?CanContainSingleton@CMethodQualifierSetContainer@@UEAAJXZ +; public: virtual int __cdecl CClassPart::CanHaveCimtype(unsigned short const * __ptr64) __ptr64 +?CanHaveCimtype@CClassPart@@UEAAHPEBG@Z +; public: virtual int __cdecl CInstancePQSContainer::CanHaveCimtype(unsigned short const * __ptr64) __ptr64 +?CanHaveCimtype@CInstancePQSContainer@@UEAAHPEBG@Z +; public: virtual int __cdecl CInstancePart::CanHaveCimtype(unsigned short const * __ptr64) __ptr64 +?CanHaveCimtype@CInstancePart@@UEAAHPEBG@Z +; public: virtual int __cdecl CMethodQualifierSetContainer::CanHaveCimtype(unsigned short const * __ptr64) __ptr64 +?CanHaveCimtype@CMethodQualifierSetContainer@@UEAAHPEBG@Z +; public: int __cdecl CCompressedString::CheapCompare(class CCompressedString const & __ptr64)const __ptr64 +?CheapCompare@CCompressedString@@QEBAHAEBV1@@Z +; public: int __cdecl CClassPart::CheckBoolQualifier(unsigned short const * __ptr64) __ptr64 +?CheckBoolQualifier@CClassPart@@QEAAHPEBG@Z +; public: int __cdecl CWbemObject::CheckBooleanPropQual(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?CheckBooleanPropQual@CWbemObject@@QEAAHPEBG0@Z +; public: static int __cdecl CUntypedArray::CheckCVarVector(class CVarVector & __ptr64,unsigned long) +?CheckCVarVector@CUntypedArray@@SAHAEAVCVarVector@@K@Z +; protected: long __cdecl CMethodPart::CheckDuplicateParameters(class CWbemObject * __ptr64,class CWbemObject * __ptr64) __ptr64 +?CheckDuplicateParameters@CMethodPart@@IEAAJPEAVCWbemObject@@0@Z +; protected: long __cdecl CMethodPart::CheckIds(class CWbemClass * __ptr64,class CWbemClass * __ptr64) __ptr64 +?CheckIds@CMethodPart@@IEAAJPEAVCWbemClass@@0@Z +; public: static int __cdecl CUntypedArray::CheckIntervalDateTime(class CVarVector & __ptr64) +?CheckIntervalDateTime@CUntypedArray@@SAHAEAVCVarVector@@@Z +; public: int __cdecl CClassPart::CheckLocalBoolQualifier(unsigned short const * __ptr64) __ptr64 +?CheckLocalBoolQualifier@CClassPart@@QEAAHPEBG@Z +; public: static long __cdecl CUntypedArray::CheckRangeSize(unsigned long,unsigned long,unsigned long,unsigned long,void * __ptr64) +?CheckRangeSize@CUntypedArray@@SAJKKKKPEAX@Z +; protected: static long __cdecl CUntypedArray::CheckRangeSizeForGet(unsigned long,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64) +?CheckRangeSizeForGet@CUntypedArray@@KAJKKKKPEAK@Z +; private: void __cdecl CWbemClassCache::Clear(void) __ptr64 +?Clear@CWbemClassCache@@AEAAXXZ +; private: void __cdecl CWbemGuidToClassMap::Clear(void) __ptr64 +?Clear@CWbemGuidToClassMap@@AEAAXXZ +; public: void __cdecl CWbemInstance::ClearCachedKey(void) __ptr64 +?ClearCachedKey@CWbemInstance@@QEAAXXZ +; public: virtual void __cdecl CWbemInstance::ClearCachedKeyValue(void) __ptr64 +?ClearCachedKeyValue@CWbemInstance@@UEAAXXZ +; public: virtual long __cdecl CWbemClass::ClearWriteOnlyProperties(void) __ptr64 +?ClearWriteOnlyProperties@CWbemClass@@UEAAJXZ +; public: virtual long __cdecl CWbemInstance::ClearWriteOnlyProperties(void) __ptr64 +?ClearWriteOnlyProperties@CWbemInstance@@UEAAJXZ +; public: virtual long __cdecl CWbemClass::Clone(struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?Clone@CWbemClass@@UEAAJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemInstance::Clone(struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?Clone@CWbemInstance@@UEAAJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemClass::CloneAndDecorate(long,unsigned short * __ptr64,unsigned short * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CloneAndDecorate@CWbemClass@@UEAAJJPEAG0PEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemInstance::CloneAndDecorate(long,unsigned short * __ptr64,unsigned short * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CloneAndDecorate@CWbemInstance@@UEAAJJPEAG0PEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemClass::CloneEx(long,struct _IWmiObject * __ptr64) __ptr64 +?CloneEx@CWbemClass@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::CloneEx(long,struct _IWmiObject * __ptr64) __ptr64 +?CloneEx@CWbemInstance@@UEAAJJPEAU_IWmiObject@@@Z +; public: long __cdecl CWbemThreadSecurityHandle::CloneProcessContext(void) __ptr64 +?CloneProcessContext@CWbemThreadSecurityHandle@@QEAAJXZ +; public: long __cdecl CWbemThreadSecurityHandle::CloneRpcContext(struct IServerSecurity * __ptr64) __ptr64 +?CloneRpcContext@CWbemThreadSecurityHandle@@QEAAJPEAUIServerSecurity@@@Z +; public: long __cdecl CWbemThreadSecurityHandle::CloneThreadContext(unsigned long) __ptr64 +?CloneThreadContext@CWbemThreadSecurityHandle@@QEAAJK@Z +; public: void __cdecl CClassAndMethods::Compact(void) __ptr64 +?Compact@CClassAndMethods@@QEAAXXZ +; public: void __cdecl CClassPart::Compact(void) __ptr64 +?Compact@CClassPart@@QEAAXXZ +; public: void __cdecl CInstancePart::Compact(bool) __ptr64 +?Compact@CInstancePart@@QEAAX_N@Z +; public: void __cdecl CMethodPart::Compact(void) __ptr64 +?Compact@CMethodPart@@QEAAXXZ +; public: virtual void __cdecl CWbemClass::CompactAll(void) __ptr64 +?CompactAll@CWbemClass@@UEAAXXZ +; public: virtual void __cdecl CWbemInstance::CompactAll(void) __ptr64 +?CompactAll@CWbemInstance@@UEAAXXZ +; public: void __cdecl CWbemInstance::CompactClass(void) __ptr64 +?CompactClass@CWbemInstance@@QEAAXXZ +; public: int __cdecl CBasicQualifierSet::Compare(class CBasicQualifierSet & __ptr64,unsigned char,unsigned short const * __ptr64 * __ptr64,unsigned long) __ptr64 +?Compare@CBasicQualifierSet@@QEAAHAEAV1@EPEAPEBGK@Z +; public: int __cdecl CCompressedString::Compare(class CCompressedString const & __ptr64)const __ptr64 +?Compare@CCompressedString@@QEBAHAEBV1@@Z +; public: int __cdecl CCompressedString::Compare(char const * __ptr64)const __ptr64 +?Compare@CCompressedString@@QEBAHPEBD@Z +; public: int __cdecl CCompressedString::Compare(unsigned short const * __ptr64)const __ptr64 +?Compare@CCompressedString@@QEBAHPEBG@Z +; public: int __cdecl CInternalString::Compare(class CInternalString const & __ptr64)const __ptr64 +?Compare@CInternalString@@QEBAHAEBV1@@Z +; public: int __cdecl CInternalString::Compare(unsigned short const * __ptr64)const __ptr64 +?Compare@CInternalString@@QEBAHPEBG@Z +; public: int __cdecl CQualifierSet::Compare(class CQualifierSet & __ptr64,class CFixedBSTRArray * __ptr64,int) __ptr64 +?Compare@CQualifierSet@@QEAAHAEAV1@PEAVCFixedBSTRArray@@H@Z +; public: virtual long __cdecl CWbemObject::CompareClassParts(struct IWbemClassObject * __ptr64,long) __ptr64 +?CompareClassParts@CWbemObject@@UEAAJPEAUIWbemClassObject@@J@Z +; public: int __cdecl CClassPart::CompareDefs(class CClassPart & __ptr64) __ptr64 +?CompareDefs@CClassPart@@QEAAHAEAV1@@Z +; public: virtual long __cdecl CWbemClass::CompareDerivedMostClass(long,struct _IWmiObject * __ptr64) __ptr64 +?CompareDerivedMostClass@CWbemClass@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::CompareDerivedMostClass(long,struct _IWmiObject * __ptr64) __ptr64 +?CompareDerivedMostClass@CWbemInstance@@UEAAJJPEAU_IWmiObject@@@Z +; public: enum EReconciliation __cdecl CClassPart::CompareExactMatch(class CClassPart & __ptr64,int) __ptr64 +?CompareExactMatch@CClassPart@@QEAA?AW4EReconciliation@@AEAV1@H@Z +; public: enum EReconciliation __cdecl CMethodPart::CompareExactMatch(class CMethodPart & __ptr64) __ptr64 +?CompareExactMatch@CMethodPart@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: int __cdecl CBasicQualifierSet::CompareLocalizedSet(class CBasicQualifierSet & __ptr64) __ptr64 +?CompareLocalizedSet@CBasicQualifierSet@@QEAAHAEAV1@@Z +; public: long __cdecl CWbemClass::CompareMostDerivedClass(class CWbemClass * __ptr64) __ptr64 +?CompareMostDerivedClass@CWbemClass@@QEAAJPEAV1@@Z +; public: int __cdecl CCompressedString::CompareNoCase(class CCompressedString const & __ptr64)const __ptr64 +?CompareNoCase@CCompressedString@@QEBAHAEBV1@@Z +; public: int __cdecl CCompressedString::CompareNoCase(char const * __ptr64)const __ptr64 +?CompareNoCase@CCompressedString@@QEBAHPEBD@Z +; public: int __cdecl CCompressedString::CompareNoCase(unsigned short const * __ptr64)const __ptr64 +?CompareNoCase@CCompressedString@@QEBAHPEBG@Z +; public: enum EReconciliation __cdecl CClassAndMethods::CompareTo(class CClassAndMethods & __ptr64) __ptr64 +?CompareTo@CClassAndMethods@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: int __cdecl CDecorationPart::CompareTo(class CDecorationPart & __ptr64) __ptr64 +?CompareTo@CDecorationPart@@QEAAHAEAV1@@Z +; public: long __cdecl CMethodPart::CompareTo(long,class CMethodPart & __ptr64) __ptr64 +?CompareTo@CMethodPart@@QEAAJJAEAV1@@Z +; public: virtual long __cdecl CQualifierSet::CompareTo(long,struct IWbemQualifierSet * __ptr64) __ptr64 +?CompareTo@CQualifierSet@@UEAAJJPEAUIWbemQualifierSet@@@Z +; public: virtual long __cdecl CWbemClass::CompareTo(long,struct IWbemClassObject * __ptr64) __ptr64 +?CompareTo@CWbemClass@@UEAAJJPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemObject::CompareTo(long,struct IWbemClassObject * __ptr64) __ptr64 +?CompareTo@CWbemObject@@UEAAJJPEAUIWbemClassObject@@@Z +; protected: static int __cdecl CCompressedString::CompareUnicodeToAscii(unsigned short const * __ptr64 __ptr64,char const * __ptr64) +?CompareUnicodeToAscii@CCompressedString@@KAHPEFBGPEBD@Z +; protected: static int __cdecl CCompressedString::CompareUnicodeToAsciiNoCase(unsigned short const * __ptr64 __ptr64,char const * __ptr64,int) +?CompareUnicodeToAsciiNoCase@CCompressedString@@KAHPEFBGPEBDH@Z +; public: static unsigned long __cdecl CBasicQualifierSet::ComputeMergeSpace(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64,int) +?ComputeMergeSpace@CBasicQualifierSet@@SAKPEAEPEAVCFastHeap@@01H@Z +; public: static int __cdecl CCompressedString::ComputeNecessarySpace(char const * __ptr64) +?ComputeNecessarySpace@CCompressedString@@SAHPEBD@Z +; public: static int __cdecl CCompressedString::ComputeNecessarySpace(unsigned short const * __ptr64) +?ComputeNecessarySpace@CCompressedString@@SAHPEBG@Z +; public: static int __cdecl CCompressedString::ComputeNecessarySpace(unsigned short const * __ptr64,int & __ptr64) +?ComputeNecessarySpace@CCompressedString@@SAHPEBGAEAH@Z +; public: unsigned long __cdecl CCompressedStringList::ComputeNecessarySpace(class CCompressedString * __ptr64) __ptr64 +?ComputeNecessarySpace@CCompressedStringList@@QEAAKPEAVCCompressedString@@@Z +; public: static unsigned long __cdecl CDataTable::ComputeNecessarySpace(int,int) +?ComputeNecessarySpace@CDataTable@@SAKHH@Z +; public: static unsigned long __cdecl CDecorationPart::ComputeNecessarySpace(unsigned short const * __ptr64,unsigned short const * __ptr64) +?ComputeNecessarySpace@CDecorationPart@@SAKPEBG0@Z +; public: static unsigned long __cdecl CInstancePart::ComputeNecessarySpace(class CClassPart * __ptr64) +?ComputeNecessarySpace@CInstancePart@@SAKPEAVCClassPart@@@Z +; public: static unsigned long __cdecl CQualifierSetList::ComputeNecessarySpace(int) +?ComputeNecessarySpace@CQualifierSetList@@SAKH@Z +; public: static unsigned long __cdecl CBasicQualifierSet::ComputeNecessarySpaceForPropagation(unsigned char * __ptr64,unsigned char) +?ComputeNecessarySpaceForPropagation@CBasicQualifierSet@@SAKPEAEE@Z +; public: static unsigned long __cdecl CQualifierSetList::ComputeRealSpace(int) +?ComputeRealSpace@CQualifierSetList@@SAKH@Z +; public: static unsigned long __cdecl CBasicQualifierSet::ComputeUnmergedSpace(unsigned char * __ptr64) +?ComputeUnmergedSpace@CBasicQualifierSet@@SAKPEAE@Z +; public: unsigned char * __ptr64 __cdecl CInstancePart::ConvertToClass(class CClassPart & __ptr64,unsigned long,unsigned char * __ptr64) __ptr64 +?ConvertToClass@CInstancePart@@QEAAPEAEAEAVCClassPart@@KPEAE@Z +; public: long __cdecl CWbemInstance::ConvertToClass(class CWbemClass * __ptr64,class CWbemInstance * __ptr64 * __ptr64) __ptr64 +?ConvertToClass@CWbemInstance@@QEAAJPEAVCWbemClass@@PEAPEAV1@@Z +; public: long __cdecl CWbemInstance::ConvertToMergedInstance(void) __ptr64 +?ConvertToMergedInstance@CWbemInstance@@QEAAJXZ +; public: void __cdecl CCompressedString::ConvertToUnicode(unsigned short * __ptr64)const __ptr64 +?ConvertToUnicode@CCompressedString@@QEBAXPEAG@Z +; public: void __cdecl CFastHeap::Copy(unsigned long,unsigned long,unsigned long) __ptr64 +?Copy@CFastHeap@@QEAAXKKK@Z +; public: long __cdecl CFastPropertyBag::Copy(class CFastPropertyBag const & __ptr64) __ptr64 +?Copy@CFastPropertyBag@@QEAAJAEBV1@@Z +; public: long __cdecl CWbemInstance::CopyActualTransferBlob(long,unsigned char * __ptr64) __ptr64 +?CopyActualTransferBlob@CWbemInstance@@QEAAJJPEAE@Z +; public: long __cdecl CWbemInstance::CopyBlob(unsigned char * __ptr64,int) __ptr64 +?CopyBlob@CWbemInstance@@QEAAJPEAEH@Z +; public: virtual long __cdecl CWbemClass::CopyBlobOf(class CWbemObject * __ptr64) __ptr64 +?CopyBlobOf@CWbemClass@@UEAAJPEAVCWbemObject@@@Z +; public: virtual long __cdecl CWbemInstance::CopyBlobOf(class CWbemObject * __ptr64) __ptr64 +?CopyBlobOf@CWbemInstance@@UEAAJPEAVCWbemObject@@@Z +; public: unsigned char * __ptr64 __cdecl CCompressedStringList::CopyData(unsigned char * __ptr64) __ptr64 +?CopyData@CCompressedStringList@@QEAAPEAEPEAE@Z +; protected: void __cdecl CLimitationMapping::CopyInfo(class CPropertyInformation & __ptr64,class CPropertyInformation const & __ptr64) __ptr64 +?CopyInfo@CLimitationMapping@@IEAAXAEAVCPropertyInformation@@AEBV2@@Z +; public: virtual long __cdecl CWbemClass::CopyInstanceData(long,struct _IWmiObject * __ptr64) __ptr64 +?CopyInstanceData@CWbemClass@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::CopyInstanceData(long,struct _IWmiObject * __ptr64) __ptr64 +?CopyInstanceData@CWbemInstance@@UEAAJJPEAU_IWmiObject@@@Z +; public: long __cdecl CQualifierSet::CopyLocalQualifiers(class CQualifierSet & __ptr64) __ptr64 +?CopyLocalQualifiers@CQualifierSet@@QEAAJAEAV1@@Z +; public: void __cdecl CDataTable::CopyNullness(class CDataTable * __ptr64) __ptr64 +?CopyNullness@CDataTable@@QEAAXPEAV1@@Z +; public: long __cdecl CClassPart::CopyParentProperty(class CClassPart & __ptr64,unsigned short const * __ptr64) __ptr64 +?CopyParentProperty@CClassPart@@QEAAJAEAV1@PEBG@Z +; public: static int __cdecl CCompressedString::CopyToNewHeap(unsigned long,class CFastHeap * __ptr64,class CFastHeap * __ptr64,unsigned long & __ptr64 __ptr64) +?CopyToNewHeap@CCompressedString@@SAHKPEAVCFastHeap@@0AEFAK@Z +; public: static int __cdecl CEmbeddedObject::CopyToNewHeap(unsigned long,class CFastHeap * __ptr64,class CFastHeap * __ptr64,unsigned long & __ptr64 __ptr64) +?CopyToNewHeap@CEmbeddedObject@@SAHKPEAVCFastHeap@@0AEFAK@Z +; public: static int __cdecl CUntypedArray::CopyToNewHeap(unsigned long,class CType,class CFastHeap * __ptr64,class CFastHeap * __ptr64,unsigned long & __ptr64 __ptr64) +?CopyToNewHeap@CUntypedArray@@SAHKVCType@@PEAVCFastHeap@@1AEFAK@Z +; public: static long __cdecl CWbemInstance::CopyTransferArrayBlob(class CWbemInstance * __ptr64,long,long,unsigned char * __ptr64,class CFlexArray & __ptr64,long * __ptr64) +?CopyTransferArrayBlob@CWbemInstance@@SAJPEAV1@JJPEAEAEAVCFlexArray@@PEAJ@Z +; public: long __cdecl CWbemInstance::CopyTransferBlob(long,long,unsigned char * __ptr64) __ptr64 +?CopyTransferBlob@CWbemInstance@@QEAAJJJPEAE@Z +; public: void __cdecl CDecorationPart::Create(unsigned char,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned char * __ptr64) __ptr64 +?Create@CDecorationPart@@QEAAXEPEBG0PEAE@Z +; public: void __cdecl CFixedBSTRArray::Create(int) __ptr64 +?Create@CFixedBSTRArray@@QEAAXH@Z +; public: void __cdecl CInstancePQSContainer::Create(class CQualifierSetList * __ptr64,int,class CClassPart * __ptr64,unsigned long) __ptr64 +?Create@CInstancePQSContainer@@QEAAXPEAVCQualifierSetList@@HPEAVCClassPart@@K@Z +; public: unsigned char * __ptr64 __cdecl CInstancePart::Create(unsigned char * __ptr64,class CClassPart * __ptr64,class CInstancePartContainer * __ptr64) __ptr64 +?Create@CInstancePart@@QEAAPEAEPEAEPEAVCClassPart@@PEAVCInstancePartContainer@@@Z +; public: long __cdecl CWmiObjectFactory::Create(struct IUnknown * __ptr64,unsigned long,struct _GUID const & __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?Create@CWmiObjectFactory@@QEAAJPEAUIUnknown@@KAEBU_GUID@@1PEAPEAX@Z +; public: virtual long __cdecl CWmiObjectFactory::XObjectFactory::Create(struct IUnknown * __ptr64,unsigned long,struct _GUID const & __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?Create@XObjectFactory@CWmiObjectFactory@@UEAAJPEAUIUnknown@@KAEBU_GUID@@1PEAPEAX@Z +; public: unsigned short * __ptr64 __cdecl CCompressedString::CreateBSTRCopy(void)const __ptr64 +?CreateBSTRCopy@CCompressedString@@QEBAPEAGXZ +; public: class CVarVector * __ptr64 __cdecl CUntypedArray::CreateCVarVector(class CType,class CFastHeap * __ptr64) __ptr64 +?CreateCVarVector@CUntypedArray@@QEAAPEAVCVarVector@@VCType@@PEAVCFastHeap@@@Z +; public: long __cdecl CWbemClass::CreateDerivedClass(class CWbemClass * __ptr64 * __ptr64) __ptr64 +?CreateDerivedClass@CWbemClass@@QEAAJPEAPEAV1@@Z +; public: long __cdecl CWbemClass::CreateDerivedClass(class CWbemClass * __ptr64,int,class CDecorationPart * __ptr64) __ptr64 +?CreateDerivedClass@CWbemClass@@QEAAJPEAV1@HPEAVCDecorationPart@@@Z +; public: unsigned char * __ptr64 __cdecl CClassAndMethods::CreateDerivedPart(unsigned char * __ptr64,unsigned long) __ptr64 +?CreateDerivedPart@CClassAndMethods@@QEAAPEAEPEAEK@Z +; public: unsigned char * __ptr64 __cdecl CClassPart::CreateDerivedPart(unsigned char * __ptr64,int) __ptr64 +?CreateDerivedPart@CClassPart@@QEAAPEAEPEAEH@Z +; public: unsigned char * __ptr64 __cdecl CMethodPart::CreateDerivedPart(unsigned char * __ptr64,unsigned long) __ptr64 +?CreateDerivedPart@CMethodPart@@QEAAPEAEPEAEK@Z +; public: static int __cdecl CMethodDescription::CreateDerivedVersion(struct CMethodDescription * __ptr64 __ptr64,struct CMethodDescription * __ptr64 __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64) +?CreateDerivedVersion@CMethodDescription@@SAHPEFAU1@0PEAVCFastHeap@@1@Z +; public: static unsigned char * __ptr64 __cdecl CBasicQualifierSet::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CBasicQualifierSet@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CClassAndMethods::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CClassAndMethods@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CClassPart::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CClassPart@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CCompressedString::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CCompressedString@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CCompressedStringList::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CCompressedStringList@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CDataTable::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CDataTable@@SAPEAEPEAE@Z +; public: unsigned char * __ptr64 __cdecl CDecorationPart::CreateEmpty(unsigned char,unsigned char * __ptr64) __ptr64 +?CreateEmpty@CDecorationPart@@QEAAPEAEEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CFastHeap::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CFastHeap@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CMethodPart::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CMethodPart@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CPropertyLookupTable::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CPropertyLookupTable@@SAPEAEPEAE@Z +; public: static unsigned char * __ptr64 __cdecl CWbemClass::CreateEmpty(unsigned char * __ptr64) +?CreateEmpty@CWbemClass@@SAPEAEPEAE@Z +; public: static class CWbemClass * __ptr64 __cdecl CWbemClass::CreateFromBlob2(class CWbemClass * __ptr64,unsigned char * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64) +?CreateFromBlob2@CWbemClass@@SAPEAV1@PEAV1@PEAEPEAG2@Z +; public: static class CWbemInstance * __ptr64 __cdecl CWbemInstance::CreateFromBlob2(class CWbemClass * __ptr64,unsigned char * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64) +?CreateFromBlob2@CWbemInstance@@SAPEAV1@PEAVCWbemClass@@PEAEPEAG2@Z +; public: static class CWbemClass * __ptr64 __cdecl CWbemClass::CreateFromBlob(class CWbemClass * __ptr64,unsigned char * __ptr64,unsigned __int64) +?CreateFromBlob@CWbemClass@@SAPEAV1@PEAV1@PEAE_K@Z +; public: static class CWbemInstance * __ptr64 __cdecl CWbemInstance::CreateFromBlob(class CWbemClass * __ptr64,unsigned char * __ptr64,unsigned __int64) +?CreateFromBlob@CWbemInstance@@SAPEAV1@PEAVCWbemClass@@PEAE_K@Z +; public: static class CWbemObject * __ptr64 __cdecl CWbemObject::CreateFromMemory(unsigned char * __ptr64,int,int,class CBlobControl & __ptr64) +?CreateFromMemory@CWbemObject@@SAPEAV1@PEAEHHAEAVCBlobControl@@@Z +; public: static class CWbemObject * __ptr64 __cdecl CWbemObject::CreateFromStream(struct IStream * __ptr64) +?CreateFromStream@CWbemObject@@SAPEAV1@PEAUIStream@@@Z +; public: virtual long __cdecl CWmiObjectTextSrc::XObjectTextSrc::CreateFromText(long,unsigned short * __ptr64,unsigned long,struct IWbemContext * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CreateFromText@XObjectTextSrc@CWmiObjectTextSrc@@UEAAJJPEAGKPEAUIWbemContext@@PEAPEAUIWbemClassObject@@@Z +; public: unsigned short * __ptr64 __cdecl CInternalString::CreateLPWSTRCopy(void)const __ptr64 +?CreateLPWSTRCopy@CInternalString@@QEBAPEAGXZ +; public: unsigned char * __ptr64 __cdecl CClassAndMethods::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,int,unsigned char * __ptr64,int & __ptr64) __ptr64 +?CreateLimitedRepresentation@CClassAndMethods@@QEAAPEAEPEAVCLimitationMapping@@HPEAEAEAH@Z +; public: unsigned char * __ptr64 __cdecl CClassPart::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,int,unsigned char * __ptr64,int & __ptr64) __ptr64 +?CreateLimitedRepresentation@CClassPart@@QEAAPEAEPEAVCLimitationMapping@@HPEAEAEAH@Z +; public: unsigned char * __ptr64 __cdecl CDataTable::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,int,class CFastHeap * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64) __ptr64 +?CreateLimitedRepresentation@CDataTable@@QEAAPEAEPEAVCLimitationMapping@@HPEAVCFastHeap@@1PEAE@Z +; public: unsigned char * __ptr64 __cdecl CDecorationPart::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,unsigned char * __ptr64) __ptr64 +?CreateLimitedRepresentation@CDecorationPart@@QEAAPEAEPEAVCLimitationMapping@@PEAE@Z +; public: unsigned char * __ptr64 __cdecl CDerivationList::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,unsigned char * __ptr64) __ptr64 +?CreateLimitedRepresentation@CDerivationList@@QEAAPEAEPEAVCLimitationMapping@@PEAE@Z +; public: unsigned char * __ptr64 __cdecl CInstancePart::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,int,unsigned char * __ptr64) __ptr64 +?CreateLimitedRepresentation@CInstancePart@@QEAAPEAEPEAVCLimitationMapping@@HPEAE@Z +; public: unsigned char * __ptr64 __cdecl CPropertyLookupTable::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,int & __ptr64) __ptr64 +?CreateLimitedRepresentation@CPropertyLookupTable@@QEAAPEAEPEAVCLimitationMapping@@PEAVCFastHeap@@PEAEAEAH@Z +; public: unsigned char * __ptr64 __cdecl CQualifierSetList::CreateLimitedRepresentation(class CLimitationMapping * __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64) __ptr64 +?CreateLimitedRepresentation@CQualifierSetList@@QEAAPEAEPEAVCLimitationMapping@@PEAVCFastHeap@@1PEAE@Z +; public: static unsigned char * __ptr64 __cdecl CQualifierSetList::CreateListOfEmpties(unsigned char * __ptr64,int) +?CreateListOfEmpties@CQualifierSetList@@SAPEAEPEAEH@Z +; protected: long __cdecl CMethodPart::CreateMethod(unsigned short const * __ptr64,class CWbemObject * __ptr64,class CWbemObject * __ptr64) __ptr64 +?CreateMethod@CMethodPart@@IEAAJPEBGPEAVCWbemObject@@1@Z +; public: int __cdecl CFastHeap::CreateNoCaseStringHeapPtr(unsigned short const * __ptr64,unsigned long & __ptr64 __ptr64) __ptr64 +?CreateNoCaseStringHeapPtr@CFastHeap@@QEAAHPEBGAEFAK@Z +; public: unsigned char * __ptr64 __cdecl CFastHeap::CreateOutOfLine(unsigned char * __ptr64,unsigned long) __ptr64 +?CreateOutOfLine@CFastHeap@@QEAAPEAEPEAEK@Z +; protected: long __cdecl CWbemRefreshingSvc::CreateRefreshableObjectTemplate(unsigned short const * __ptr64,long,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CreateRefreshableObjectTemplate@CWbemRefreshingSvc@@IEAAJPEBGJPEAPEAUIWbemClassObject@@@Z +; public: static int __cdecl CMethodDescription::CreateUnmergedVersion(struct CMethodDescription * __ptr64 __ptr64,struct CMethodDescription * __ptr64 __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64) +?CreateUnmergedVersion@CMethodDescription@@SAHPEFAU1@0PEAVCFastHeap@@1@Z +; public: class WString __cdecl CCompressedString::CreateWStringCopy(void)const __ptr64 +?CreateWStringCopy@CCompressedString@@QEBA?AVWString@@XZ +; public: unsigned char * __ptr64 __cdecl CCompressedStringList::CreateWithExtra(unsigned char * __ptr64,class CCompressedString * __ptr64) __ptr64 +?CreateWithExtra@CCompressedStringList@@QEAAPEAEPEAEPEAVCCompressedString@@@Z +; public: virtual long __cdecl CWbemClass::Decorate(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?Decorate@CWbemClass@@UEAAJPEBG0@Z +; public: virtual long __cdecl CWbemInstance::Decorate(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?Decorate@CWbemInstance@@UEAAJPEBG0@Z +; public: static void __cdecl CBasicQualifierSet::Delete(unsigned char * __ptr64,class CFastHeap * __ptr64) +?Delete@CBasicQualifierSet@@SAXPEAEPEAVCFastHeap@@@Z +; public: virtual long __cdecl CQualifierSet::Delete(unsigned short const * __ptr64) __ptr64 +?Delete@CQualifierSet@@UEAAJPEBG@Z +; public: void __cdecl CUntypedArray::Delete(class CType,class CFastHeap * __ptr64) __ptr64 +?Delete@CUntypedArray@@QEAAXVCType@@PEAVCFastHeap@@@Z +; public: virtual long __cdecl CWbemClass::Delete(unsigned short const * __ptr64) __ptr64 +?Delete@CWbemClass@@UEAAJPEBG@Z +; public: virtual long __cdecl CWbemInstance::Delete(unsigned short const * __ptr64) __ptr64 +?Delete@CWbemInstance@@UEAAJPEBG@Z +; public: long __cdecl CMethodPart::DeleteMethod(unsigned short const * __ptr64) __ptr64 +?DeleteMethod@CMethodPart@@QEAAJPEBG@Z +; public: virtual long __cdecl CWbemClass::DeleteMethod(unsigned short const * __ptr64) __ptr64 +?DeleteMethod@CWbemClass@@UEAAJPEBG@Z +; public: virtual long __cdecl CWbemInstance::DeleteMethod(unsigned short const * __ptr64) __ptr64 +?DeleteMethod@CWbemInstance@@UEAAJPEBG@Z +; public: long __cdecl CClassPart::DeleteProperty(unsigned short const * __ptr64) __ptr64 +?DeleteProperty@CClassPart@@QEAAJPEBG@Z +; public: void __cdecl CClassPart::DeleteProperty(int) __ptr64 +?DeleteProperty@CClassPart@@QEAAXH@Z +; public: void __cdecl CInstancePart::DeleteProperty(class CPropertyInformation * __ptr64) __ptr64 +?DeleteProperty@CInstancePart@@QEAAXPEAVCPropertyInformation@@@Z +; public: void __cdecl CPropertyLookupTable::DeleteProperty(struct CPropertyLookup * __ptr64,int) __ptr64 +?DeleteProperty@CPropertyLookupTable@@QEAAXPEAUCPropertyLookup@@H@Z +; public: long __cdecl CWbemInstance::DeleteProperty(int) __ptr64 +?DeleteProperty@CWbemInstance@@QEAAJH@Z +; public: long __cdecl CQualifierSet::DeleteQualifier(unsigned short const * __ptr64,int) __ptr64 +?DeleteQualifier@CQualifierSet@@QEAAJPEBGH@Z +; public: void __cdecl CQualifierSetList::DeleteQualifierSet(int) __ptr64 +?DeleteQualifierSet@CQualifierSetList@@QEAAXH@Z +; protected: void __cdecl CMethodPart::DeleteSignature(int,int) __ptr64 +?DeleteSignature@CMethodPart@@IEAAXHH@Z +; protected: static long __cdecl CWbemObject::DisabledValidateObject(class CWbemObject * __ptr64) +?DisabledValidateObject@CWbemObject@@KAJPEAV1@@Z +; public: void __cdecl CPointerArray,class CFlexArray>::Discard(int) __ptr64 +?Discard@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXH@Z +; public: void __cdecl CPointerArray,class CFlexArray>::Discard(int) __ptr64 +?Discard@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXH@Z +; public: virtual long __cdecl CWbemObject::DisconnectObject(unsigned long) __ptr64 +?DisconnectObject@CWbemObject@@UEAAJK@Z +; protected: int __cdecl CMethodPart::DoSignaturesMatch(int,enum METHOD_SIGNATURE_TYPE,class CWbemObject * __ptr64) __ptr64 +?DoSignaturesMatch@CMethodPart@@IEAAHHW4METHOD_SIGNATURE_TYPE@@PEAVCWbemObject@@@Z +; public: static int __cdecl CType::DoesCIMTYPEMatchVARTYPE(long,unsigned short) +?DoesCIMTYPEMatchVARTYPE@CType@@SAHJG@Z +; protected: int __cdecl CMethodPart::DoesSignatureMatchOther(class CMethodPart & __ptr64,int,enum METHOD_SIGNATURE_TYPE) __ptr64 +?DoesSignatureMatchOther@CMethodPart@@IEAAHAEAV1@HW4METHOD_SIGNATURE_TYPE@@@Z +; public: int __cdecl CFastHeap::ElementMaxSize(unsigned long) __ptr64 +?ElementMaxSize@CFastHeap@@QEAAHK@Z +; public: void __cdecl CFastHeap::Empty(void) __ptr64 +?Empty@CFastHeap@@QEAAXXZ +; public: void __cdecl CInternalString::Empty(void) __ptr64 +?Empty@CInternalString@@QEAAXXZ +; protected: static long __cdecl CWbemObject::EnabledValidateObject(class CWbemObject * __ptr64) +?EnabledValidateObject@CWbemObject@@KAJPEAV1@@Z +; public: virtual long __cdecl CQualifierSet::EndEnumeration(void) __ptr64 +?EndEnumeration@CQualifierSet@@UEAAJXZ +; public: virtual long __cdecl CWbemObject::EndEnumeration(void) __ptr64 +?EndEnumeration@CWbemObject@@UEAAJXZ +; public: virtual long __cdecl CWbemClass::EndMethodEnumeration(void) __ptr64 +?EndMethodEnumeration@CWbemClass@@UEAAJXZ +; public: virtual long __cdecl CWbemInstance::EndMethodEnumeration(void) __ptr64 +?EndMethodEnumeration@CWbemInstance@@UEAAJXZ +; public: long __cdecl CClassPart::EnsureProperty(unsigned short const * __ptr64,unsigned short,long,int) __ptr64 +?EnsureProperty@CClassPart@@QEAAJPEBGGJH@Z +; public: long __cdecl CMethodPart::EnsureQualifier(class CWbemObject * __ptr64,unsigned short const * __ptr64,class CWbemObject * __ptr64 * __ptr64) __ptr64 +?EnsureQualifier@CMethodPart@@QEAAJPEAVCWbemObject@@PEBGPEAPEAV2@@Z +; public: long __cdecl CWbemClass::EnsureQualifier(unsigned short const * __ptr64) __ptr64 +?EnsureQualifier@CWbemClass@@QEAAJPEBG@Z +; public: int __cdecl CQualifierSetList::EnsureReal(void) __ptr64 +?EnsureReal@CQualifierSetList@@QEAAHXZ +; public: long __cdecl CBasicQualifierSet::EnumPrimaryQualifiers(unsigned char,unsigned char,class CFixedBSTRArray & __ptr64,class CFixedBSTRArray & __ptr64) __ptr64 +?EnumPrimaryQualifiers@CBasicQualifierSet@@QEAAJEEAEAVCFixedBSTRArray@@0@Z +; public: long __cdecl CQualifierSet::EnumQualifiers(unsigned char,unsigned char,class CFixedBSTRArray & __ptr64) __ptr64 +?EnumQualifiers@CQualifierSet@@QEAAJEEAEAVCFixedBSTRArray@@@Z +; public: unsigned long __cdecl CWbemClass::EstimateDerivedClassSpace(class CDecorationPart * __ptr64) __ptr64 +?EstimateDerivedClassSpace@CWbemClass@@QEAAKPEAVCDecorationPart@@@Z +; public: unsigned long __cdecl CClassAndMethods::EstimateDerivedPartSpace(void) __ptr64 +?EstimateDerivedPartSpace@CClassAndMethods@@QEAAKXZ +; public: unsigned long __cdecl CClassPart::EstimateDerivedPartSpace(void) __ptr64 +?EstimateDerivedPartSpace@CClassPart@@QEAAKXZ +; public: unsigned long __cdecl CMethodPart::EstimateDerivedPartSpace(void) __ptr64 +?EstimateDerivedPartSpace@CMethodPart@@QEAAKXZ +; public: static unsigned long __cdecl CCompressedStringList::EstimateExtraSpace(class CCompressedString * __ptr64) +?EstimateExtraSpace@CCompressedStringList@@SAKPEAVCCompressedString@@@Z +; public: static unsigned long __cdecl CCompressedStringList::EstimateExtraSpace(unsigned short const * __ptr64) +?EstimateExtraSpace@CCompressedStringList@@SAKPEBG@Z +; public: static unsigned long __cdecl CWbemInstance::EstimateInstanceSpace(class CClassPart & __ptr64,class CDecorationPart * __ptr64) +?EstimateInstanceSpace@CWbemInstance@@SAKAEAVCClassPart@@PEAVCDecorationPart@@@Z +; public: unsigned long __cdecl CWbemObject::EstimateLimitedRepresentationSpace(long,class CWStringArray * __ptr64) __ptr64 +?EstimateLimitedRepresentationSpace@CWbemObject@@QEAAKJPEAVCWStringArray@@@Z +; public: static unsigned long __cdecl CClassAndMethods::EstimateMergeSpace(class CClassAndMethods & __ptr64,class CClassAndMethods & __ptr64) +?EstimateMergeSpace@CClassAndMethods@@SAKAEAV1@0@Z +; public: static unsigned long __cdecl CClassPart::EstimateMergeSpace(class CClassPart & __ptr64,class CClassPart & __ptr64) +?EstimateMergeSpace@CClassPart@@SAKAEAV1@0@Z +; public: static unsigned long __cdecl CMethodPart::EstimateMergeSpace(class CMethodPart & __ptr64,class CMethodPart & __ptr64) +?EstimateMergeSpace@CMethodPart@@SAKAEAV1@0@Z +; public: unsigned long __cdecl CWbemClass::EstimateMergeSpace(unsigned char * __ptr64,long) __ptr64 +?EstimateMergeSpace@CWbemClass@@QEAAKPEAEJ@Z +; public: static unsigned long __cdecl CEmbeddedObject::EstimateNecessarySpace(class CVar & __ptr64) +?EstimateNecessarySpace@CEmbeddedObject@@SAKAEAVCVar@@@Z +; public: static unsigned long __cdecl CEmbeddedObject::EstimateNecessarySpace(class CWbemObject * __ptr64) +?EstimateNecessarySpace@CEmbeddedObject@@SAKPEAVCWbemObject@@@Z +; public: unsigned long __cdecl CClassAndMethods::EstimateUnmergeSpace(void) __ptr64 +?EstimateUnmergeSpace@CClassAndMethods@@QEAAKXZ +; public: unsigned long __cdecl CClassPart::EstimateUnmergeSpace(void) __ptr64 +?EstimateUnmergeSpace@CClassPart@@QEAAKXZ +; public: unsigned long __cdecl CMethodPart::EstimateUnmergeSpace(void) __ptr64 +?EstimateUnmergeSpace@CMethodPart@@QEAAKXZ +; public: virtual unsigned long __cdecl CWbemClass::EstimateUnmergeSpace(void) __ptr64 +?EstimateUnmergeSpace@CWbemClass@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemInstance::EstimateUnmergeSpace(void) __ptr64 +?EstimateUnmergeSpace@CWbemInstance@@UEAAKXZ +; public: int __cdecl CFastHeap::Extend(unsigned long,unsigned long,unsigned long) __ptr64 +?Extend@CFastHeap@@QEAAHKKK@Z +; public: int __cdecl CWbemClass::ExtendClassAndMethodsSpace(unsigned long) __ptr64 +?ExtendClassAndMethodsSpace@CWbemClass@@QEAAHK@Z +; public: virtual int __cdecl CClassAndMethods::ExtendClassPartSpace(class CClassPart * __ptr64,unsigned long) __ptr64 +?ExtendClassPartSpace@CClassAndMethods@@UEAAHPEAVCClassPart@@K@Z +; public: virtual int __cdecl CWbemInstance::ExtendClassPartSpace(class CClassPart * __ptr64,unsigned long) __ptr64 +?ExtendClassPartSpace@CWbemInstance@@UEAAHPEAVCClassPart@@K@Z +; public: virtual int __cdecl CClassPart::ExtendDataTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendDataTableSpace@CClassPart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CInstancePart::ExtendDataTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendDataTableSpace@CInstancePart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CClassPart::ExtendHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendHeapSize@CClassPart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CInstancePart::ExtendHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendHeapSize@CInstancePart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CMethodPart::ExtendHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendHeapSize@CMethodPart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CWbemInstance::ExtendInstancePartSpace(class CInstancePart * __ptr64,unsigned long) __ptr64 +?ExtendInstancePartSpace@CWbemInstance@@UEAAHPEAVCInstancePart@@K@Z +; public: virtual int __cdecl CClassAndMethods::ExtendMethodPartSpace(class CMethodPart * __ptr64,unsigned long) __ptr64 +?ExtendMethodPartSpace@CClassAndMethods@@UEAAHPEAVCMethodPart@@K@Z +; public: virtual int __cdecl CClassPart::ExtendPropertyTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendPropertyTableSpace@CClassPart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CInstancePart::ExtendQualifierSetListSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ExtendQualifierSetListSpace@CInstancePart@@UEAAHPEAEKK@Z +; public: virtual int __cdecl CClassPart::ExtendQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ExtendQualifierSetSpace@CClassPart@@UEAAHPEAVCBasicQualifierSet@@K@Z +; public: virtual int __cdecl CInstancePQSContainer::ExtendQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ExtendQualifierSetSpace@CInstancePQSContainer@@UEAAHPEAVCBasicQualifierSet@@K@Z +; public: virtual int __cdecl CInstancePart::ExtendQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ExtendQualifierSetSpace@CInstancePart@@UEAAHPEAVCBasicQualifierSet@@K@Z +; public: virtual int __cdecl CMethodQualifierSetContainer::ExtendQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ExtendQualifierSetSpace@CMethodQualifierSetContainer@@UEAAHPEAVCBasicQualifierSet@@K@Z +; public: int __cdecl CQualifierSetList::ExtendQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ExtendQualifierSetSpace@CQualifierSetList@@QEAAHPEAVCBasicQualifierSet@@K@Z +; public: int __cdecl CDataTable::ExtendTo(unsigned short,unsigned long) __ptr64 +?ExtendTo@CDataTable@@QEAAHGK@Z +; public: long __cdecl CWbemInstance::FastClone(class CWbemInstance * __ptr64) __ptr64 +?FastClone@CWbemInstance@@QEAAJPEAV1@@Z +; public: void __cdecl CFixedBSTRArray::Filter(unsigned short const * __ptr64,int) __ptr64 +?Filter@CFixedBSTRArray@@QEAAXPEBGH@Z +; public: int __cdecl CCompressedStringList::Find(unsigned short const * __ptr64) __ptr64 +?Find@CCompressedStringList@@QEAAHPEBG@Z +; public: class WString __cdecl CWbemClass::FindLimitationError(long,class CWStringArray * __ptr64) __ptr64 +?FindLimitationError@CWbemClass@@QEAA?AVWString@@JPEAVCWStringArray@@@Z +; protected: int __cdecl CMethodPart::FindMethod(unsigned short const * __ptr64) __ptr64 +?FindMethod@CMethodPart@@IEAAHPEBG@Z +; public: virtual long __cdecl CWbemClass::FindMethod(unsigned short const * __ptr64) __ptr64 +?FindMethod@CWbemClass@@UEAAJPEBG@Z +; public: virtual long __cdecl CWbemObject::FindMethod(unsigned short const * __ptr64) __ptr64 +?FindMethod@CWbemObject@@UEAAJPEBG@Z +; public: static int __cdecl CSystemProperties::FindName(unsigned short const * __ptr64) +?FindName@CSystemProperties@@SAHPEBG@Z +; protected: class CFastPropertyBagItem * __ptr64 __cdecl CFastPropertyBag::FindProperty(unsigned short const * __ptr64) __ptr64 +?FindProperty@CFastPropertyBag@@IEAAPEAVCFastPropertyBagItem@@PEBG@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CPropertyLookupTable::FindProperty(unsigned short const * __ptr64) __ptr64 +?FindProperty@CPropertyLookupTable@@QEAAPEAUCPropertyLookup@@PEBG@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CPropertyLookupTable::FindPropertyByName(class CCompressedString * __ptr64) __ptr64 +?FindPropertyByName@CPropertyLookupTable@@QEAAPEAUCPropertyLookup@@PEAVCCompressedString@@@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CPropertyLookupTable::FindPropertyByOffset(unsigned long) __ptr64 +?FindPropertyByOffset@CPropertyLookupTable@@QEAAPEAUCPropertyLookup@@K@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CPropertyLookupTable::FindPropertyByPtr(unsigned long) __ptr64 +?FindPropertyByPtr@CPropertyLookupTable@@QEAAPEAUCPropertyLookup@@K@Z +; protected: int __cdecl CFastPropertyBag::FindPropertyIndex(unsigned short const * __ptr64) __ptr64 +?FindPropertyIndex@CFastPropertyBag@@IEAAHPEBG@Z +; public: class CPropertyInformation * __ptr64 __cdecl CClassPart::FindPropertyInfo(unsigned short const * __ptr64) __ptr64 +?FindPropertyInfo@CClassPart@@QEAAPEAVCPropertyInformation@@PEBG@Z +; public: long __cdecl CWbemClass::ForcePropValue(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?ForcePropValue@CWbemClass@@QEAAJPEBGPEAVCVar@@J@Z +; public: long __cdecl CWbemClass::ForcePut(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,long) __ptr64 +?ForcePut@CWbemClass@@QEAAJPEBGJPEAUtagVARIANT@@J@Z +; public: void __cdecl CFastHeap::Free(unsigned long,unsigned long) __ptr64 +?Free@CFastHeap@@QEAAXKK@Z +; public: void __cdecl CFixedBSTRArray::Free(void) __ptr64 +?Free@CFixedBSTRArray@@QEAAXXZ +; public: void __cdecl CFastHeap::FreeString(unsigned long) __ptr64 +?FreeString@CFastHeap@@QEAAXK@Z +; public: long __cdecl CFastPropertyBag::Get(int,unsigned short const * __ptr64 * __ptr64,long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?Get@CFastPropertyBag@@QEAAJHPEAPEBGPEAJPEAK2PEAPEAX@Z +; public: long __cdecl CFastPropertyBag::Get(unsigned short const * __ptr64,long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?Get@CFastPropertyBag@@QEAAJPEBGPEAJPEAK2PEAPEAX@Z +; public: virtual long __cdecl CQualifierSet::Get(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,long * __ptr64) __ptr64 +?Get@CQualifierSet@@UEAAJPEBGJPEAUtagVARIANT@@PEAJ@Z +; public: long __cdecl CWbemFetchRefrMgr::Get(struct _IWbemRefresherMgr * __ptr64 * __ptr64) __ptr64 +?Get@CWbemFetchRefrMgr@@QEAAJPEAPEAU_IWbemRefresherMgr@@@Z +; public: virtual long __cdecl CWbemObject::Get(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?Get@CWbemObject@@UEAAJPEBGJPEAUtagVARIANT@@PEAJ2@Z +; public: virtual long __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::Get(struct _IWbemRefresherMgr * __ptr64 * __ptr64) __ptr64 +?Get@XFetchRefrMgr@CWbemFetchRefrMgr@@UEAAJPEAPEAU_IWbemRefresherMgr@@@Z +; public: unsigned char __cdecl CClassPart::GetAbstractFlavor(void) __ptr64 +?GetAbstractFlavor@CClassPart@@QEAAEXZ +; public: unsigned char __cdecl CWbemClass::GetAbstractFlavor(void) __ptr64 +?GetAbstractFlavor@CWbemClass@@QEAAEXZ +; public: void __cdecl CWbemInstance::GetActualTransferBlob(unsigned char * __ptr64) __ptr64 +?GetActualTransferBlob@CWbemInstance@@QEAAXPEAE@Z +; public: long __cdecl CWbemInstance::GetActualTransferBlobSize(void) __ptr64 +?GetActualTransferBlobSize@CWbemInstance@@QEAAJXZ +; public: unsigned long __cdecl CType::GetActualType(void) __ptr64 +?GetActualType@CType@@QEAAKXZ +; public: static unsigned long __cdecl CType::GetActualType(unsigned long) +?GetActualType@CType@@SAKK@Z +; public: long __cdecl CInstancePart::GetActualValue(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?GetActualValue@CInstancePart@@QEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: unsigned long __cdecl CFastHeap::GetAllocatedDataLength(void) __ptr64 +?GetAllocatedDataLength@CFastHeap@@QEAAKXZ +; public: class CFlexArray & __ptr64 __cdecl CPointerArray,class CFlexArray>::GetArray(void) __ptr64 +?GetArray@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAAEAVCFlexArray@@XZ +; public: class CFlexArray & __ptr64 __cdecl CPointerArray,class CFlexArray>::GetArray(void) __ptr64 +?GetArray@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAAEAVCFlexArray@@XZ +; public: class CUntypedArray * __ptr64 __cdecl CWbemObject::GetArrayByHandle(long) __ptr64 +?GetArrayByHandle@CWbemObject@@QEAAPEAVCUntypedArray@@J@Z +; public: virtual long __cdecl CWbemObject::GetArrayPropAddrByHandle(long,long,unsigned long * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?GetArrayPropAddrByHandle@CWbemObject@@UEAAJJJPEAKPEAPEAX@Z +; public: virtual long __cdecl CWbemObject::GetArrayPropElementByHandle(long,long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?GetArrayPropElementByHandle@CWbemObject@@UEAAJJJKPEAK0PEAPEAX@Z +; public: virtual long __cdecl CWbemObject::GetArrayPropInfoByHandle(long,long,unsigned short * __ptr64 * __ptr64,long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetArrayPropInfoByHandle@CWbemObject@@UEAAJJJPEAPEAGPEAJPEAK@Z +; public: virtual long __cdecl CWbemObject::GetArrayPropRangeByHandle(long,long,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetArrayPropRangeByHandle@CWbemObject@@UEAAJJJKKKPEAK0PEAX@Z +; public: long __cdecl CWbemObject::GetArrayPropertyHandle(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetArrayPropertyHandle@CWbemObject@@QEAAJPEBGPEAJ1@Z +; public: class CFastPropertyBagItem * __ptr64 * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetArrayPtr(void) __ptr64 +?GetArrayPtr@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAPEAPEAVCFastPropertyBagItem@@XZ +; public: class CWmiTextSource * __ptr64 * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetArrayPtr(void) __ptr64 +?GetArrayPtr@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAPEAPEAVCWmiTextSource@@XZ +; public: class CFastPropertyBagItem * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetAt(int) __ptr64 +?GetAt@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAPEAVCFastPropertyBagItem@@H@Z +; public: class CFastPropertyBagItem const * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetAt(int)const __ptr64 +?GetAt@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEBAPEBVCFastPropertyBagItem@@H@Z +; public: class CWmiTextSource * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetAt(int) __ptr64 +?GetAt@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAPEAVCWmiTextSource@@H@Z +; public: class CWmiTextSource const * __ptr64 __cdecl CPointerArray,class CFlexArray>::GetAt(int)const __ptr64 +?GetAt@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEBAPEBVCWmiTextSource@@H@Z +; public: unsigned short * __ptr64 & __ptr64 __cdecl CFixedBSTRArray::GetAt(int) __ptr64 +?GetAt@CFixedBSTRArray@@QEAAAEAPEAGH@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CPropertyLookupTable::GetAt(int) __ptr64 +?GetAt@CPropertyLookupTable@@QEAAPEAUCPropertyLookup@@H@Z +; public: class CCompressedString * __ptr64 __cdecl CCompressedStringList::GetAtFromLast(int) __ptr64 +?GetAtFromLast@CCompressedStringList@@QEAAPEAVCCompressedString@@H@Z +; public: long __cdecl CWbemCallSecurity::GetAuthentication(unsigned long * __ptr64) __ptr64 +?GetAuthentication@CWbemCallSecurity@@QEAAJPEAK@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetAuthentication(unsigned long * __ptr64) __ptr64 +?GetAuthentication@CWbemThreadSecurityHandle@@UEAAJPEAK@Z +; public: unsigned long __cdecl CWbemThreadSecurityHandle::GetAuthenticationLevel(void) __ptr64 +?GetAuthenticationLevel@CWbemThreadSecurityHandle@@QEAAKXZ +; public: virtual long __cdecl CWbemCallSecurity::GetAuthenticationLuid(void * __ptr64) __ptr64 +?GetAuthenticationLuid@CWbemCallSecurity@@UEAAJPEAX@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetAuthenticationLuid(void * __ptr64) __ptr64 +?GetAuthenticationLuid@CWbemThreadSecurityHandle@@UEAAJPEAX@Z +; public: unsigned long __cdecl CWbemThreadSecurityHandle::GetAuthenticationService(void) __ptr64 +?GetAuthenticationService@CWbemThreadSecurityHandle@@QEAAKXZ +; public: unsigned long __cdecl CWbemThreadSecurityHandle::GetAuthorizationService(void) __ptr64 +?GetAuthorizationService@CWbemThreadSecurityHandle@@QEAAKXZ +; public: unsigned long __cdecl CType::GetBasic(void) __ptr64 +?GetBasic@CType@@QEAAKXZ +; public: static unsigned long __cdecl CType::GetBasic(unsigned long) +?GetBasic@CType@@SAKK@Z +; protected: virtual unsigned long __cdecl CWbemClass::GetBlockLength(void) __ptr64 +?GetBlockLength@CWbemClass@@MEAAKXZ +; protected: virtual unsigned long __cdecl CWbemInstance::GetBlockLength(void) __ptr64 +?GetBlockLength@CWbemInstance@@MEAAKXZ +; public: unsigned long __cdecl CClassPart::GetClassIndex(unsigned short const * __ptr64) __ptr64 +?GetClassIndex@CClassPart@@QEAAKPEBG@Z +; public: unsigned long __cdecl CWbemObject::GetClassIndex(unsigned short const * __ptr64) __ptr64 +?GetClassIndex@CWbemObject@@QEAAKPEBG@Z +; public: class CCompressedString * __ptr64 __cdecl CWbemObject::GetClassInternal(void) __ptr64 +?GetClassInternal@CWbemObject@@QEAAPEAVCCompressedString@@XZ +; public: static long __cdecl CClassAndMethods::GetClassNameW(class WString & __ptr64,unsigned char * __ptr64) +?GetClassNameW@CClassAndMethods@@SAJAEAVWString@@PEAE@Z +; public: long __cdecl CClassPart::GetClassNameW(class CVar * __ptr64) __ptr64 +?GetClassNameW@CClassPart@@QEAAJPEAVCVar@@@Z +; public: class CCompressedString * __ptr64 __cdecl CClassPart::GetClassNameW(void) __ptr64 +?GetClassNameW@CClassPart@@QEAAPEAVCCompressedString@@XZ +; public: virtual long __cdecl CWbemClass::GetClassNameW(class CVar * __ptr64) __ptr64 +?GetClassNameW@CWbemClass@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetClassNameW(class CVar * __ptr64) __ptr64 +?GetClassNameW@CWbemInstance@@UEAAJPEAVCVar@@@Z +; private: long __cdecl CWbemObjectArrayPacket::GetClassObject(class CWbemObjectPacket & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?GetClassObject@CWbemObjectArrayPacket@@AEAAJAEAVCWbemObjectPacket@@PEAPEAUIWbemClassObject@@@Z +; protected: virtual class CClassPart * __ptr64 __cdecl CWbemClass::GetClassPart(void) __ptr64 +?GetClassPart@CWbemClass@@MEAAPEAVCClassPart@@XZ +; public: virtual long __cdecl CWbemClass::GetClassPart(void * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?GetClassPart@CWbemClass@@UEAAJPEAXKPEAK@Z +; protected: virtual class CClassPart * __ptr64 __cdecl CWbemInstance::GetClassPart(void) __ptr64 +?GetClassPart@CWbemInstance@@MEAAPEAVCClassPart@@XZ +; public: virtual long __cdecl CWbemInstance::GetClassPart(void * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?GetClassPart@CWbemInstance@@UEAAJPEAXKPEAK@Z +; public: long __cdecl CClassPart::GetClassQualifier(unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetClassQualifier@CClassPart@@QEAAJPEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: long __cdecl CClassPart::GetClassQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetClassQualifier@CClassPart@@QEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: virtual long __cdecl CWbemClass::GetClassSubset(unsigned long,unsigned short const * __ptr64 * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?GetClassSubset@CWbemClass@@UEAAJKPEAPEBGPEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::GetClassSubset(unsigned long,unsigned short const * __ptr64 * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?GetClassSubset@CWbemInstance@@UEAAJKPEAPEBGPEAPEAU_IWmiObject@@@Z +; private: long __cdecl CWbemObjectArrayPacket::GetClasslessInstanceObject(class CWbemObjectPacket & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,class CWbemClassCache & __ptr64) __ptr64 +?GetClasslessInstanceObject@CWbemObjectArrayPacket@@AEAAJAEAVCWbemObjectPacket@@PEAPEAUIWbemClassObject@@AEAVCWbemClassCache@@@Z +; public: virtual unsigned long __cdecl CClassAndMethods::GetCurrentOrigin(void) __ptr64 +?GetCurrentOrigin@CClassAndMethods@@UEAAKXZ +; public: virtual unsigned long __cdecl CClassPart::GetCurrentOrigin(void) __ptr64 +?GetCurrentOrigin@CClassPart@@UEAAKXZ +; public: unsigned long __cdecl CWbemClass::GetCurrentOrigin(void) __ptr64 +?GetCurrentOrigin@CWbemClass@@QEAAKXZ +; public: unsigned long __cdecl CDataTable::GetDataLength(void) __ptr64 +?GetDataLength@CDataTable@@QEAAKXZ +; public: virtual class CDataTable * __ptr64 __cdecl CClassPart::GetDataTable(void) __ptr64 +?GetDataTable@CClassPart@@UEAAPEAVCDataTable@@XZ +; public: class CDataTable * __ptr64 __cdecl CInstancePart::GetDataTable(void) __ptr64 +?GetDataTable@CInstancePart@@QEAAPEAVCDataTable@@XZ +; public: static unsigned char * __ptr64 __cdecl CInstancePart::GetDataTableData(unsigned char * __ptr64) +?GetDataTableData@CInstancePart@@SAPEAEPEAE@Z +; public: long __cdecl CClassPart::GetDefaultByHandle(long,long,long * __ptr64,unsigned char * __ptr64) __ptr64 +?GetDefaultByHandle@CClassPart@@QEAAJJJPEAJPEAE@Z +; public: long __cdecl CClassPart::GetDefaultPtrByHandle(long,void * __ptr64 * __ptr64) __ptr64 +?GetDefaultPtrByHandle@CClassPart@@QEAAJJPEAPEAX@Z +; public: long __cdecl CClassPart::GetDefaultValue(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?GetDefaultValue@CClassPart@@QEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: long __cdecl CClassPart::GetDefaultValue(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?GetDefaultValue@CClassPart@@QEAAJPEBGPEAVCVar@@@Z +; public: long __cdecl CClassPart::GetDerivation(class CVar * __ptr64) __ptr64 +?GetDerivation@CClassPart@@QEAAJPEAVCVar@@@Z +; public: long __cdecl CWbemObject::GetDerivation(class CVar * __ptr64) __ptr64 +?GetDerivation@CWbemObject@@QEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemObject::GetDerivation(long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,unsigned short * __ptr64) __ptr64 +?GetDerivation@CWbemObject@@UEAAJJKPEAK0PEAG@Z +; public: virtual long __cdecl CWbemObject::GetDescription(unsigned short * __ptr64 * __ptr64) __ptr64 +?GetDescription@CWbemObject@@UEAAJPEAPEAG@Z +; public: long __cdecl CClassPart::GetDynasty(class CVar * __ptr64) __ptr64 +?GetDynasty@CClassPart@@QEAAJPEAVCVar@@@Z +; public: class CCompressedString * __ptr64 __cdecl CClassPart::GetDynasty(void) __ptr64 +?GetDynasty@CClassPart@@QEAAPEAVCCompressedString@@XZ +; public: virtual long __cdecl CWbemClass::GetDynasty(class CVar * __ptr64) __ptr64 +?GetDynasty@CWbemClass@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetDynasty(class CVar * __ptr64) __ptr64 +?GetDynasty@CWbemInstance@@UEAAJPEAVCVar@@@Z +; public: unsigned char * __ptr64 __cdecl CUntypedArray::GetElement(int,int) __ptr64 +?GetElement@CUntypedArray@@QEAAPEAEHH@Z +; public: class CWbemObject * __ptr64 __cdecl CEmbeddedObject::GetEmbedded(void) __ptr64 +?GetEmbedded@CEmbeddedObject@@QEAAPEAVCWbemObject@@XZ +; public: class CWbemObject * __ptr64 __cdecl CWbemObject::GetEmbeddedObj(long) __ptr64 +?GetEmbeddedObj@CWbemObject@@QEAAPEAV1@J@Z +; public: class CCompressedString * __ptr64 __cdecl CCompressedStringList::GetFirst(void) __ptr64 +?GetFirst@CCompressedStringList@@QEAAPEAVCCompressedString@@XZ +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetFirstQualifier(void) __ptr64 +?GetFirstQualifier@CBasicQualifierSet@@QEAAPEAUCQualifier@@XZ +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetFirstQualifierFromData(unsigned char * __ptr64) +?GetFirstQualifierFromData@CBasicQualifierSet@@SAPEAUCQualifier@@PEAE@Z +; public: long __cdecl CLimitationMapping::GetFlags(void) __ptr64 +?GetFlags@CLimitationMapping@@QEAAJXZ +; public: unsigned short * __ptr64 __cdecl CWbemObject::GetFullPath(void) __ptr64 +?GetFullPath@CWbemObject@@QEAAPEAGXZ +; public: virtual long __cdecl CWbemObject::GetGUID(struct _GUID * __ptr64) __ptr64 +?GetGUID@CWbemObject@@UEAAJPEAU_GUID@@@Z +; public: virtual long __cdecl CWbemClass::GetGenus(class CVar * __ptr64) __ptr64 +?GetGenus@CWbemClass@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetGenus(class CVar * __ptr64) __ptr64 +?GetGenus@CWbemInstance@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::GetGuid(long,struct _GUID * __ptr64) __ptr64 +?GetGuid@XWbemRemoteRefr@CWbemRemoteRefresher@@UEAAJJPEAU_GUID@@@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetHandleType(unsigned long * __ptr64) __ptr64 +?GetHandleType@CWbemThreadSecurityHandle@@UEAAJPEAK@Z +; public: static unsigned long __cdecl CCompressedStringList::GetHeaderLength(void) +?GetHeaderLength@CCompressedStringList@@SAKXZ +; protected: unsigned long __cdecl CFastHeap::GetHeaderLength(void) __ptr64 +?GetHeaderLength@CFastHeap@@IEAAKXZ +; public: static int __cdecl CQualifierSetList::GetHeaderLength(void) +?GetHeaderLength@CQualifierSetList@@SAHXZ +; public: static unsigned long __cdecl CUntypedArray::GetHeaderLength(void) +?GetHeaderLength@CUntypedArray@@SAKXZ +; public: class CFastHeap * __ptr64 __cdecl CBasicQualifierSet::GetHeap(void) __ptr64 +?GetHeap@CBasicQualifierSet@@QEAAPEAVCFastHeap@@XZ +; public: virtual class CFastHeap * __ptr64 __cdecl CClassPart::GetHeap(void) __ptr64 +?GetHeap@CClassPart@@UEAAPEAVCFastHeap@@XZ +; public: virtual class CFastHeap * __ptr64 __cdecl CInstancePQSContainer::GetHeap(void) __ptr64 +?GetHeap@CInstancePQSContainer@@UEAAPEAVCFastHeap@@XZ +; public: virtual class CFastHeap * __ptr64 __cdecl CInstancePart::GetHeap(void) __ptr64 +?GetHeap@CInstancePart@@UEAAPEAVCFastHeap@@XZ +; public: class CFastHeap * __ptr64 __cdecl CMethodPart::GetHeap(void) __ptr64 +?GetHeap@CMethodPart@@QEAAPEAVCFastHeap@@XZ +; public: virtual class CFastHeap * __ptr64 __cdecl CMethodQualifierSetContainer::GetHeap(void) __ptr64 +?GetHeap@CMethodQualifierSetContainer@@UEAAPEAVCFastHeap@@XZ +; public: class CFastHeap * __ptr64 __cdecl CPropertyLookupTable::GetHeap(void) __ptr64 +?GetHeap@CPropertyLookupTable@@QEAAPEAVCFastHeap@@XZ +; public: class CFastHeap * __ptr64 __cdecl CQualifierSetList::GetHeap(void) __ptr64 +?GetHeap@CQualifierSetList@@QEAAPEAVCFastHeap@@XZ +; public: unsigned char * __ptr64 __cdecl CFastHeap::GetHeapData(void) __ptr64 +?GetHeapData@CFastHeap@@QEAAPEAEXZ +; public: unsigned long __cdecl CClassPart::GetHeapPtrByHandle(long) __ptr64 +?GetHeapPtrByHandle@CClassPart@@QEAAKJ@Z +; public: unsigned long __cdecl CWbemObject::GetHeapPtrByHandle(long) __ptr64 +?GetHeapPtrByHandle@CWbemObject@@QEAAKJ@Z +; public: virtual long __cdecl CWbemObject::GetHelpContext(unsigned long * __ptr64) __ptr64 +?GetHelpContext@CWbemObject@@UEAAJPEAK@Z +; public: virtual long __cdecl CWbemObject::GetHelpFile(unsigned short * __ptr64 * __ptr64) __ptr64 +?GetHelpFile@CWbemObject@@UEAAJPEAPEAG@Z +; public: unsigned short * __ptr64 __cdecl CWbemThreadSecurityHandle::GetIdentity(void) __ptr64 +?GetIdentity@CWbemThreadSecurityHandle@@QEAAPEAGXZ +; public: long __cdecl CWbemClass::GetIds(class CFlexArray & __ptr64,class CWbemClass * __ptr64) __ptr64 +?GetIds@CWbemClass@@QEAAJAEAVCFlexArray@@PEAV1@@Z +; public: virtual long __cdecl CWbemCallSecurity::GetImpersonation(unsigned long * __ptr64) __ptr64 +?GetImpersonation@CWbemCallSecurity@@UEAAJPEAK@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetImpersonation(unsigned long * __ptr64) __ptr64 +?GetImpersonation@CWbemThreadSecurityHandle@@UEAAJPEAK@Z +; public: unsigned long __cdecl CWbemThreadSecurityHandle::GetImpersonationLevel(void) __ptr64 +?GetImpersonationLevel@CWbemThreadSecurityHandle@@QEAAKXZ +; protected: unsigned long * __ptr64 __ptr64 __cdecl CFastHeap::GetInLineLength(void) __ptr64 +?GetInLineLength@CFastHeap@@IEAAPEFAKXZ +; public: static int __cdecl CFastHeap::GetIndexFromFake(unsigned long) +?GetIndexFromFake@CFastHeap@@SAHK@Z +; public: static int __cdecl CKnownStringTable::GetIndexOfKey(void) +?GetIndexOfKey@CKnownStringTable@@SAHXZ +; public: static int __cdecl CClassAndMethods::GetIndexedProps(class CWStringArray & __ptr64,unsigned char * __ptr64) +?GetIndexedProps@CClassAndMethods@@SAHAEAVCWStringArray@@PEAE@Z +; public: int __cdecl CClassPart::GetIndexedProps(class CWStringArray & __ptr64) __ptr64 +?GetIndexedProps@CClassPart@@QEAAHAEAVCWStringArray@@@Z +; public: virtual int __cdecl CWbemClass::GetIndexedProps(class CWStringArray & __ptr64) __ptr64 +?GetIndexedProps@CWbemClass@@UEAAHAEAVCWStringArray@@@Z +; public: virtual int __cdecl CWbemInstance::GetIndexedProps(class CWStringArray & __ptr64) __ptr64 +?GetIndexedProps@CWbemInstance@@UEAAHAEAVCWStringArray@@@Z +; private: long __cdecl CWbemObjectArrayPacket::GetInstanceObject(class CWbemObjectPacket & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,class CWbemClassCache & __ptr64) __ptr64 +?GetInstanceObject@CWbemObjectArrayPacket@@AEAAJAEAVCWbemObjectPacket@@PEAPEAUIWbemClassObject@@AEAVCWbemClassCache@@@Z +; public: virtual struct IUnknown * __ptr64 __cdecl CWbemInstance::GetInstanceObjectUnknown(void) __ptr64 +?GetInstanceObjectUnknown@CWbemInstance@@UEAAPEAUIUnknown@@XZ +; protected: virtual void * __ptr64 __cdecl CWbemEnumMarshaling::GetInterface(struct _GUID const & __ptr64) __ptr64 +?GetInterface@CWbemEnumMarshaling@@MEAAPEAXAEBU_GUID@@@Z +; protected: virtual void * __ptr64 __cdecl CWbemFetchRefrMgr::GetInterface(struct _GUID const & __ptr64) __ptr64 +?GetInterface@CWbemFetchRefrMgr@@MEAAPEAXAEBU_GUID@@@Z +; protected: virtual void * __ptr64 __cdecl CWbemRefreshingSvc::GetInterface(struct _GUID const & __ptr64) __ptr64 +?GetInterface@CWbemRefreshingSvc@@MEAAPEAXAEBU_GUID@@@Z +; protected: virtual void * __ptr64 __cdecl CWmiObjectFactory::GetInterface(struct _GUID const & __ptr64) __ptr64 +?GetInterface@CWmiObjectFactory@@MEAAPEAXAEBU_GUID@@@Z +; public: class CVar * __ptr64 __cdecl CWbemInstance::GetKey(void) __ptr64 +?GetKey@CWbemInstance@@QEAAPEAVCVar@@XZ +; public: long __cdecl CClassPart::GetKeyOrigin(class WString & __ptr64) __ptr64 +?GetKeyOrigin@CClassPart@@QEAAJAEAVWString@@@Z +; public: virtual long __cdecl CWbemClass::GetKeyOrigin(class WString & __ptr64) __ptr64 +?GetKeyOrigin@CWbemClass@@UEAAJAEAVWString@@@Z +; public: virtual long __cdecl CWbemInstance::GetKeyOrigin(class WString & __ptr64) __ptr64 +?GetKeyOrigin@CWbemInstance@@UEAAJAEAVWString@@@Z +; public: virtual long __cdecl CWbemObject::GetKeyOrigin(long,unsigned long,unsigned long * __ptr64,unsigned short * __ptr64) __ptr64 +?GetKeyOrigin@CWbemObject@@UEAAJJKPEAKPEAG@Z +; public: int __cdecl CClassPart::GetKeyProps(class CWStringArray & __ptr64) __ptr64 +?GetKeyProps@CClassPart@@QEAAHAEAVCWStringArray@@@Z +; public: virtual int __cdecl CWbemClass::GetKeyProps(class CWStringArray & __ptr64) __ptr64 +?GetKeyProps@CWbemClass@@UEAAHAEAVCWStringArray@@@Z +; public: virtual int __cdecl CWbemInstance::GetKeyProps(class CWStringArray & __ptr64) __ptr64 +?GetKeyProps@CWbemInstance@@UEAAHAEAVCWStringArray@@@Z +; public: unsigned short * __ptr64 __cdecl CWbemInstance::GetKeyStr(void) __ptr64 +?GetKeyStr@CWbemInstance@@QEAAPEAGXZ +; public: virtual long __cdecl CWbemObject::GetKeyString(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetKeyString@CWbemObject@@UEAAJJPEAPEAG@Z +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetKnownQualifierLocally(int) __ptr64 +?GetKnownQualifierLocally@CBasicQualifierSet@@QEAAPEAUCQualifier@@H@Z +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetKnownQualifierLocally(unsigned char * __ptr64,int) +?GetKnownQualifierLocally@CBasicQualifierSet@@SAPEAUCQualifier@@PEAEH@Z +; public: static class CCompressedString & __ptr64 __cdecl CKnownStringTable::GetKnownString(int) +?GetKnownString@CKnownStringTable@@SAAEAVCCompressedString@@H@Z +; public: static int __cdecl CKnownStringTable::GetKnownStringIndex(unsigned short const * __ptr64) +?GetKnownStringIndex@CKnownStringTable@@SAHPEBG@Z +; public: class CCompressedString * __ptr64 __cdecl CCompressedStringList::GetLast(void) __ptr64 +?GetLast@CCompressedStringList@@QEAAPEAVCCompressedString@@XZ +; public: unsigned long __cdecl CBasicQualifierSet::GetLength(void) __ptr64 +?GetLength@CBasicQualifierSet@@QEAAKXZ +; public: unsigned long __cdecl CClassAndMethods::GetLength(void) __ptr64 +?GetLength@CClassAndMethods@@QEAAKXZ +; public: unsigned long __cdecl CClassPart::GetLength(void) __ptr64 +?GetLength@CClassPart@@QEAAKXZ +; public: int __cdecl CCompressedString::GetLength(void)const __ptr64 +?GetLength@CCompressedString@@QEBAHXZ +; public: unsigned long __cdecl CCompressedStringList::GetLength(void) __ptr64 +?GetLength@CCompressedStringList@@QEAAKXZ +; public: unsigned long __cdecl CDataTable::GetLength(void) __ptr64 +?GetLength@CDataTable@@QEAAKXZ +; public: unsigned long __cdecl CDecorationPart::GetLength(void) __ptr64 +?GetLength@CDecorationPart@@QEAAKXZ +; public: unsigned long __cdecl CEmbeddedObject::GetLength(void) __ptr64 +?GetLength@CEmbeddedObject@@QEAAKXZ +; public: unsigned long __cdecl CFastHeap::GetLength(void) __ptr64 +?GetLength@CFastHeap@@QEAAKXZ +; public: int __cdecl CFixedBSTRArray::GetLength(void) __ptr64 +?GetLength@CFixedBSTRArray@@QEAAHXZ +; public: int __cdecl CInstancePart::GetLength(void) __ptr64 +?GetLength@CInstancePart@@QEAAHXZ +; public: static int __cdecl CInstancePart::GetLength(unsigned char * __ptr64) +?GetLength@CInstancePart@@SAHPEAE@Z +; public: int __cdecl CInternalString::GetLength(void)const __ptr64 +?GetLength@CInternalString@@QEBAHXZ +; public: unsigned long __cdecl CMethodPart::GetLength(void) __ptr64 +?GetLength@CMethodPart@@QEAAKXZ +; public: int __cdecl CPropertyLookupTable::GetLength(void) __ptr64 +?GetLength@CPropertyLookupTable@@QEAAHXZ +; public: int __cdecl CQualifierSetList::GetLength(void) __ptr64 +?GetLength@CQualifierSetList@@QEAAHXZ +; public: static int __cdecl CQualifierSetList::GetLength(unsigned char * __ptr64,int) +?GetLength@CQualifierSetList@@SAHPEAEH@Z +; public: unsigned long __cdecl CType::GetLength(void) __ptr64 +?GetLength@CType@@QEAAKXZ +; public: static unsigned long __cdecl CType::GetLength(unsigned long) +?GetLength@CType@@SAKK@Z +; public: unsigned long __cdecl CWbemClass::GetLength(void) __ptr64 +?GetLength@CWbemClass@@QEAAKXZ +; public: unsigned long __cdecl CWbemInstance::GetLength(void) __ptr64 +?GetLength@CWbemInstance@@QEAAKXZ +; public: unsigned long __cdecl CUntypedArray::GetLengthByActualLength(int) __ptr64 +?GetLengthByActualLength@CUntypedArray@@QEAAKH@Z +; public: unsigned long __cdecl CUntypedArray::GetLengthByType(class CType) __ptr64 +?GetLengthByType@CUntypedArray@@QEAAKVCType@@@Z +; public: static unsigned long __cdecl CBasicQualifierSet::GetLengthFromData(unsigned char * __ptr64) +?GetLengthFromData@CBasicQualifierSet@@SAKPEAE@Z +; public: long __cdecl CWbemClass::GetLimitedVersion(class CLimitationMapping * __ptr64,class CWbemClass * __ptr64 * __ptr64) __ptr64 +?GetLimitedVersion@CWbemClass@@QEAAJPEAVCLimitationMapping@@PEAPEAV1@@Z +; public: long __cdecl CWbemInstance::GetLimitedVersion(class CLimitationMapping * __ptr64,class CWbemInstance * __ptr64 * __ptr64) __ptr64 +?GetLimitedVersion@CWbemInstance@@QEAAJPEAVCLimitationMapping@@PEAPEAV1@@Z +; public: long __cdecl CWbemGuidToClassMap::GetMap(class CGUID & __ptr64,class CWbemClassToIdMap * __ptr64 * __ptr64) __ptr64 +?GetMap@CWbemGuidToClassMap@@QEAAJAEAVCGUID@@PEAPEAVCWbemClassToIdMap@@@Z +; public: unsigned short __cdecl CLimitationMapping::GetMapped(unsigned short) __ptr64 +?GetMapped@CLimitationMapping@@QEAAGG@Z +; public: class CPropertyInformation * __ptr64 __cdecl CLimitationMapping::GetMapped(class CPropertyInformation * __ptr64) __ptr64 +?GetMapped@CLimitationMapping@@QEAAPEAVCPropertyInformation@@PEAV2@@Z +; public: long __cdecl CWbemEnumMarshaling::GetMarshalPacket(struct _GUID const & __ptr64,unsigned long,struct IWbemClassObject * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned char * __ptr64 * __ptr64) __ptr64 +?GetMarshalPacket@CWbemEnumMarshaling@@QEAAJAEBU_GUID@@KPEAPEAUIWbemClassObject@@PEAKPEAPEAE@Z +; public: virtual long __cdecl CWbemEnumMarshaling::XEnumMarshaling::GetMarshalPacket(struct _GUID const & __ptr64,unsigned long,struct IWbemClassObject * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned char * __ptr64 * __ptr64) __ptr64 +?GetMarshalPacket@XEnumMarshaling@CWbemEnumMarshaling@@UEAAJAEBU_GUID@@KPEAPEAUIWbemClassObject@@PEAKPEAPEAE@Z +; public: virtual long __cdecl CWbemObject::GetMarshalSizeMax(struct _GUID const & __ptr64,void * __ptr64,unsigned long,void * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?GetMarshalSizeMax@CWbemObject@@UEAAJAEBU_GUID@@PEAXK1KPEAK@Z +; public: virtual long __cdecl CWbemInstance::GetMaxMarshalStreamSize(unsigned long * __ptr64) __ptr64 +?GetMaxMarshalStreamSize@CWbemInstance@@UEAAJPEAK@Z +; public: virtual long __cdecl CWbemObject::GetMaxMarshalStreamSize(unsigned long * __ptr64) __ptr64 +?GetMaxMarshalStreamSize@CWbemObject@@UEAAJPEAK@Z +; public: virtual unsigned char * __ptr64 __cdecl CClassPart::GetMemoryLimit(void) __ptr64 +?GetMemoryLimit@CClassPart@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CInstancePart::GetMemoryLimit(void) __ptr64 +?GetMemoryLimit@CInstancePart@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CMethodPart::GetMemoryLimit(void) __ptr64 +?GetMemoryLimit@CMethodPart@@UEAAPEAEXZ +; public: long __cdecl CMethodPart::GetMethod(unsigned short const * __ptr64,long,class CWbemObject * __ptr64 * __ptr64,class CWbemObject * __ptr64 * __ptr64) __ptr64 +?GetMethod@CMethodPart@@QEAAJPEBGJPEAPEAVCWbemObject@@1@Z +; public: virtual long __cdecl CWbemClass::GetMethod(unsigned short const * __ptr64,long,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?GetMethod@CWbemClass@@UEAAJPEBGJPEAPEAUIWbemClassObject@@1@Z +; public: virtual long __cdecl CWbemInstance::GetMethod(unsigned short const * __ptr64,long,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?GetMethod@CWbemInstance@@UEAAJPEBGJPEAPEAUIWbemClassObject@@1@Z +; public: long __cdecl CMethodPart::GetMethodAt(int,unsigned short * __ptr64 * __ptr64,class CWbemObject * __ptr64 * __ptr64,class CWbemObject * __ptr64 * __ptr64) __ptr64 +?GetMethodAt@CMethodPart@@QEAAJHPEAPEAGPEAPEAVCWbemObject@@1@Z +; public: long __cdecl CMethodPart::GetMethodOrigin(unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?GetMethodOrigin@CMethodPart@@QEAAJPEBGPEAK@Z +; public: virtual long __cdecl CWbemClass::GetMethodOrigin(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetMethodOrigin@CWbemClass@@UEAAJPEBGPEAPEAG@Z +; public: virtual long __cdecl CWbemInstance::GetMethodOrigin(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetMethodOrigin@CWbemInstance@@UEAAJPEBGPEAPEAG@Z +; public: virtual long __cdecl CWbemObject::GetMethodQual(unsigned short const * __ptr64,unsigned short const * __ptr64,long,unsigned long,long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetMethodQual@CWbemObject@@UEAAJPEBG0JKPEAJPEAK2PEAX@Z +; public: virtual long __cdecl CWbemClass::GetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetMethodQualifier@CWbemClass@@UEAAJPEBG0PEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemClass::GetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetMethodQualifier@CWbemClass@@UEAAJPEBG0PEAVCVar@@PEAJ2@Z +; public: virtual long __cdecl CWbemInstance::GetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetMethodQualifier@CWbemInstance@@UEAAJPEBG0PEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemInstance::GetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetMethodQualifier@CWbemInstance@@UEAAJPEBG0PEAVCVar@@PEAJ2@Z +; public: long __cdecl CMethodPart::GetMethodQualifierSet(unsigned short const * __ptr64,struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetMethodQualifierSet@CMethodPart@@QEAAJPEBGPEAPEAUIWbemQualifierSet@@@Z +; public: virtual long __cdecl CWbemClass::GetMethodQualifierSet(unsigned short const * __ptr64,struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetMethodQualifierSet@CWbemClass@@UEAAJPEBGPEAPEAUIWbemQualifierSet@@@Z +; public: virtual long __cdecl CWbemInstance::GetMethodQualifierSet(unsigned short const * __ptr64,struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetMethodQualifierSet@CWbemInstance@@UEAAJPEBGPEAPEAUIWbemQualifierSet@@@Z +; public: unsigned long __cdecl CWbemDataPacket::GetMinHeaderSize(void) __ptr64 +?GetMinHeaderSize@CWbemDataPacket@@QEAAKXZ +; public: static unsigned long __cdecl CBasicQualifierSet::GetMinLength(void) +?GetMinLength@CBasicQualifierSet@@SAKXZ +; public: static unsigned long __cdecl CClassAndMethods::GetMinLength(void) +?GetMinLength@CClassAndMethods@@SAKXZ +; public: static int __cdecl CClassPart::GetMinLength(void) +?GetMinLength@CClassPart@@SAHXZ +; public: static unsigned long __cdecl CDataTable::GetMinLength(void) +?GetMinLength@CDataTable@@SAKXZ +; public: static unsigned long __cdecl CDecorationPart::GetMinLength(void) +?GetMinLength@CDecorationPart@@SAKXZ +; public: static unsigned long __cdecl CFastHeap::GetMinLength(void) +?GetMinLength@CFastHeap@@SAKXZ +; public: static unsigned long __cdecl CMethodPart::GetMinLength(void) +?GetMinLength@CMethodPart@@SAKXZ +; public: static unsigned long __cdecl CPropertyLookupTable::GetMinLength(void) +?GetMinLength@CPropertyLookupTable@@SAKXZ +; public: static unsigned long __cdecl CWbemClass::GetMinLength(void) +?GetMinLength@CWbemClass@@SAKXZ +; protected: class CCompressedString * __ptr64 __cdecl CMethodPart::GetName(int) __ptr64 +?GetName@CMethodPart@@IEAAPEAVCCompressedString@@H@Z +; public: static unsigned short * __ptr64 __cdecl CSystemProperties::GetNameAsBSTR(int) +?GetNameAsBSTR@CSystemProperties@@SAPEAGH@Z +; public: virtual long __cdecl CQualifierSet::GetNames(long,struct tagSAFEARRAY * __ptr64 * __ptr64) __ptr64 +?GetNames@CQualifierSet@@UEAAJJPEAPEAUtagSAFEARRAY@@@Z +; public: virtual long __cdecl CWbemObject::GetNames(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,struct tagSAFEARRAY * __ptr64 * __ptr64) __ptr64 +?GetNames@CWbemObject@@UEAAJPEBGJPEAUtagVARIANT@@PEAPEAUtagSAFEARRAY@@@Z +; public: long __cdecl CWbemObject::GetNamespace(class CVar * __ptr64) __ptr64 +?GetNamespace@CWbemObject@@QEAAJPEAVCVar@@@Z +; public: class CCompressedString * __ptr64 __cdecl CCompressedStringList::GetNext(class CCompressedString * __ptr64) __ptr64 +?GetNext@CCompressedStringList@@QEAAPEAVCCompressedString@@PEAV2@@Z +; public: long __cdecl CWbemInstance::GetNonsystemPropertyValue(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?GetNonsystemPropertyValue@CWbemInstance@@QEAAJPEBGPEAVCVar@@@Z +; public: virtual long __cdecl CWbemObject::GetNormalizedPath(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetNormalizedPath@CWbemObject@@UEAAJJPEAPEAG@Z +; public: unsigned long __cdecl CDataTable::GetNullnessLength(void) __ptr64 +?GetNullnessLength@CDataTable@@QEAAKXZ +; public: static int __cdecl CSystemProperties::GetNumDecorationIndependentProperties(void) +?GetNumDecorationIndependentProperties@CSystemProperties@@SAHXZ +; public: int __cdecl CUntypedArray::GetNumElements(void) __ptr64 +?GetNumElements@CUntypedArray@@QEAAHXZ +; public: int __cdecl CLimitationMapping::GetNumMappings(void) __ptr64 +?GetNumMappings@CLimitationMapping@@QEAAHXZ +; protected: int __cdecl CMethodPart::GetNumMethods(void) __ptr64 +?GetNumMethods@CMethodPart@@IEAAHXZ +; public: int __cdecl CWbemObject::GetNumParents(void) __ptr64 +?GetNumParents@CWbemObject@@QEAAHXZ +; public: int __cdecl CPropertyLookupTable::GetNumProperties(void) __ptr64 +?GetNumProperties@CPropertyLookupTable@@QEAAHXZ +; public: virtual int __cdecl CWbemClass::GetNumProperties(void) __ptr64 +?GetNumProperties@CWbemClass@@UEAAHXZ +; public: virtual int __cdecl CWbemInstance::GetNumProperties(void) __ptr64 +?GetNumProperties@CWbemInstance@@UEAAHXZ +; public: int __cdecl CQualifierSetList::GetNumSets(void) __ptr64 +?GetNumSets@CQualifierSetList@@QEAAHXZ +; public: int __cdecl CCompressedStringList::GetNumStrings(void) __ptr64 +?GetNumStrings@CCompressedStringList@@QEAAHXZ +; public: static int __cdecl CSystemProperties::GetNumSystemProperties(void) +?GetNumSystemProperties@CSystemProperties@@SAHXZ +; public: int __cdecl CBasicQualifierSet::GetNumUpperBound(void) __ptr64 +?GetNumUpperBound@CBasicQualifierSet@@QEAAHXZ +; public: virtual long __cdecl CWbemObject::GetObjQual(unsigned short const * __ptr64,long,unsigned long,long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetObjQual@CWbemObject@@UEAAJPEBGJKPEAJPEAK2PEAX@Z +; public: virtual long __cdecl CWbemObject::GetObjectMemory(void * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?GetObjectMemory@CWbemObject@@UEAAJPEAXKPEAK@Z +; public: virtual long __cdecl CWbemClass::GetObjectParts(void * __ptr64,unsigned long,unsigned long,unsigned long * __ptr64) __ptr64 +?GetObjectParts@CWbemClass@@UEAAJPEAXKKPEAK@Z +; public: virtual long __cdecl CWbemInstance::GetObjectParts(void * __ptr64,unsigned long,unsigned long,unsigned long * __ptr64) __ptr64 +?GetObjectParts@CWbemInstance@@UEAAJPEAXKKPEAK@Z +; public: long __cdecl CInstancePart::GetObjectQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64) __ptr64 +?GetObjectQualifier@CInstancePart@@QEAAJPEBGPEAVCVar@@PEAJ@Z +; public: virtual long __cdecl CWbemClass::GetObjectText(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetObjectText@CWbemClass@@UEAAJJPEAPEAG@Z +; public: virtual long __cdecl CWbemInstance::GetObjectText(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetObjectText@CWbemInstance@@UEAAJJPEAPEAG@Z +; public: long __cdecl CWbemClassCache::GetObjectW(struct _GUID & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?GetObjectW@CWbemClassCache@@QEAAJAEAU_GUID@@PEAPEAUIWbemClassObject@@@Z +; public: class CUntypedValue * __ptr64 __cdecl CDataTable::GetOffset(unsigned long) __ptr64 +?GetOffset@CDataTable@@QEAAPEAVCUntypedValue@@K@Z +; public: class CCompressedString * __ptr64 __cdecl CWbemObject::GetParentAtIndex(int) __ptr64 +?GetParentAtIndex@CWbemObject@@QEAAPEAVCCompressedString@@H@Z +; public: virtual long __cdecl CWbemClass::GetParentClassFromBlob(long,unsigned long,void * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetParentClassFromBlob@CWbemClass@@UEAAJJKPEAXPEAPEAG@Z +; public: virtual long __cdecl CWbemObject::GetParentClassFromBlob(long,unsigned long,void * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetParentClassFromBlob@CWbemObject@@UEAAJJKPEAXPEAPEAG@Z +; public: long __cdecl CWbemObject::GetPath(class CVar * __ptr64) __ptr64 +?GetPath@CWbemObject@@QEAAJPEAVCVar@@@Z +; public: static class CUntypedArray * __ptr64 __cdecl CUntypedArray::GetPointer(class CPtrSource * __ptr64) +?GetPointer@CUntypedArray@@SAPEAV1@PEAVCPtrSource@@@Z +; public: class CCompressedString * __ptr64 __cdecl CCompressedStringList::GetPrevious(class CCompressedString * __ptr64) __ptr64 +?GetPrevious@CCompressedStringList@@QEAAPEAVCCompressedString@@PEAV2@@Z +; public: virtual long __cdecl CWbemObject::GetPropAddrByHandle(long,long,unsigned long * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?GetPropAddrByHandle@CWbemObject@@UEAAJJJPEAKPEAPEAX@Z +; public: virtual long __cdecl CWbemClass::GetPropName(int,class CVar * __ptr64) __ptr64 +?GetPropName@CWbemClass@@UEAAJHPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetPropName(int,class CVar * __ptr64) __ptr64 +?GetPropName@CWbemInstance@@UEAAJHPEAVCVar@@@Z +; public: virtual long __cdecl CWbemObject::GetPropQual(unsigned short const * __ptr64,unsigned short const * __ptr64,long,unsigned long,long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetPropQual@CWbemObject@@UEAAJPEBG0JKPEAJPEAK2PEAX@Z +; public: long __cdecl CClassPart::GetPropQualifier(class CPropertyInformation * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropQualifier@CClassPart@@QEAAJPEAVCPropertyInformation@@PEBGPEAVCVar@@PEAJ3@Z +; public: long __cdecl CClassPart::GetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetPropQualifier@CClassPart@@QEAAJPEBG0PEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemClass::GetPropQualifier(class CPropertyInformation * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetPropQualifier@CWbemClass@@UEAAJPEAVCPropertyInformation@@PEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemClass::GetPropQualifier(class CPropertyInformation * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropQualifier@CWbemClass@@UEAAJPEAVCPropertyInformation@@PEBGPEAVCVar@@PEAJ3@Z +; public: virtual long __cdecl CWbemClass::GetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetPropQualifier@CWbemClass@@UEAAJPEBG0PEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemClass::GetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropQualifier@CWbemClass@@UEAAJPEBG0PEAVCVar@@PEAJ2@Z +; public: virtual long __cdecl CWbemInstance::GetPropQualifier(class CPropertyInformation * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetPropQualifier@CWbemInstance@@UEAAJPEAVCPropertyInformation@@PEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemInstance::GetPropQualifier(class CPropertyInformation * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropQualifier@CWbemInstance@@UEAAJPEAVCPropertyInformation@@PEBGPEAVCVar@@PEAJ3@Z +; public: virtual long __cdecl CWbemInstance::GetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetPropQualifier@CWbemInstance@@UEAAJPEBG0PEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemInstance::GetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropQualifier@CWbemInstance@@UEAAJPEBG0PEAVCVar@@PEAJ2@Z +; protected: virtual long __cdecl CWbemClass::GetProperty(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?GetProperty@CWbemClass@@MEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: virtual long __cdecl CWbemClass::GetProperty(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?GetProperty@CWbemClass@@UEAAJPEBGPEAVCVar@@@Z +; protected: virtual long __cdecl CWbemInstance::GetProperty(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?GetProperty@CWbemInstance@@MEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetProperty(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?GetProperty@CWbemInstance@@UEAAJPEBGPEAVCVar@@@Z +; public: long __cdecl CClassPart::GetPropertyCount(class CVar * __ptr64) __ptr64 +?GetPropertyCount@CClassPart@@QEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemClass::GetPropertyCount(class CVar * __ptr64) __ptr64 +?GetPropertyCount@CWbemClass@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetPropertyCount(class CVar * __ptr64) __ptr64 +?GetPropertyCount@CWbemInstance@@UEAAJPEAVCVar@@@Z +; public: long __cdecl CClassPart::GetPropertyHandle(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyHandle@CClassPart@@QEAAJPEBGPEAJ1@Z +; public: virtual long __cdecl CWbemObject::GetPropertyHandle(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyHandle@CWbemObject@@UEAAJPEBGPEAJ1@Z +; public: long __cdecl CClassPart::GetPropertyHandleEx(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyHandleEx@CClassPart@@QEAAJPEBGPEAJ1@Z +; public: virtual long __cdecl CWbemObject::GetPropertyHandleEx(unsigned short const * __ptr64,long,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyHandleEx@CWbemObject@@UEAAJPEBGJPEAJ1@Z +; public: long __cdecl CWbemObject::GetPropertyIndex(unsigned short const * __ptr64,int * __ptr64) __ptr64 +?GetPropertyIndex@CWbemObject@@QEAAJPEBGPEAH@Z +; public: long __cdecl CClassPart::GetPropertyInfoByHandle(long,unsigned short * __ptr64 * __ptr64,long * __ptr64) __ptr64 +?GetPropertyInfoByHandle@CClassPart@@QEAAJJPEAPEAGPEAJ@Z +; public: virtual long __cdecl CWbemObject::GetPropertyInfoByHandle(long,unsigned short * __ptr64 * __ptr64,long * __ptr64) __ptr64 +?GetPropertyInfoByHandle@CWbemObject@@UEAAJJPEAPEAGPEAJ@Z +; public: struct CPropertyLookup * __ptr64 __cdecl CClassPart::GetPropertyLookup(int) __ptr64 +?GetPropertyLookup@CClassPart@@QEAAPEAUCPropertyLookup@@H@Z +; public: long __cdecl CWbemObject::GetPropertyNameFromIndex(int,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetPropertyNameFromIndex@CWbemObject@@QEAAJHPEAPEAG@Z +; public: long __cdecl CClassPart::GetPropertyOrigin(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetPropertyOrigin@CClassPart@@QEAAJPEBGPEAPEAG@Z +; public: virtual long __cdecl CWbemObject::GetPropertyOrigin(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetPropertyOrigin@CWbemObject@@UEAAJPEBGPEAPEAG@Z +; public: virtual long __cdecl CWbemClass::GetPropertyQualifierSet(unsigned short const * __ptr64,struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetPropertyQualifierSet@CWbemClass@@UEAAJPEBGPEAPEAUIWbemQualifierSet@@@Z +; public: virtual long __cdecl CWbemInstance::GetPropertyQualifierSet(unsigned short const * __ptr64,struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetPropertyQualifierSet@CWbemInstance@@UEAAJPEBGPEAPEAUIWbemQualifierSet@@@Z +; public: unsigned char * __ptr64 __cdecl CClassPart::GetPropertyQualifierSetData(unsigned short const * __ptr64) __ptr64 +?GetPropertyQualifierSetData@CClassPart@@QEAAPEAEPEBG@Z +; public: class CCompressedString * __ptr64 __cdecl CWbemObject::GetPropertyString(long) __ptr64 +?GetPropertyString@CWbemObject@@QEAAPEAVCCompressedString@@J@Z +; public: long __cdecl CClassPart::GetPropertyType(class CPropertyInformation * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CClassPart@@QEAAJPEAVCPropertyInformation@@PEAJ1@Z +; public: long __cdecl CClassPart::GetPropertyType(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CClassPart@@QEAAJPEBGPEAJ1@Z +; public: static long __cdecl CSystemProperties::GetPropertyType(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) +?GetPropertyType@CSystemProperties@@SAJPEBGPEAJ1@Z +; public: virtual long __cdecl CWbemClass::GetPropertyType(class CPropertyInformation * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CWbemClass@@UEAAJPEAVCPropertyInformation@@PEAJ1@Z +; public: virtual long __cdecl CWbemClass::GetPropertyType(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CWbemClass@@UEAAJPEBGPEAJ1@Z +; public: virtual long __cdecl CWbemInstance::GetPropertyType(class CPropertyInformation * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CWbemInstance@@UEAAJPEAVCPropertyInformation@@PEAJ1@Z +; public: virtual long __cdecl CWbemInstance::GetPropertyType(unsigned short const * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetPropertyType@CWbemInstance@@UEAAJPEBGPEAJ1@Z +; public: virtual long __cdecl CWbemObject::GetPropertyValue(struct _tag_WbemPropertyName * __ptr64,long,unsigned short * __ptr64 * __ptr64,struct tagVARIANT * __ptr64) __ptr64 +?GetPropertyValue@CWbemObject@@UEAAJPEAU_tag_WbemPropertyName@@JPEAPEAGPEAUtagVARIANT@@@Z +; public: long __cdecl CClassPart::GetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetQualifier@CClassPart@@QEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: long __cdecl CInstancePart::GetQualifier(unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetQualifier@CInstancePart@@QEAAJPEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: long __cdecl CInstancePart::GetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetQualifier@CInstancePart@@QEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: long __cdecl CQualifierSet::GetQualifier(unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetQualifier@CQualifierSet@@QEAAJPEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: long __cdecl CQualifierSet::GetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetQualifier@CQualifierSet@@QEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: struct CQualifier * __ptr64 __cdecl CQualifierSet::GetQualifier(unsigned short const * __ptr64) __ptr64 +?GetQualifier@CQualifierSet@@QEAAPEAUCQualifier@@PEBG@Z +; public: struct CQualifier * __ptr64 __cdecl CQualifierSet::GetQualifier(unsigned short const * __ptr64,int & __ptr64) __ptr64 +?GetQualifier@CQualifierSet@@QEAAPEAUCQualifier@@PEBGAEAH@Z +; public: virtual long __cdecl CWbemClass::GetQualifier(unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetQualifier@CWbemClass@@UEAAJPEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemClass::GetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetQualifier@CWbemClass@@UEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: virtual long __cdecl CWbemInstance::GetQualifier(unsigned short const * __ptr64,long * __ptr64,class CTypedValue * __ptr64,class CFastHeap * __ptr64 * __ptr64,int) __ptr64 +?GetQualifier@CWbemInstance@@UEAAJPEBGPEAJPEAVCTypedValue@@PEAPEAVCFastHeap@@H@Z +; public: virtual long __cdecl CWbemInstance::GetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?GetQualifier@CWbemInstance@@UEAAJPEBGPEAVCVar@@PEAJ2@Z +; public: long __cdecl CWbemObject::GetQualifierArrayInfo(unsigned short const * __ptr64,unsigned short const * __ptr64,int,long,long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetQualifierArrayInfo@CWbemObject@@QEAAJPEBG0HJPEAJPEAK@Z +; public: long __cdecl CWbemObject::GetQualifierArrayRange(unsigned short const * __ptr64,unsigned short const * __ptr64,int,long,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetQualifierArrayRange@CWbemObject@@QEAAJPEBG0HJKKKPEAK1PEAX@Z +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(class CCompressedString * __ptr64) __ptr64 +?GetQualifierLocally@CBasicQualifierSet@@QEAAPEAUCQualifier@@PEAVCCompressedString@@@Z +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(unsigned short const * __ptr64) __ptr64 +?GetQualifierLocally@CBasicQualifierSet@@QEAAPEAUCQualifier@@PEBG@Z +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(unsigned short const * __ptr64,int & __ptr64) __ptr64 +?GetQualifierLocally@CBasicQualifierSet@@QEAAPEAUCQualifier@@PEBGAEAH@Z +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(unsigned char * __ptr64,class CFastHeap * __ptr64,class CCompressedString * __ptr64) +?GetQualifierLocally@CBasicQualifierSet@@SAPEAUCQualifier@@PEAEPEAVCFastHeap@@PEAVCCompressedString@@@Z +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned short const * __ptr64) +?GetQualifierLocally@CBasicQualifierSet@@SAPEAUCQualifier@@PEAEPEAVCFastHeap@@PEBG@Z +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetQualifierLocally(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned short const * __ptr64,int & __ptr64) +?GetQualifierLocally@CBasicQualifierSet@@SAPEAUCQualifier@@PEAEPEAVCFastHeap@@PEBGAEAH@Z +; public: virtual long __cdecl CWbemClass::GetQualifierSet(struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetQualifierSet@CWbemClass@@UEAAJPEAPEAUIWbemQualifierSet@@@Z +; public: virtual long __cdecl CWbemInstance::GetQualifierSet(struct IWbemQualifierSet * __ptr64 * __ptr64) __ptr64 +?GetQualifierSet@CWbemInstance@@UEAAJPEAPEAUIWbemQualifierSet@@@Z +; public: unsigned char * __ptr64 __cdecl CQualifierSetList::GetQualifierSetData(int) __ptr64 +?GetQualifierSetData@CQualifierSetList@@QEAAPEAEH@Z +; public: static unsigned char * __ptr64 __cdecl CQualifierSetList::GetQualifierSetData(unsigned char * __ptr64,int) +?GetQualifierSetData@CQualifierSetList@@SAPEAEPEAEH@Z +; public: virtual unsigned char * __ptr64 __cdecl CInstancePart::GetQualifierSetListStart(void) __ptr64 +?GetQualifierSetListStart@CInstancePart@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CClassPart::GetQualifierSetStart(void) __ptr64 +?GetQualifierSetStart@CClassPart@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CInstancePQSContainer::GetQualifierSetStart(void) __ptr64 +?GetQualifierSetStart@CInstancePQSContainer@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CInstancePart::GetQualifierSetStart(void) __ptr64 +?GetQualifierSetStart@CInstancePart@@UEAAPEAEXZ +; public: virtual unsigned char * __ptr64 __cdecl CMethodQualifierSetContainer::GetQualifierSetStart(void) __ptr64 +?GetQualifierSetStart@CMethodQualifierSetContainer@@UEAAPEAEXZ +; public: static long __cdecl CUntypedArray::GetRange(class CPtrSource * __ptr64,unsigned long,unsigned long,class CFastHeap * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,void * __ptr64) +?GetRange@CUntypedArray@@SAJPEAVCPtrSource@@KKPEAVCFastHeap@@KKKPEAKPEAX@Z +; public: unsigned char * __ptr64 __cdecl CCompressedString::GetRawData(void)const __ptr64 +?GetRawData@CCompressedString@@QEBAPEAEXZ +; public: unsigned long __cdecl CFastHeap::GetRealLength(void) __ptr64 +?GetRealLength@CFastHeap@@QEAAKXZ +; protected: long __cdecl CWbemRefreshingSvc::GetRefrMgr(struct _IWbemRefresherMgr * __ptr64 * __ptr64) __ptr64 +?GetRefrMgr@CWbemRefreshingSvc@@IEAAJPEAPEAU_IWbemRefresherMgr@@@Z +; public: struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetRegularQualifierLocally(unsigned short const * __ptr64) __ptr64 +?GetRegularQualifierLocally@CBasicQualifierSet@@QEAAPEAUCQualifier@@PEBG@Z +; public: static struct CQualifier * __ptr64 __cdecl CBasicQualifierSet::GetRegularQualifierLocally(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned short const * __ptr64) +?GetRegularQualifierLocally@CBasicQualifierSet@@SAPEAUCQualifier@@PEAEPEAVCFastHeap@@PEBG@Z +; public: virtual unsigned short * __ptr64 __cdecl CWbemClass::GetRelPath(int) __ptr64 +?GetRelPath@CWbemClass@@UEAAPEAGH@Z +; public: virtual unsigned short * __ptr64 __cdecl CWbemInstance::GetRelPath(int) __ptr64 +?GetRelPath@CWbemInstance@@UEAAPEAGH@Z +; public: long __cdecl CWbemObject::GetRelPath(class CVar * __ptr64) __ptr64 +?GetRelPath@CWbemObject@@QEAAJPEAVCVar@@@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::GetRemoteRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,unsigned long,struct IWbemRemoteRefresher * __ptr64 * __ptr64,struct _GUID * __ptr64,unsigned long * __ptr64) __ptr64 +?GetRemoteRefresher@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@JKPEAPEAUIWbemRemoteRefresher@@PEAU_GUID@@PEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::GetRemoteRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,unsigned long,struct IWbemRemoteRefresher * __ptr64 * __ptr64,struct _GUID * __ptr64,unsigned long * __ptr64) __ptr64 +?GetRemoteRefresher@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@JKPEAPEAUIWbemRemoteRefresher@@PEAU_GUID@@PEAK@Z +; public: class CBasicQualifierSet * __ptr64 __cdecl CMethodQualifierSetContainer::GetSecondarySet(void) __ptr64 +?GetSecondarySet@CMethodQualifierSetContainer@@QEAAPEAVCBasicQualifierSet@@XZ +; protected: static unsigned long __cdecl CCompressedStringList::GetSeparatorLength(void) +?GetSeparatorLength@CCompressedStringList@@KAKXZ +; public: long __cdecl CWbemObject::GetServer(class CVar * __ptr64) __ptr64 +?GetServer@CWbemObject@@QEAAJPEAVCVar@@@Z +; public: long __cdecl CWbemObject::GetServerAndNamespace(class CVar * __ptr64) __ptr64 +?GetServerAndNamespace@CWbemObject@@QEAAJPEAVCVar@@@Z +; public: unsigned short * __ptr64 __cdecl CWbemThreadSecurityHandle::GetServerPrincipalName(void) __ptr64 +?GetServerPrincipalName@CWbemThreadSecurityHandle@@QEAAPEAGXZ +; public: unsigned long __cdecl CMethodDescription::GetSig(int) __ptr64 +?GetSig@CMethodDescription@@QEAAKH@Z +; protected: void __cdecl CMethodPart::GetSignature(int,int,class CWbemObject * __ptr64 * __ptr64) __ptr64 +?GetSignature@CMethodPart@@IEAAXHHPEAPEAVCWbemObject@@@Z +; public: int __cdecl CPointerArray,class CFlexArray>::GetSize(void)const __ptr64 +?GetSize@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEBAHXZ +; public: int __cdecl CPointerArray,class CFlexArray>::GetSize(void)const __ptr64 +?GetSize@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEBAHXZ +; public: virtual long __cdecl CWbemObject::GetSource(unsigned short * __ptr64 * __ptr64) __ptr64 +?GetSource@CWbemObject@@UEAAJPEAPEAG@Z +; public: unsigned char * __ptr64 __cdecl CBasicQualifierSet::GetStart(void) __ptr64 +?GetStart@CBasicQualifierSet@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CClassAndMethods::GetStart(void) __ptr64 +?GetStart@CClassAndMethods@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CClassPart::GetStart(void) __ptr64 +?GetStart@CClassPart@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CCompressedString::GetStart(void) __ptr64 +?GetStart@CCompressedString@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CCompressedStringList::GetStart(void) __ptr64 +?GetStart@CCompressedStringList@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CDataTable::GetStart(void) __ptr64 +?GetStart@CDataTable@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CDecorationPart::GetStart(void) __ptr64 +?GetStart@CDecorationPart@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CEmbeddedObject::GetStart(void) __ptr64 +?GetStart@CEmbeddedObject@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CFastHeap::GetStart(void) __ptr64 +?GetStart@CFastHeap@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CInstancePart::GetStart(void) __ptr64 +?GetStart@CInstancePart@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CMethodPart::GetStart(void) __ptr64 +?GetStart@CMethodPart@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CPropertyLookupTable::GetStart(void) __ptr64 +?GetStart@CPropertyLookupTable@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CQualifierSetList::GetStart(void) __ptr64 +?GetStart@CQualifierSetList@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CWbemInstance::GetStart(void) __ptr64 +?GetStart@CWbemInstance@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CWbemObject::GetStart(void) __ptr64 +?GetStart@CWbemObject@@QEAAPEAEXZ +; public: int __cdecl CCompressedString::GetStringLength(void)const __ptr64 +?GetStringLength@CCompressedString@@QEBAHXZ +; public: static long __cdecl CClassAndMethods::GetSuperclassName(class WString & __ptr64,unsigned char * __ptr64) +?GetSuperclassName@CClassAndMethods@@SAJAEAVWString@@PEAE@Z +; public: long __cdecl CClassPart::GetSuperclassName(class CVar * __ptr64) __ptr64 +?GetSuperclassName@CClassPart@@QEAAJPEAVCVar@@@Z +; public: class CCompressedString * __ptr64 __cdecl CClassPart::GetSuperclassName(void) __ptr64 +?GetSuperclassName@CClassPart@@QEAAPEAVCCompressedString@@XZ +; public: virtual long __cdecl CWbemClass::GetSuperclassName(class CVar * __ptr64) __ptr64 +?GetSuperclassName@CWbemClass@@UEAAJPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::GetSuperclassName(class CVar * __ptr64) __ptr64 +?GetSuperclassName@CWbemInstance@@UEAAJPEAVCVar@@@Z +; public: unsigned short * __ptr64 __cdecl CType::GetSyntax(void) __ptr64 +?GetSyntax@CType@@QEAAPEAGXZ +; public: static unsigned short * __ptr64 __cdecl CType::GetSyntax(unsigned long) +?GetSyntax@CType@@SAPEAGK@Z +; public: long __cdecl CWbemObject::GetSystemProperty(int,class CVar * __ptr64) __ptr64 +?GetSystemProperty@CWbemObject@@QEAAJHPEAVCVar@@@Z +; public: long __cdecl CWbemObject::GetSystemPropertyByName(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?GetSystemPropertyByName@CWbemObject@@QEAAJPEBGPEAVCVar@@@Z +; public: long __cdecl CBasicQualifierSet::GetText(long,class WString & __ptr64) __ptr64 +?GetText@CBasicQualifierSet@@QEAAJJAEAVWString@@@Z +; public: static long __cdecl CBasicQualifierSet::GetText(unsigned char * __ptr64,class CFastHeap * __ptr64,long,class WString & __ptr64) +?GetText@CBasicQualifierSet@@SAJPEAEPEAVCFastHeap@@JAEAVWString@@@Z +; public: char const * __ptr64 __cdecl CInternalString::GetText(void)const __ptr64 +?GetText@CInternalString@@QEBAPEBDXZ +; public: virtual long __cdecl CWmiObjectTextSrc::XObjectTextSrc::GetText(long,struct IWbemClassObject * __ptr64,unsigned long,struct IWbemContext * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?GetText@XObjectTextSrc@CWmiObjectTextSrc@@UEAAJJPEAUIWbemClassObject@@KPEAUIWbemContext@@PEAPEAG@Z +; public: virtual long __cdecl CWbemCallSecurity::GetThreadSecurity(enum tag_WMI_THREAD_SECURITY_ORIGIN,struct _IWmiThreadSecHandle * __ptr64 * __ptr64) __ptr64 +?GetThreadSecurity@CWbemCallSecurity@@UEAAJW4tag_WMI_THREAD_SECURITY_ORIGIN@@PEAPEAU_IWmiThreadSecHandle@@@Z +; public: class CWbemThreadSecurityHandle * __ptr64 __cdecl CWbemCallSecurity::GetThreadSecurityHandle(void) __ptr64 +?GetThreadSecurityHandle@CWbemCallSecurity@@QEAAPEAVCWbemThreadSecurityHandle@@XZ +; public: void * __ptr64 __cdecl CWbemThreadSecurityHandle::GetThreadToken(void) __ptr64 +?GetThreadToken@CWbemThreadSecurityHandle@@QEAAPEAXXZ +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetToken(void * __ptr64 * __ptr64) __ptr64 +?GetToken@CWbemThreadSecurityHandle@@UEAAJPEAPEAX@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetTokenOrigin(enum tag_WMI_THREAD_SECURITY_ORIGIN * __ptr64) __ptr64 +?GetTokenOrigin@CWbemThreadSecurityHandle@@UEAAJPEAW4tag_WMI_THREAD_SECURITY_ORIGIN@@@Z +; public: unsigned long __cdecl CClassPart::GetTotalRealLength(void) __ptr64 +?GetTotalRealLength@CClassPart@@QEAAKXZ +; public: unsigned long __cdecl CInstancePart::GetTotalRealLength(void) __ptr64 +?GetTotalRealLength@CInstancePart@@QEAAKXZ +; public: long __cdecl CWbemInstance::GetTransferArrayBlob(long,unsigned char * __ptr64 * __ptr64,long * __ptr64) __ptr64 +?GetTransferArrayBlob@CWbemInstance@@QEAAJJPEAPEAEPEAJ@Z +; public: long __cdecl CWbemInstance::GetTransferArrayBlobSize(void) __ptr64 +?GetTransferArrayBlobSize@CWbemInstance@@QEAAJXZ +; public: static long __cdecl CWbemInstance::GetTransferArrayHeaderSize(void) +?GetTransferArrayHeaderSize@CWbemInstance@@SAJXZ +; public: long __cdecl CWbemInstance::GetTransferBlob(long * __ptr64,long * __ptr64,unsigned char * __ptr64 * __ptr64) __ptr64 +?GetTransferBlob@CWbemInstance@@QEAAJPEAJ0PEAPEAE@Z +; public: long __cdecl CWbemInstance::GetTransferBlobSize(void) __ptr64 +?GetTransferBlobSize@CWbemInstance@@QEAAJXZ +; public: virtual long __cdecl CWbemObject::GetUnmarshalClass(struct _GUID const & __ptr64,void * __ptr64,unsigned long,void * __ptr64,unsigned long,struct _GUID * __ptr64) __ptr64 +?GetUnmarshalClass@CWbemObject@@UEAAJAEBU_GUID@@PEAXK1KPEAU2@@Z +; public: unsigned long __cdecl CFastHeap::GetUsedLength(void) __ptr64 +?GetUsedLength@CFastHeap@@QEAAKXZ +; public: virtual long __cdecl CWbemCallSecurity::GetUser(unsigned long * __ptr64,unsigned short * __ptr64) __ptr64 +?GetUser@CWbemCallSecurity@@UEAAJPEAKPEAG@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetUser(unsigned long * __ptr64,unsigned short * __ptr64) __ptr64 +?GetUser@CWbemThreadSecurityHandle@@UEAAJPEAKPEAG@Z +; public: virtual long __cdecl CWbemCallSecurity::GetUserSid(unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetUserSid@CWbemCallSecurity@@UEAAJPEAKPEAX@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::GetUserSid(unsigned long * __ptr64,void * __ptr64) __ptr64 +?GetUserSid@CWbemThreadSecurityHandle@@UEAAJPEAKPEAX@Z +; public: unsigned short __cdecl CType::GetVARTYPE(void) __ptr64 +?GetVARTYPE@CType@@QEAAGXZ +; public: static unsigned short __cdecl CType::GetVARTYPE(unsigned long) +?GetVARTYPE@CType@@SAGK@Z +; public: static unsigned short * __ptr64 __cdecl CWbemObject::GetValueText(long,class CVar & __ptr64,unsigned long) +?GetValueText@CWbemObject@@SAPEAGJAEAVCVar@@K@Z +; public: unsigned long __cdecl CLimitationMapping::GetVtableLength(void) __ptr64 +?GetVtableLength@CLimitationMapping@@QEAAKXZ +; public: virtual struct IUnknown * __ptr64 __cdecl CClassAndMethods::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CClassAndMethods@@UEAAPEAUIUnknown@@XZ +; public: virtual struct IUnknown * __ptr64 __cdecl CClassPart::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CClassPart@@UEAAPEAUIUnknown@@XZ +; public: virtual struct IUnknown * __ptr64 __cdecl CInstancePQSContainer::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CInstancePQSContainer@@UEAAPEAUIUnknown@@XZ +; public: virtual struct IUnknown * __ptr64 __cdecl CInstancePart::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CInstancePart@@UEAAPEAUIUnknown@@XZ +; public: struct IUnknown * __ptr64 __cdecl CMethodPart::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CMethodPart@@QEAAPEAUIUnknown@@XZ +; public: virtual struct IUnknown * __ptr64 __cdecl CMethodQualifierSetContainer::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CMethodQualifierSetContainer@@UEAAPEAUIUnknown@@XZ +; public: struct IUnknown * __ptr64 __cdecl CQualifierSetList::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CQualifierSetList@@QEAAPEAUIUnknown@@XZ +; public: struct IUnknown * __ptr64 __cdecl CWbemClass::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CWbemClass@@QEAAPEAUIUnknown@@XZ +; public: virtual struct IUnknown * __ptr64 __cdecl CWbemInstance::GetWbemObjectUnknown(void) __ptr64 +?GetWbemObjectUnknown@CWbemInstance@@UEAAPEAUIUnknown@@XZ +; public: static int __cdecl CBasicQualifierSet::HasLocalQualifiers(unsigned char * __ptr64) +?HasLocalQualifiers@CBasicQualifierSet@@SAHPEAE@Z +; public: int __cdecl CWbemObject::HasRefs(void) __ptr64 +?HasRefs@CWbemObject@@QEAAHXZ +; public: virtual long __cdecl CWbemCallSecurity::ImpersonateClient(void) __ptr64 +?ImpersonateClient@CWbemCallSecurity@@UEAAJXZ +; public: void __cdecl CBasicQualifierSet::IncrementLength(unsigned long) __ptr64 +?IncrementLength@CBasicQualifierSet@@QEAAXK@Z +; public: int __cdecl CClassPart::InheritsFrom(unsigned short const * __ptr64) __ptr64 +?InheritsFrom@CClassPart@@QEAAHPEBG@Z +; public: virtual long __cdecl CWbemObject::InheritsFrom(unsigned short const * __ptr64) __ptr64 +?InheritsFrom@CWbemObject@@UEAAJPEBG@Z +; public: long __cdecl CWbemFetchRefrMgr::Init(struct _IWmiProvSS * __ptr64,struct IWbemServices * __ptr64) __ptr64 +?Init@CWbemFetchRefrMgr@@QEAAJPEAU_IWmiProvSS@@PEAUIWbemServices@@@Z +; public: virtual long __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::Init(struct _IWmiProvSS * __ptr64,struct IWbemServices * __ptr64) __ptr64 +?Init@XFetchRefrMgr@CWbemFetchRefrMgr@@UEAAJPEAU_IWmiProvSS@@PEAUIWbemServices@@@Z +; public: long __cdecl CWbemClass::InitEmpty(int,int) __ptr64 +?InitEmpty@CWbemClass@@QEAAJHH@Z +; public: long __cdecl CWbemInstance::InitEmptyInstance(class CClassPart & __ptr64,unsigned char * __ptr64,int,class CDecorationPart * __ptr64) __ptr64 +?InitEmptyInstance@CWbemInstance@@QEAAJAEAVCClassPart@@PEAEHPEAVCDecorationPart@@@Z +; public: long __cdecl CWbemInstance::InitNew(class CWbemClass * __ptr64,int,class CDecorationPart * __ptr64) __ptr64 +?InitNew@CWbemInstance@@QEAAJPEAVCWbemClass@@HPEAVCDecorationPart@@@Z +; public: long __cdecl CClassPart::InitPropertyQualifierSet(unsigned short const * __ptr64,class CClassPropertyQualifierSet * __ptr64) __ptr64 +?InitPropertyQualifierSet@CClassPart@@QEAAJPEBGPEAVCClassPropertyQualifierSet@@@Z +; public: static void __cdecl CKnownStringTable::Initialize(void) +?Initialize@CKnownStringTable@@SAXXZ +; public: virtual int __cdecl CWbemRefreshingSvc::Initialize(void) __ptr64 +?Initialize@CWbemRefreshingSvc@@UEAAHXZ +; protected: long __cdecl CWbemInstance::InitializePropQualifierSet(class CPropertyInformation * __ptr64,class CInstancePropertyQualifierSet & __ptr64) __ptr64 +?InitializePropQualifierSet@CWbemInstance@@IEAAJPEAVCPropertyInformation@@AEAVCInstancePropertyQualifierSet@@@Z +; protected: long __cdecl CWbemInstance::InitializePropQualifierSet(unsigned short const * __ptr64,class CInstancePropertyQualifierSet & __ptr64) __ptr64 +?InitializePropQualifierSet@CWbemInstance@@IEAAJPEBGAEAVCInstancePropertyQualifierSet@@@Z +; public: bool __cdecl CPointerArray,class CFlexArray>::InsertAt(int,class CFastPropertyBagItem * __ptr64) __ptr64 +?InsertAt@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAA_NHPEAVCFastPropertyBagItem@@@Z +; public: bool __cdecl CPointerArray,class CFlexArray>::InsertAt(int,class CWmiTextSource * __ptr64) __ptr64 +?InsertAt@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAA_NHPEAVCWmiTextSource@@@Z +; public: long __cdecl CPropertyLookupTable::InsertProperty(struct CPropertyLookup const & __ptr64,int & __ptr64) __ptr64 +?InsertProperty@CPropertyLookupTable@@QEAAJAEBUCPropertyLookup@@AEAH@Z +; public: long __cdecl CPropertyLookupTable::InsertProperty(unsigned short const * __ptr64,unsigned long,int & __ptr64) __ptr64 +?InsertProperty@CPropertyLookupTable@@QEAAJPEBGKAEAH@Z +; public: long __cdecl CQualifierSetList::InsertQualifierSet(int) __ptr64 +?InsertQualifierSet@CQualifierSetList@@QEAAJH@Z +; public: int __cdecl CClassPart::IsAbstract(void) __ptr64 +?IsAbstract@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsAbstract(void) __ptr64 +?IsAbstract@CWbemClass@@QEAAHXZ +; public: int __cdecl CClassPart::IsAmendment(void) __ptr64 +?IsAmendment@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsAmendment(void) __ptr64 +?IsAmendment@CWbemClass@@QEAAHXZ +; public: int __cdecl CType::IsArray(void) __ptr64 +?IsArray@CType@@QEAAHXZ +; public: static int __cdecl CType::IsArray(unsigned long) +?IsArray@CType@@SAHK@Z +; public: long __cdecl CWbemObject::IsArrayPropertyHandle(long,long * __ptr64,unsigned long * __ptr64) __ptr64 +?IsArrayPropertyHandle@CWbemObject@@QEAAJJPEAJPEAK@Z +; public: long __cdecl CUntypedArray::IsArrayValid(class CType,class CFastHeap * __ptr64) __ptr64 +?IsArrayValid@CUntypedArray@@QEAAJVCType@@PEAVCFastHeap@@@Z +; protected: static int __cdecl CCompressedString::IsAsciiable(unsigned short const * __ptr64) +?IsAsciiable@CCompressedString@@KAHPEBG@Z +; public: int __cdecl CClassPart::IsAssociation(void) __ptr64 +?IsAssociation@CClassPart@@QEAAHXZ +; public: int __cdecl CClassPart::IsAutocook(void) __ptr64 +?IsAutocook@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsChildOf(class CWbemClass * __ptr64) __ptr64 +?IsChildOf@CWbemClass@@QEAAHPEAV1@@Z +; protected: int __cdecl CWbemInstance::IsClassPartAvailable(void) __ptr64 +?IsClassPartAvailable@CWbemInstance@@IEAAHXZ +; protected: int __cdecl CWbemInstance::IsClassPartInternal(void) __ptr64 +?IsClassPartInternal@CWbemInstance@@IEAAHXZ +; protected: int __cdecl CWbemInstance::IsClassPartShared(void) __ptr64 +?IsClassPartShared@CWbemInstance@@IEAAHXZ +; public: int __cdecl CDecorationPart::IsClientOnly(void) __ptr64 +?IsClientOnly@CDecorationPart@@QEAAHXZ +; public: int __cdecl CWbemObject::IsClientOnly(void) __ptr64 +?IsClientOnly@CWbemObject@@QEAAHXZ +; public: int __cdecl CQualifierSet::IsComplete(void) __ptr64 +?IsComplete@CQualifierSet@@QEAAHXZ +; public: int __cdecl CClassPart::IsCompressed(void) __ptr64 +?IsCompressed@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsCompressed(void) __ptr64 +?IsCompressed@CWbemClass@@QEAAHXZ +; public: int __cdecl CDecorationPart::IsDecorated(void) __ptr64 +?IsDecorated@CDecorationPart@@QEAAHXZ +; protected: int __cdecl CWbemInstance::IsDecorationPartAvailable(void) __ptr64 +?IsDecorationPartAvailable@CWbemInstance@@IEAAHXZ +; public: int __cdecl CDataTable::IsDefault(int) __ptr64 +?IsDefault@CDataTable@@QEAAHH@Z +; public: int __cdecl CClassPart::IsDynamic(void) __ptr64 +?IsDynamic@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsDynamic(void) __ptr64 +?IsDynamic@CWbemClass@@QEAAHXZ +; public: int __cdecl CBasicQualifierSet::IsEmpty(void) __ptr64 +?IsEmpty@CBasicQualifierSet@@QEAAHXZ +; public: static int __cdecl CBasicQualifierSet::IsEmpty(unsigned char * __ptr64) +?IsEmpty@CBasicQualifierSet@@SAHPEAE@Z +; public: int __cdecl CCompressedStringList::IsEmpty(void) __ptr64 +?IsEmpty@CCompressedStringList@@QEAAHXZ +; public: bool __cdecl CInternalString::IsEmpty(void) __ptr64 +?IsEmpty@CInternalString@@QEAA_NXZ +; public: int __cdecl CQualifierSetList::IsEmpty(void) __ptr64 +?IsEmpty@CQualifierSetList@@QEAAHXZ +; public: static int __cdecl CFastHeap::IsFakeAddress(unsigned long) +?IsFakeAddress@CFastHeap@@SAHK@Z +; public: int __cdecl CClassPart::IsHiPerf(void) __ptr64 +?IsHiPerf@CClassPart@@QEAAHXZ +; public: int __cdecl CClassPart::IsIdenticalWith(class CClassPart & __ptr64) __ptr64 +?IsIdenticalWith@CClassPart@@QEAAHAEAV1@@Z +; public: static int __cdecl CSystemProperties::IsIllegalDerivedClass(unsigned short const * __ptr64) +?IsIllegalDerivedClass@CSystemProperties@@SAHPEBG@Z +; public: virtual int __cdecl CWbemCallSecurity::IsImpersonating(void) __ptr64 +?IsImpersonating@CWbemCallSecurity@@UEAAHXZ +; public: int __cdecl CWbemClass::IsIndexLocal(unsigned short const * __ptr64) __ptr64 +?IsIndexLocal@CWbemClass@@QEAAHPEBG@Z +; public: int __cdecl CDecorationPart::IsInstance(void) __ptr64 +?IsInstance@CDecorationPart@@QEAAHXZ +; public: int __cdecl CWbemObject::IsInstance(void) __ptr64 +?IsInstance@CWbemObject@@QEAAHXZ +; public: int __cdecl CWbemInstance::IsInstanceOf(class CWbemClass * __ptr64) __ptr64 +?IsInstanceOf@CWbemInstance@@QEAAHPEAVCWbemClass@@@Z +; protected: int __cdecl CWbemInstance::IsInstancePartAvailable(void) __ptr64 +?IsInstancePartAvailable@CWbemInstance@@IEAAHXZ +; public: int __cdecl CWbemClass::IsKeyLocal(unsigned short const * __ptr64) __ptr64 +?IsKeyLocal@CWbemClass@@QEAAHPEBG@Z +; public: int __cdecl CClassPart::IsKeyed(void) __ptr64 +?IsKeyed@CClassPart@@QEAAHXZ +; public: virtual int __cdecl CWbemClass::IsKeyed(void) __ptr64 +?IsKeyed@CWbemClass@@UEAAHXZ +; public: virtual int __cdecl CWbemInstance::IsKeyed(void) __ptr64 +?IsKeyed@CWbemInstance@@UEAAHXZ +; public: int __cdecl CDecorationPart::IsLimited(void) __ptr64 +?IsLimited@CDecorationPart@@QEAAHXZ +; public: int __cdecl CWbemObject::IsLimited(void) __ptr64 +?IsLimited@CWbemObject@@QEAAHXZ +; public: int __cdecl CClassPart::IsLocalized(void) __ptr64 +?IsLocalized@CClassPart@@QEAAHXZ +; public: int __cdecl CInstancePart::IsLocalized(void) __ptr64 +?IsLocalized@CInstancePart@@QEAAHXZ +; public: virtual int __cdecl CWbemClass::IsLocalized(void) __ptr64 +?IsLocalized@CWbemClass@@UEAAHXZ +; public: virtual int __cdecl CWbemInstance::IsLocalized(void) __ptr64 +?IsLocalized@CWbemInstance@@UEAAHXZ +; public: static int __cdecl CType::IsMemCopyAble(unsigned short,long) +?IsMemCopyAble@CType@@SAHGJ@Z +; public: int __cdecl CType::IsNonArrayPointerType(void) __ptr64 +?IsNonArrayPointerType@CType@@QEAAHXZ +; public: static int __cdecl CType::IsNonArrayPointerType(unsigned long) +?IsNonArrayPointerType@CType@@SAHK@Z +; public: int __cdecl CDataTable::IsNull(int) __ptr64 +?IsNull@CDataTable@@QEAAHH@Z +; public: virtual long __cdecl CWbemObject::IsObjectInstance(void) __ptr64 +?IsObjectInstance@CWbemObject@@UEAAJXZ +; protected: int __cdecl CFastHeap::IsOutOfLine(void) __ptr64 +?IsOutOfLine@CFastHeap@@IEAAHXZ +; public: virtual long __cdecl CWbemClass::IsParentClass(long,struct _IWmiObject * __ptr64) __ptr64 +?IsParentClass@CWbemClass@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::IsParentClass(long,struct _IWmiObject * __ptr64) __ptr64 +?IsParentClass@CWbemInstance@@UEAAJJPEAU_IWmiObject@@@Z +; public: int __cdecl CType::IsParents(void) __ptr64 +?IsParents@CType@@QEAAHXZ +; public: static int __cdecl CType::IsParents(unsigned long) +?IsParents@CType@@SAHK@Z +; public: int __cdecl CType::IsPointerType(void) __ptr64 +?IsPointerType@CType@@QEAAHXZ +; public: static int __cdecl CType::IsPointerType(unsigned long) +?IsPointerType@CType@@SAHK@Z +; public: static int __cdecl CSystemProperties::IsPossibleSystemPropertyName(unsigned short const * __ptr64) +?IsPossibleSystemPropertyName@CSystemProperties@@SAHPEBG@Z +; protected: int __cdecl CMethodPart::IsPropagated(int) __ptr64 +?IsPropagated@CMethodPart@@IEAAHH@Z +; public: int __cdecl CClassPart::IsPropertyIndexed(unsigned short const * __ptr64) __ptr64 +?IsPropertyIndexed@CClassPart@@QEAAHPEBG@Z +; public: int __cdecl CClassPart::IsPropertyKeyed(unsigned short const * __ptr64) __ptr64 +?IsPropertyKeyed@CClassPart@@QEAAHPEBG@Z +; public: static int __cdecl CReservedWordTable::IsReservedWord(unsigned short const * __ptr64) +?IsReservedWord@CReservedWordTable@@SAHPEBG@Z +; public: int __cdecl CWbemObject::IsSameClass(class CWbemObject * __ptr64) __ptr64 +?IsSameClass@CWbemObject@@QEAAHPEAV1@@Z +; public: int __cdecl CClassPart::IsSingleton(void) __ptr64 +?IsSingleton@CClassPart@@QEAAHXZ +; public: int __cdecl CWbemClass::IsSingleton(void) __ptr64 +?IsSingleton@CWbemClass@@QEAAHXZ +; public: int __cdecl CType::IsStringType(void) __ptr64 +?IsStringType@CType@@QEAAHXZ +; public: static int __cdecl CType::IsStringType(unsigned long) +?IsStringType@CType@@SAHK@Z +; public: int __cdecl CClassPart::IsTopLevel(void) __ptr64 +?IsTopLevel@CClassPart@@QEAAHXZ +; public: static int __cdecl CMethodDescription::IsTouched(struct CMethodDescription * __ptr64 __ptr64,class CFastHeap * __ptr64) +?IsTouched@CMethodDescription@@SAHPEFAU1@PEAVCFastHeap@@@Z +; public: int __cdecl CMethodPart::IsTouched(int,int * __ptr64) __ptr64 +?IsTouched@CMethodPart@@QEAAHHPEAH@Z +; public: int __cdecl CMethodPart::IsTouched(unsigned short const * __ptr64,int * __ptr64) __ptr64 +?IsTouched@CMethodPart@@QEAAHPEBGPEAH@Z +; public: int __cdecl CCompressedString::IsUnicode(void)const __ptr64 +?IsUnicode@CCompressedString@@QEBAHXZ +; public: long __cdecl CWbemDataPacket::IsValid(void) __ptr64 +?IsValid@CWbemDataPacket@@QEAAJXZ +; public: bool __cdecl CWbemObjectArrayPacket::IsValid(class CWbemClassCache * __ptr64) __ptr64 +?IsValid@CWbemObjectArrayPacket@@QEAA_NPEAVCWbemClassCache@@@Z +; public: long __cdecl CClassPart::IsValidClassPart(void) __ptr64 +?IsValidClassPart@CClassPart@@QEAAJXZ +; public: long __cdecl CInstancePart::IsValidInstancePart(class CClassPart * __ptr64,class std::vector > & __ptr64) __ptr64 +?IsValidInstancePart@CInstancePart@@QEAAJPEAVCClassPart@@AEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: int __cdecl CWbemInstance::IsValidKey(unsigned short const * __ptr64) __ptr64 +?IsValidKey@CWbemInstance@@QEAAHPEBG@Z +; public: long __cdecl CMethodPart::IsValidMethodPart(void) __ptr64 +?IsValidMethodPart@CMethodPart@@QEAAJXZ +; public: virtual long __cdecl CWbemClass::IsValidObj(void) __ptr64 +?IsValidObj@CWbemClass@@UEAAJXZ +; public: virtual long __cdecl CWbemInstance::IsValidObj(void) __ptr64 +?IsValidObj@CWbemInstance@@UEAAJXZ +; public: long __cdecl CClassPart::IsValidPropertyHandle(long) __ptr64 +?IsValidPropertyHandle@CClassPart@@QEAAJJ@Z +; public: long __cdecl CWbemObject::IsValidPropertyHandle(long) __ptr64 +?IsValidPropertyHandle@CWbemObject@@QEAAJJ@Z +; public: bool __cdecl CFastHeap::IsValidPtr(unsigned long) __ptr64 +?IsValidPtr@CFastHeap@@QEAA_NK@Z +; public: long __cdecl CBasicQualifierSet::IsValidQualifierSet(void) __ptr64 +?IsValidQualifierSet@CBasicQualifierSet@@QEAAJXZ +; public: static int __cdecl CBasicQualifierSet::IsValidQualifierType(unsigned short) +?IsValidQualifierType@CBasicQualifierSet@@SAHG@Z +; protected: int __cdecl CWbemRefreshingSvc::IsWinmgmt(struct _WBEM_REFRESHER_ID * __ptr64) __ptr64 +?IsWinmgmt@CWbemRefreshingSvc@@IEAAHPEAU_WBEM_REFRESHER_ID@@@Z +; public: static long __cdecl CUntypedArray::LoadFromCVarVector(class CPtrSource * __ptr64,class CVarVector & __ptr64,unsigned long,class CFastHeap * __ptr64,unsigned long & __ptr64,int) +?LoadFromCVarVector@CUntypedArray@@SAJPEAVCPtrSource@@AEAVCVarVector@@KPEAVCFastHeap@@AEAKH@Z +; protected: long __cdecl CWbemObject::LocalizeProperties(int,bool,struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64,bool & __ptr64) __ptr64 +?LocalizeProperties@CWbemObject@@IEAAJH_NPEAUIWbemClassObject@@1AEA_N@Z +; protected: long __cdecl CWbemObject::LocalizeQualifiers(int,bool,struct IWbemQualifierSet * __ptr64,struct IWbemQualifierSet * __ptr64,bool & __ptr64) __ptr64 +?LocalizeQualifiers@CWbemObject@@IEAAJH_NPEAUIWbemQualifierSet@@1AEA_N@Z +; public: int __cdecl CHiPerfLock::Lock(unsigned long) __ptr64 +?Lock@CHiPerfLock@@QEAAHK@Z +; public: int __cdecl CSharedLock::Lock(unsigned long) __ptr64 +?Lock@CSharedLock@@QEAAHK@Z +; public: virtual long __cdecl CWbemObject::Lock(long) __ptr64 +?Lock@CWbemObject@@UEAAJJ@Z +; protected: static char __cdecl CCompressedString::LowerByte(unsigned short) +?LowerByte@CCompressedString@@KADG@Z +; public: static unsigned long __cdecl CType::MakeArray(unsigned long) +?MakeArray@CType@@SAKK@Z +; public: static unsigned long __cdecl CFastHeap::MakeFakeFromIndex(int) +?MakeFakeFromIndex@CFastHeap@@SAKH@Z +; public: static unsigned long __cdecl CType::MakeLocal(unsigned long) +?MakeLocal@CType@@SAKK@Z +; public: void __cdecl CCompressedString::MakeLowercase(void) __ptr64 +?MakeLowercase@CCompressedString@@QEAAXXZ +; public: static unsigned long __cdecl CType::MakeNotArray(unsigned long) +?MakeNotArray@CType@@SAKK@Z +; public: static unsigned long __cdecl CType::MakeParents(unsigned long) +?MakeParents@CType@@SAKK@Z +; public: virtual long __cdecl CWbemClass::MakeSubsetInst(struct _IWmiObject * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?MakeSubsetInst@CWbemClass@@UEAAJPEAU_IWmiObject@@PEAPEAU2@@Z +; public: virtual long __cdecl CWbemInstance::MakeSubsetInst(struct _IWmiObject * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?MakeSubsetInst@CWbemInstance@@UEAAJPEAU_IWmiObject@@PEAPEAU2@@Z +; public: void __cdecl CLimitationMapping::Map(class CPropertyInformation * __ptr64,class CPropertyInformation * __ptr64,int) __ptr64 +?Map@CLimitationMapping@@QEAAXPEAVCPropertyInformation@@0H@Z +; public: int __cdecl CClassPart::MapLimitation(long,class CWStringArray * __ptr64,class CLimitationMapping * __ptr64) __ptr64 +?MapLimitation@CClassPart@@QEAAHJPEAVCWStringArray@@PEAVCLimitationMapping@@@Z +; public: static int __cdecl CDecorationPart::MapLimitation(class CWStringArray * __ptr64,class CLimitationMapping * __ptr64) +?MapLimitation@CDecorationPart@@SAHPEAVCWStringArray@@PEAVCLimitationMapping@@@Z +; public: int __cdecl CPropertyLookupTable::MapLimitation(long,class CWStringArray * __ptr64,class CLimitationMapping * __ptr64) __ptr64 +?MapLimitation@CPropertyLookupTable@@QEAAHJPEAVCWStringArray@@PEAVCLimitationMapping@@@Z +; public: int __cdecl CWbemClass::MapLimitation(long,class CWStringArray * __ptr64,class CLimitationMapping * __ptr64) __ptr64 +?MapLimitation@CWbemClass@@QEAAHJPEAVCWStringArray@@PEAVCLimitationMapping@@@Z +; public: static void __cdecl CDecorationPart::MarkKeyRemoval(unsigned char * __ptr64) +?MarkKeyRemoval@CDecorationPart@@SAXPEAE@Z +; public: virtual long __cdecl CWbemObject::MarshalInterface(struct IStream * __ptr64,struct _GUID const & __ptr64,void * __ptr64,unsigned long,void * __ptr64,unsigned long) __ptr64 +?MarshalInterface@CWbemObject@@UEAAJPEAUIStream@@AEBU_GUID@@PEAXK2K@Z +; public: long __cdecl CWbemMtgtDeliverEventPacket::MarshalPacket(long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemMtgtDeliverEventPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemMtgtDeliverEventPacket::MarshalPacket(unsigned char * __ptr64,unsigned long,long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemMtgtDeliverEventPacket@@QEAAJPEAEKJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemObjectArrayPacket::MarshalPacket(long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemObjectArrayPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemObjectArrayPacket::MarshalPacket(unsigned char * __ptr64,unsigned long,long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemObjectArrayPacket@@QEAAJPEAEKJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemSmartEnumNextPacket::MarshalPacket(long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemSmartEnumNextPacket@@QEAAJJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: long __cdecl CWbemSmartEnumNextPacket::MarshalPacket(unsigned char * __ptr64,unsigned long,long,struct IWbemClassObject * __ptr64 * __ptr64,struct _GUID * __ptr64,int * __ptr64) __ptr64 +?MarshalPacket@CWbemSmartEnumNextPacket@@QEAAJPEAEKJPEAPEAUIWbemClassObject@@PEAU_GUID@@PEAH@Z +; public: static int __cdecl CSystemProperties::MaxNumProperties(void) +?MaxNumProperties@CSystemProperties@@SAHXZ +; public: static unsigned char * __ptr64 __cdecl CBasicQualifierSet::Merge(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64,int) +?Merge@CBasicQualifierSet@@SAPEAEPEAEPEAVCFastHeap@@0101H@Z +; public: static unsigned char * __ptr64 __cdecl CClassAndMethods::Merge(class CClassAndMethods & __ptr64,class CClassAndMethods & __ptr64,unsigned char * __ptr64,int) +?Merge@CClassAndMethods@@SAPEAEAEAV1@0PEAEH@Z +; public: static unsigned char * __ptr64 __cdecl CClassPart::Merge(class CClassPart & __ptr64,class CClassPart & __ptr64,unsigned char * __ptr64,int) +?Merge@CClassPart@@SAPEAEAEAV1@0PEAEH@Z +; public: static unsigned char * __ptr64 __cdecl CDataTable::Merge(class CDataTable * __ptr64,class CFastHeap * __ptr64,class CDataTable * __ptr64,class CFastHeap * __ptr64,class CPropertyLookupTable * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) +?Merge@CDataTable@@SAPEAEPEAV1@PEAVCFastHeap@@01PEAVCPropertyLookupTable@@PEAE1@Z +; public: static unsigned char * __ptr64 __cdecl CDerivationList::Merge(class CCompressedStringList & __ptr64,class CCompressedStringList & __ptr64,unsigned char * __ptr64) +?Merge@CDerivationList@@SAPEAEAEAVCCompressedStringList@@0PEAE@Z +; public: static unsigned char * __ptr64 __cdecl CMethodPart::Merge(class CMethodPart & __ptr64,class CMethodPart & __ptr64,unsigned char * __ptr64,unsigned long) +?Merge@CMethodPart@@SAPEAEAEAV1@0PEAEK@Z +; public: static unsigned char * __ptr64 __cdecl CPropertyLookupTable::Merge(class CPropertyLookupTable * __ptr64,class CFastHeap * __ptr64,class CPropertyLookupTable * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64,int) +?Merge@CPropertyLookupTable@@SAPEAEPEAV1@PEAVCFastHeap@@01PEAE1H@Z +; public: unsigned char * __ptr64 __cdecl CWbemClass::Merge(unsigned char * __ptr64,unsigned char * __ptr64,int,int) __ptr64 +?Merge@CWbemClass@@QEAAPEAEPEAE0HH@Z +; public: virtual long __cdecl CWbemClass::Merge(long,unsigned long,void * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Merge@CWbemClass@@UEAAJJKPEAXPEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::Merge(long,unsigned long,void * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Merge@CWbemInstance@@UEAAJJKPEAXPEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemObject::MergeAmended(long,struct _IWmiObject * __ptr64) __ptr64 +?MergeAmended@CWbemObject@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemClass::MergeAndDecorate(long,unsigned long,void * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?MergeAndDecorate@CWbemClass@@UEAAJJKPEAXPEAG1PEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::MergeAndDecorate(long,unsigned long,void * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?MergeAndDecorate@CWbemInstance@@UEAAJJKPEAXPEAG1PEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemClass::MergeClassPart(struct IWbemClassObject * __ptr64) __ptr64 +?MergeClassPart@CWbemClass@@UEAAJPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemInstance::MergeClassPart(struct IWbemClassObject * __ptr64) __ptr64 +?MergeClassPart@CWbemInstance@@UEAAJPEAUIWbemClassObject@@@Z +; public: bool __cdecl CCompressedString::NValidateSize(int)const __ptr64 +?NValidateSize@CCompressedString@@QEBA_NH@Z +; public: static class CWbemCallSecurity * __ptr64 __cdecl CWbemCallSecurity::New(void) +?New@CWbemCallSecurity@@SAPEAV1@XZ +; public: static class CWbemThreadSecurityHandle * __ptr64 __cdecl CWbemThreadSecurityHandle::New(void) +?New@CWbemThreadSecurityHandle@@SAPEAV1@XZ +; public: virtual long __cdecl CQualifierSet::Next(long,unsigned short * __ptr64 * __ptr64,struct tagVARIANT * __ptr64,long * __ptr64) __ptr64 +?Next@CQualifierSet@@UEAAJJPEAPEAGPEAUtagVARIANT@@PEAJ@Z +; public: virtual long __cdecl CWbemObject::Next(long,unsigned short * __ptr64 * __ptr64,struct tagVARIANT * __ptr64,long * __ptr64,long * __ptr64) __ptr64 +?Next@CWbemObject@@UEAAJJPEAPEAGPEAUtagVARIANT@@PEAJ2@Z +; public: int __cdecl CLimitationMapping::NextMapping(class CPropertyInformation * __ptr64,class CPropertyInformation * __ptr64) __ptr64 +?NextMapping@CLimitationMapping@@QEAAHPEAVCPropertyInformation@@0@Z +; public: virtual long __cdecl CWbemClass::NextMethod(long,unsigned short * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?NextMethod@CWbemClass@@UEAAJJPEAPEAGPEAPEAUIWbemClassObject@@1@Z +; public: virtual long __cdecl CWbemInstance::NextMethod(long,unsigned short * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?NextMethod@CWbemInstance@@UEAAJJPEAPEAGPEAPEAUIWbemClassObject@@1@Z +; public: long __cdecl CWbemInstance::PlugKeyHoles(void) __ptr64 +?PlugKeyHoles@CWbemInstance@@QEAAJXZ +; public: virtual long __cdecl CQualifierSet::Put(unsigned short const * __ptr64,struct tagVARIANT * __ptr64,long) __ptr64 +?Put@CQualifierSet@@UEAAJPEBGPEAUtagVARIANT@@J@Z +; public: virtual long __cdecl CWbemClass::Put(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,long) __ptr64 +?Put@CWbemClass@@UEAAJPEBGJPEAUtagVARIANT@@J@Z +; public: virtual long __cdecl CWbemInstance::Put(unsigned short const * __ptr64,long,struct tagVARIANT * __ptr64,long) __ptr64 +?Put@CWbemInstance@@UEAAJPEBGJPEAUtagVARIANT@@J@Z +; public: long __cdecl CMethodPart::PutMethod(unsigned short const * __ptr64,long,class CWbemObject * __ptr64,class CWbemObject * __ptr64) __ptr64 +?PutMethod@CMethodPart@@QEAAJPEBGJPEAVCWbemObject@@1@Z +; public: virtual long __cdecl CWbemClass::PutMethod(unsigned short const * __ptr64,long,struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64) __ptr64 +?PutMethod@CWbemClass@@UEAAJPEBGJPEAUIWbemClassObject@@1@Z +; public: virtual long __cdecl CWbemInstance::PutMethod(unsigned short const * __ptr64,long,struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64) __ptr64 +?PutMethod@CWbemInstance@@UEAAJPEBGJPEAUIWbemClassObject@@1@Z +; public: virtual long __cdecl CWbemCallSecurity::QueryBlanket(unsigned long * __ptr64,unsigned long * __ptr64,unsigned short * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryBlanket@CWbemCallSecurity@@UEAAJPEAK0PEAPEAG00PEAPEAX0@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CImpl::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CQualifierSet::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CQualifierSet@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemCallSecurity::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CWbemCallSecurity@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemObject::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CWbemObject@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemThreadSecurityHandle::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CWbemThreadSecurityHandle@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemObject::QueryObjectFlags(long,unsigned __int64,unsigned __int64 * __ptr64) __ptr64 +?QueryObjectFlags@CWbemObject@@UEAAJJ_KPEA_K@Z +; public: virtual long __cdecl CWbemObject::QueryPartInfo(unsigned long * __ptr64) __ptr64 +?QueryPartInfo@CWbemObject@@UEAAJPEAK@Z +; public: virtual long __cdecl CWbemObject::QueryPropertyFlags(long,unsigned short const * __ptr64,unsigned __int64,unsigned __int64 * __ptr64) __ptr64 +?QueryPropertyFlags@CWbemObject@@UEAAJJPEBG_KPEA_K@Z +; public: virtual long __cdecl CWbemObject::ReadDWORD(long,unsigned long * __ptr64) __ptr64 +?ReadDWORD@CWbemObject@@UEAAJJPEAK@Z +; public: virtual long __cdecl CWbemObject::ReadProp(unsigned short const * __ptr64,long,unsigned long,long * __ptr64,long * __ptr64,int * __ptr64,unsigned long * __ptr64,void * __ptr64) __ptr64 +?ReadProp@CWbemObject@@UEAAJPEBGJKPEAJ1PEAHPEAKPEAX@Z +; public: virtual long __cdecl CWbemObject::ReadPropertyValue(long,long,long * __ptr64,unsigned char * __ptr64) __ptr64 +?ReadPropertyValue@CWbemObject@@UEAAJJJPEAJPEAE@Z +; public: virtual long __cdecl CWbemObject::ReadQWORD(long,unsigned __int64 * __ptr64) __ptr64 +?ReadQWORD@CWbemObject@@UEAAJJPEA_K@Z +; public: int __cdecl CClassPart::ReallocAndCompact(unsigned long) __ptr64 +?ReallocAndCompact@CClassPart@@QEAAHK@Z +; public: int __cdecl CInstancePart::ReallocAndCompact(unsigned long) __ptr64 +?ReallocAndCompact@CInstancePart@@QEAAHK@Z +; protected: static long __cdecl CUntypedArray::ReallocArray(class CPtrSource * __ptr64,unsigned long,class CFastHeap * __ptr64,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) +?ReallocArray@CUntypedArray@@KAJPEAVCPtrSource@@KPEAVCFastHeap@@KPEAK22@Z +; public: int __cdecl CFastHeap::Reallocate(unsigned long,unsigned long,unsigned long,unsigned long & __ptr64 __ptr64) __ptr64 +?Reallocate@CFastHeap@@QEAAHKKKAEFAK@Z +; protected: unsigned char * __ptr64 __cdecl CWbemObject::Reallocate(unsigned long) __ptr64 +?Reallocate@CWbemObject@@IEAAPEAEK@Z +; public: void __cdecl CBasicQualifierSet::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CBasicQualifierSet@@QEAAXPEAE@Z +; public: void __cdecl CClassAndMethods::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CClassAndMethods@@QEAAXPEAE@Z +; public: void __cdecl CClassPart::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CClassPart@@QEAAXPEAE@Z +; public: void __cdecl CCompressedStringList::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CCompressedStringList@@QEAAXPEAE@Z +; public: void __cdecl CDataTable::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CDataTable@@QEAAXPEAE@Z +; public: void __cdecl CDecorationPart::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CDecorationPart@@QEAAXPEAE@Z +; public: void __cdecl CFastHeap::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CFastHeap@@QEAAXPEAE@Z +; public: void __cdecl CInstancePart::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CInstancePart@@QEAAXPEAE@Z +; public: void __cdecl CMethodPart::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CMethodPart@@QEAAXPEAE@Z +; public: void __cdecl CPropertyLookupTable::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CPropertyLookupTable@@QEAAXPEAE@Z +; public: void __cdecl CQualifierSetList::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CQualifierSetList@@QEAAXPEAE@Z +; public: void __cdecl CQualifierSetList::Rebase(void) __ptr64 +?Rebase@CQualifierSetList@@QEAAXXZ +; public: void __cdecl CWbemClass::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CWbemClass@@QEAAXPEAE@Z +; public: void __cdecl CWbemInstance::Rebase(unsigned char * __ptr64) __ptr64 +?Rebase@CWbemInstance@@QEAAXPEAE@Z +; public: void __cdecl CInstancePQSContainer::RebaseSecondarySet(void) __ptr64 +?RebaseSecondarySet@CInstancePQSContainer@@QEAAXXZ +; public: enum EReconciliation __cdecl CClassAndMethods::ReconcileWith(class CClassAndMethods & __ptr64) __ptr64 +?ReconcileWith@CClassAndMethods@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CClassPart::ReconcileWith(class CClassPart & __ptr64) __ptr64 +?ReconcileWith@CClassPart@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CMethodPart::ReconcileWith(class CMethodPart & __ptr64) __ptr64 +?ReconcileWith@CMethodPart@@QEAA?AW4EReconciliation@@AEAV1@@Z +; public: enum EReconciliation __cdecl CWbemClass::ReconcileWith(class CWbemClass * __ptr64) __ptr64 +?ReconcileWith@CWbemClass@@QEAA?AW4EReconciliation@@PEAV1@@Z +; public: virtual long __cdecl CWbemClass::ReconcileWith(long,struct _IWmiObject * __ptr64) __ptr64 +?ReconcileWith@CWbemClass@@UEAAJJPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::ReconcileWith(long,struct _IWmiObject * __ptr64) __ptr64 +?ReconcileWith@CWbemInstance@@UEAAJJPEAU_IWmiObject@@@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::ReconnectRemoteRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,long,unsigned long,struct _WBEM_RECONNECT_INFO * __ptr64,struct _WBEM_RECONNECT_RESULTS * __ptr64,unsigned long * __ptr64) __ptr64 +?ReconnectRemoteRefresher@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@JJKPEAU_WBEM_RECONNECT_INFO@@PEAU_WBEM_RECONNECT_RESULTS@@PEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::ReconnectRemoteRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,long,unsigned long,struct _WBEM_RECONNECT_INFO * __ptr64,struct _WBEM_RECONNECT_RESULTS * __ptr64,unsigned long * __ptr64) __ptr64 +?ReconnectRemoteRefresher@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@JJKPEAU_WBEM_RECONNECT_INFO@@PEAU_WBEM_RECONNECT_RESULTS@@PEAK@Z +; public: void __cdecl CFastHeap::Reduce(unsigned long,unsigned long,unsigned long) __ptr64 +?Reduce@CFastHeap@@QEAAXKKK@Z +; public: void __cdecl CWbemClass::ReduceClassAndMethodsSpace(unsigned long) __ptr64 +?ReduceClassAndMethodsSpace@CWbemClass@@QEAAXK@Z +; public: virtual void __cdecl CClassAndMethods::ReduceClassPartSpace(class CClassPart * __ptr64,unsigned long) __ptr64 +?ReduceClassPartSpace@CClassAndMethods@@UEAAXPEAVCClassPart@@K@Z +; public: virtual void __cdecl CWbemInstance::ReduceClassPartSpace(class CClassPart * __ptr64,unsigned long) __ptr64 +?ReduceClassPartSpace@CWbemInstance@@UEAAXPEAVCClassPart@@K@Z +; public: virtual void __cdecl CClassPart::ReduceDataTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceDataTableSpace@CClassPart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CInstancePart::ReduceDataTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceDataTableSpace@CInstancePart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CClassPart::ReduceHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceHeapSize@CClassPart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CInstancePart::ReduceHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceHeapSize@CInstancePart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CMethodPart::ReduceHeapSize(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceHeapSize@CMethodPart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CWbemInstance::ReduceInstancePartSpace(class CInstancePart * __ptr64,unsigned long) __ptr64 +?ReduceInstancePartSpace@CWbemInstance@@UEAAXPEAVCInstancePart@@K@Z +; public: virtual void __cdecl CClassAndMethods::ReduceMethodPartSpace(class CMethodPart * __ptr64,unsigned long) __ptr64 +?ReduceMethodPartSpace@CClassAndMethods@@UEAAXPEAVCMethodPart@@K@Z +; public: virtual void __cdecl CClassPart::ReducePropertyTableSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReducePropertyTableSpace@CClassPart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CInstancePart::ReduceQualifierSetListSpace(unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?ReduceQualifierSetListSpace@CInstancePart@@UEAAXPEAEKK@Z +; public: virtual void __cdecl CClassPart::ReduceQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ReduceQualifierSetSpace@CClassPart@@UEAAXPEAVCBasicQualifierSet@@K@Z +; public: virtual void __cdecl CInstancePQSContainer::ReduceQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ReduceQualifierSetSpace@CInstancePQSContainer@@UEAAXPEAVCBasicQualifierSet@@K@Z +; public: virtual void __cdecl CInstancePart::ReduceQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ReduceQualifierSetSpace@CInstancePart@@UEAAXPEAVCBasicQualifierSet@@K@Z +; public: virtual void __cdecl CMethodQualifierSetContainer::ReduceQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ReduceQualifierSetSpace@CMethodQualifierSetContainer@@UEAAXPEAVCBasicQualifierSet@@K@Z +; public: void __cdecl CQualifierSetList::ReduceQualifierSetSpace(class CBasicQualifierSet * __ptr64,unsigned long) __ptr64 +?ReduceQualifierSetSpace@CQualifierSetList@@QEAAXPEAVCBasicQualifierSet@@K@Z +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@UIWbemObjectTextSrc@@VCWmiObjectTextSrc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@UIWbemRefreshingServices@@VCWbemRefreshingSvc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@UIWbemRemoteRefresher@@VCWbemRemoteRefresher@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@U_IWbemConfigureRefreshingSvcs@@VCWbemRefreshingSvc@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@U_IWbemEnumMarshaling@@VCWbemEnumMarshaling@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@U_IWbemFetchRefresherMgr@@VCWbemFetchRefrMgr@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CImpl::Release(void) __ptr64 +?Release@?$CImpl@U_IWmiObjectFactory@@VCWmiObjectFactory@@@@UEAAKXZ +; public: virtual unsigned long __cdecl CClassQualifierSet::Release(void) __ptr64 +?Release@CClassQualifierSet@@UEAAKXZ +; public: virtual unsigned long __cdecl CInstanceQualifierSet::Release(void) __ptr64 +?Release@CInstanceQualifierSet@@UEAAKXZ +; public: virtual unsigned long __cdecl CMethodQualifierSet::Release(void) __ptr64 +?Release@CMethodQualifierSet@@UEAAKXZ +; public: virtual unsigned long __cdecl CQualifierSet::Release(void) __ptr64 +?Release@CQualifierSet@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemCallSecurity::Release(void) __ptr64 +?Release@CWbemCallSecurity@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemObject::Release(void) __ptr64 +?Release@CWbemObject@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemThreadSecurityHandle::Release(void) __ptr64 +?Release@CWbemThreadSecurityHandle@@UEAAKXZ +; protected: void __cdecl CPointerArray,class CFlexArray>::ReleaseElement(class CFastPropertyBagItem * __ptr64) __ptr64 +?ReleaseElement@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@IEAAXPEAVCFastPropertyBagItem@@@Z +; protected: void __cdecl CPointerArray,class CFlexArray>::ReleaseElement(class CWmiTextSource * __ptr64) __ptr64 +?ReleaseElement@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@IEAAXPEAVCWmiTextSource@@@Z +; public: virtual long __cdecl CWbemObject::ReleaseMarshalData(struct IStream * __ptr64) __ptr64 +?ReleaseMarshalData@CWbemObject@@UEAAJPEAUIStream@@@Z +; public: virtual long __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::RemoteRefresh(long,long * __ptr64,struct _WBEM_REFRESHED_OBJECT * __ptr64 * __ptr64) __ptr64 +?RemoteRefresh@XWbemRemoteRefr@CWbemRemoteRefresher@@UEAAJJPEAJPEAPEAU_WBEM_REFRESHED_OBJECT@@@Z +; public: long __cdecl CFastPropertyBag::Remove(unsigned short const * __ptr64) __ptr64 +?Remove@CFastPropertyBag@@QEAAJPEBG@Z +; public: void __cdecl CPointerArray,class CFlexArray>::RemoveAll(void) __ptr64 +?RemoveAll@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXXZ +; public: void __cdecl CPointerArray,class CFlexArray>::RemoveAll(void) __ptr64 +?RemoveAll@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXXZ +; public: long __cdecl CFastPropertyBag::RemoveAll(void) __ptr64 +?RemoveAll@CFastPropertyBag@@QEAAJXZ +; public: virtual long __cdecl CWbemObject::RemoveArrayPropElementByHandle(long,long,unsigned long) __ptr64 +?RemoveArrayPropElementByHandle@CWbemObject@@UEAAJJJK@Z +; public: virtual long __cdecl CWbemObject::RemoveArrayPropRangeByHandle(long,long,unsigned long,unsigned long) __ptr64 +?RemoveArrayPropRangeByHandle@CWbemObject@@UEAAJJJKK@Z +; public: bool __cdecl CPointerArray,class CFlexArray>::RemoveAt(int,class CFastPropertyBagItem * __ptr64 * __ptr64) __ptr64 +?RemoveAt@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAA_NHPEAPEAVCFastPropertyBagItem@@@Z +; public: bool __cdecl CPointerArray,class CFlexArray>::RemoveAt(int,class CWmiTextSource * __ptr64 * __ptr64) __ptr64 +?RemoveAt@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAA_NHPEAPEAVCWmiTextSource@@@Z +; public: virtual long __cdecl CWbemObject::RemoveDecoration(void) __ptr64 +?RemoveDecoration@CWbemObject@@UEAAJXZ +; protected: virtual long __cdecl CWbemRefreshingSvc::RemoveObjectFromRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,long,unsigned long,unsigned long * __ptr64) __ptr64 +?RemoveObjectFromRefresher@CWbemRefreshingSvc@@MEAAJPEAU_WBEM_REFRESHER_ID@@JJKPEAK@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XWbemRefrSvc::RemoveObjectFromRefresher(struct _WBEM_REFRESHER_ID * __ptr64,long,long,unsigned long,unsigned long * __ptr64) __ptr64 +?RemoveObjectFromRefresher@XWbemRefrSvc@CWbemRefreshingSvc@@UEAAJPEAU_WBEM_REFRESHER_ID@@JJKPEAK@Z +; public: void __cdecl CDataTable::RemoveProperty(unsigned short,unsigned long,unsigned long) __ptr64 +?RemoveProperty@CDataTable@@QEAAXGKK@Z +; public: long __cdecl CWbemObject::RemoveQualifierArrayRange(unsigned short const * __ptr64,unsigned short const * __ptr64,int,long,unsigned long,unsigned long) __ptr64 +?RemoveQualifierArrayRange@CWbemObject@@QEAAJPEBG0HJKK@Z +; public: static long __cdecl CUntypedArray::RemoveRange(class CPtrSource * __ptr64,unsigned long,unsigned long,class CFastHeap * __ptr64,unsigned long,unsigned long) +?RemoveRange@CUntypedArray@@SAJPEAVCPtrSource@@KKPEAVCFastHeap@@KK@Z +; public: void __cdecl CLimitationMapping::RemoveSpecific(void) __ptr64 +?RemoveSpecific@CLimitationMapping@@QEAAXXZ +; public: long __cdecl CWbemInstance::Reparent(class CWbemClass * __ptr64,class CWbemInstance * __ptr64 * __ptr64) __ptr64 +?Reparent@CWbemInstance@@QEAAJPEAVCWbemClass@@PEAPEAV1@@Z +; public: void __cdecl CCompressedStringList::Reset(void) __ptr64 +?Reset@CCompressedStringList@@QEAAXXZ +; public: void __cdecl CLimitationMapping::Reset(void) __ptr64 +?Reset@CLimitationMapping@@QEAAXXZ +; protected: long __cdecl CWbemRefreshingSvc::ResetRefreshInfo(struct _WBEM_REFRESH_INFO * __ptr64) __ptr64 +?ResetRefreshInfo@CWbemRefreshingSvc@@IEAAJPEAU_WBEM_REFRESH_INFO@@@Z +; public: unsigned char * __ptr64 __cdecl CClassPart::ResolveHeapPointer(unsigned long) __ptr64 +?ResolveHeapPointer@CClassPart@@QEAAPEAEK@Z +; public: unsigned char * __ptr64 __cdecl CFastHeap::ResolveHeapPointer(unsigned long) __ptr64 +?ResolveHeapPointer@CFastHeap@@QEAAPEAEK@Z +; public: class CCompressedString * __ptr64 __cdecl CClassPart::ResolveHeapString(unsigned long) __ptr64 +?ResolveHeapString@CClassPart@@QEAAPEAVCCompressedString@@K@Z +; public: class CCompressedString * __ptr64 __cdecl CFastHeap::ResolveString(unsigned long) __ptr64 +?ResolveString@CFastHeap@@QEAAPEAVCCompressedString@@K@Z +; public: virtual long __cdecl CWbemCallSecurity::RevertToSelf(void) __ptr64 +?RevertToSelf@CWbemCallSecurity@@UEAAJXZ +; public: int __cdecl CQualifierSet::SelfRebase(void) __ptr64 +?SelfRebase@CQualifierSet@@QEAAHXZ +; public: long __cdecl CInstancePart::SetActualValue(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?SetActualValue@CInstancePart@@QEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: void __cdecl CLimitationMapping::SetAddChildKeys(int) __ptr64 +?SetAddChildKeys@CLimitationMapping@@QEAAXH@Z +; public: void __cdecl CDataTable::SetAllToDefault(void) __ptr64 +?SetAllToDefault@CDataTable@@QEAAXXZ +; public: void __cdecl CFastHeap::SetAllocatedDataLength(unsigned long) __ptr64 +?SetAllocatedDataLength@CFastHeap@@QEAAXK@Z +; public: virtual long __cdecl CWbemObject::SetArrayPropElementByHandle(long,long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?SetArrayPropElementByHandle@CWbemObject@@UEAAJJJKKPEAX@Z +; public: virtual long __cdecl CWbemObject::SetArrayPropRangeByHandle(long,long,unsigned long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?SetArrayPropRangeByHandle@CWbemObject@@UEAAJJJKKKPEAX@Z +; public: void __cdecl CPointerArray,class CFlexArray>::SetAt(int,class CFastPropertyBagItem * __ptr64,class CFastPropertyBagItem * __ptr64 * __ptr64) __ptr64 +?SetAt@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXHPEAVCFastPropertyBagItem@@PEAPEAV2@@Z +; public: void __cdecl CPointerArray,class CFlexArray>::SetAt(int,class CWmiTextSource * __ptr64,class CWmiTextSource * __ptr64 * __ptr64) __ptr64 +?SetAt@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXHPEAVCWmiTextSource@@PEAPEAV2@@Z +; public: long __cdecl CClassPart::SetClassName(class CVar * __ptr64) __ptr64 +?SetClassName@CClassPart@@QEAAJPEAVCVar@@@Z +; public: void __cdecl CLimitationMapping::SetClassObject(class CWbemClass * __ptr64) __ptr64 +?SetClassObject@CLimitationMapping@@QEAAXPEAVCWbemClass@@@Z +; public: virtual long __cdecl CWbemClass::SetClassPart(void * __ptr64,unsigned long) __ptr64 +?SetClassPart@CWbemClass@@UEAAJPEAXK@Z +; public: virtual long __cdecl CWbemInstance::SetClassPart(void * __ptr64,unsigned long) __ptr64 +?SetClassPart@CWbemInstance@@UEAAJPEAXK@Z +; public: long __cdecl CClassPart::SetClassQualifier(unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetClassQualifier@CClassPart@@QEAAJPEBGJPEAVCTypedValue@@@Z +; public: long __cdecl CClassPart::SetClassQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetClassQualifier@CClassPart@@QEAAJPEBGPEAVCVar@@J@Z +; public: void __cdecl CDecorationPart::SetClientOnly(void) __ptr64 +?SetClientOnly@CDecorationPart@@QEAAXXZ +; public: void __cdecl CWbemObject::SetClientOnly(void) __ptr64 +?SetClientOnly@CWbemObject@@QEAAXXZ +; public: void __cdecl CFastHeap::SetContainer(class CHeapContainer * __ptr64) __ptr64 +?SetContainer@CFastHeap@@QEAAXPEAVCHeapContainer@@@Z +; public: void __cdecl CBasicQualifierSet::SetData(unsigned char * __ptr64,class CFastHeap * __ptr64) __ptr64 +?SetData@CBasicQualifierSet@@QEAAXPEAEPEAVCFastHeap@@@Z +; public: void __cdecl CClassAndMethods::SetData(unsigned char * __ptr64,class CWbemClass * __ptr64,class CClassAndMethods * __ptr64) __ptr64 +?SetData@CClassAndMethods@@QEAAXPEAEPEAVCWbemClass@@PEAV1@@Z +; public: void __cdecl CClassPart::SetData(unsigned char * __ptr64,class CClassPartContainer * __ptr64,class CClassPart * __ptr64) __ptr64 +?SetData@CClassPart@@QEAAXPEAEPEAVCClassPartContainer@@PEAV1@@Z +; public: void __cdecl CCompressedStringList::SetData(unsigned char * __ptr64) __ptr64 +?SetData@CCompressedStringList@@QEAAXPEAE@Z +; public: void __cdecl CDataTable::SetData(unsigned char * __ptr64,int,int,class CDataTableContainer * __ptr64) __ptr64 +?SetData@CDataTable@@QEAAXPEAEHHPEAVCDataTableContainer@@@Z +; public: void __cdecl CDecorationPart::SetData(unsigned char * __ptr64) __ptr64 +?SetData@CDecorationPart@@QEAAXPEAE@Z +; public: int __cdecl CFastHeap::SetData(unsigned char * __ptr64,class CHeapContainer * __ptr64) __ptr64 +?SetData@CFastHeap@@QEAAHPEAEPEAVCHeapContainer@@@Z +; public: void __cdecl CInstancePart::SetData(unsigned char * __ptr64,class CInstancePartContainer * __ptr64,class CClassPart & __ptr64,unsigned __int64) __ptr64 +?SetData@CInstancePart@@QEAAXPEAEPEAVCInstancePartContainer@@AEAVCClassPart@@_K@Z +; public: void __cdecl CMethodPart::SetData(unsigned char * __ptr64,class CMethodPartContainer * __ptr64,class CMethodPart * __ptr64) __ptr64 +?SetData@CMethodPart@@QEAAXPEAEPEAVCMethodPartContainer@@PEAV1@@Z +; public: void __cdecl CMethodQualifierSet::SetData(class CMethodPart * __ptr64,class CMethodPart * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetData@CMethodQualifierSet@@QEAAXPEAVCMethodPart@@0PEBG@Z +; public: void __cdecl CMethodQualifierSetContainer::SetData(class CMethodPart * __ptr64,class CMethodPart * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetData@CMethodQualifierSetContainer@@QEAAXPEAVCMethodPart@@0PEBG@Z +; public: void __cdecl CPropertyLookupTable::SetData(unsigned char * __ptr64,class CPropertyTableContainer * __ptr64) __ptr64 +?SetData@CPropertyLookupTable@@QEAAXPEAEPEAVCPropertyTableContainer@@@Z +; public: void __cdecl CQualifierSet::SetData(unsigned char * __ptr64,class CQualifierSetContainer * __ptr64,class CBasicQualifierSet * __ptr64) __ptr64 +?SetData@CQualifierSet@@QEAAXPEAEPEAVCQualifierSetContainer@@PEAVCBasicQualifierSet@@@Z +; public: void __cdecl CQualifierSetList::SetData(unsigned char * __ptr64,int,class CQualifierSetListContainer * __ptr64) __ptr64 +?SetData@CQualifierSetList@@QEAAXPEAEHPEAVCQualifierSetListContainer@@@Z +; public: void __cdecl CSharedLock::SetData(struct SHARED_LOCK_DATA * __ptr64) __ptr64 +?SetData@CSharedLock@@QEAAXPEAUSHARED_LOCK_DATA@@@Z +; public: virtual void __cdecl CWbemClass::SetData(unsigned char * __ptr64,int) __ptr64 +?SetData@CWbemClass@@UEAAXPEAEH@Z +; public: void __cdecl CWbemDataPacket::SetData(unsigned char * __ptr64,unsigned long,bool) __ptr64 +?SetData@CWbemDataPacket@@QEAAXPEAEK_N@Z +; public: void __cdecl CWbemInstance::SetData(unsigned char * __ptr64,int,unsigned long) __ptr64 +?SetData@CWbemInstance@@QEAAXPEAEHK@Z +; public: virtual void __cdecl CWbemInstance::SetData(unsigned char * __ptr64,int) __ptr64 +?SetData@CWbemInstance@@UEAAXPEAEH@Z +; public: void __cdecl CWbemMtgtDeliverEventPacket::SetData(unsigned char * __ptr64,unsigned long,bool) __ptr64 +?SetData@CWbemMtgtDeliverEventPacket@@QEAAXPEAEK_N@Z +; public: void __cdecl CWbemObjectArrayPacket::SetData(unsigned char * __ptr64,unsigned long,bool) __ptr64 +?SetData@CWbemObjectArrayPacket@@QEAAXPEAEK_N@Z +; public: void __cdecl CWbemSmartEnumNextPacket::SetData(unsigned char * __ptr64,unsigned long,bool) __ptr64 +?SetData@CWbemSmartEnumNextPacket@@QEAAXPEAEK_N@Z +; protected: static void __cdecl CBasicQualifierSet::SetDataLength(unsigned char * __ptr64,unsigned long) +?SetDataLength@CBasicQualifierSet@@KAXPEAEK@Z +; public: void __cdecl CClassPart::SetDataLength(unsigned long) __ptr64 +?SetDataLength@CClassPart@@QEAAXK@Z +; public: void __cdecl CInstancePart::SetDataLength(unsigned long) __ptr64 +?SetDataLength@CInstancePart@@QEAAXK@Z +; public: static void __cdecl CBasicQualifierSet::SetDataToNone(unsigned char * __ptr64) +?SetDataToNone@CBasicQualifierSet@@SAXPEAE@Z +; public: void __cdecl CClassAndMethods::SetDataWithNumProps(unsigned char * __ptr64,class CWbemClass * __ptr64,unsigned long,class CClassAndMethods * __ptr64) __ptr64 +?SetDataWithNumProps@CClassAndMethods@@QEAAXPEAEPEAVCWbemClass@@KPEAV1@@Z +; public: void __cdecl CClassPart::SetDataWithNumProps(unsigned char * __ptr64,class CClassPartContainer * __ptr64,unsigned long,class CClassPart * __ptr64) __ptr64 +?SetDataWithNumProps@CClassPart@@QEAAXPEAEPEAVCClassPartContainer@@KPEAV1@@Z +; public: virtual long __cdecl CWbemObject::SetDecoration(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetDecoration@CWbemObject@@UEAAJPEBG0@Z +; protected: long __cdecl CClassPart::SetDefaultValue(class CPropertyInformation * __ptr64,class CVar * __ptr64) __ptr64 +?SetDefaultValue@CClassPart@@IEAAJPEAVCPropertyInformation@@PEAVCVar@@@Z +; public: long __cdecl CClassPart::SetDefaultValue(unsigned short const * __ptr64,class CVar * __ptr64) __ptr64 +?SetDefaultValue@CClassPart@@QEAAJPEBGPEAVCVar@@@Z +; public: void __cdecl CDataTable::SetDefaultness(int,int) __ptr64 +?SetDefaultness@CDataTable@@QEAAXHH@Z +; public: void __cdecl CLimitationMapping::SetFlags(long) __ptr64 +?SetFlags@CLimitationMapping@@QEAAXJ@Z +; public: void __cdecl CCompressedString::SetFromAscii(char const * __ptr64,unsigned __int64) __ptr64 +?SetFromAscii@CCompressedString@@QEAAXPEBD_K@Z +; public: void __cdecl CCompressedString::SetFromUnicode(int,unsigned short const * __ptr64) __ptr64 +?SetFromUnicode@CCompressedString@@QEAAXHPEBG@Z +; public: void __cdecl CCompressedString::SetFromUnicode(unsigned short const * __ptr64) __ptr64 +?SetFromUnicode@CCompressedString@@QEAAXPEBG@Z +; protected: void __cdecl CFastHeap::SetInLineLength(unsigned long) __ptr64 +?SetInLineLength@CFastHeap@@IEAAXK@Z +; public: void __cdecl CLimitationMapping::SetIncludeDerivation(int) __ptr64 +?SetIncludeDerivation@CLimitationMapping@@QEAAXH@Z +; public: void __cdecl CLimitationMapping::SetIncludeNamespace(int) __ptr64 +?SetIncludeNamespace@CLimitationMapping@@QEAAXH@Z +; public: void __cdecl CLimitationMapping::SetIncludeServer(int) __ptr64 +?SetIncludeServer@CLimitationMapping@@QEAAXH@Z +; public: long __cdecl CClassPart::SetInheritanceChain(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?SetInheritanceChain@CClassPart@@QEAAJJPEAPEAG@Z +; public: virtual long __cdecl CWbemClass::SetInheritanceChain(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?SetInheritanceChain@CWbemClass@@UEAAJJPEAPEAG@Z +; public: virtual long __cdecl CWbemInstance::SetInheritanceChain(long,unsigned short * __ptr64 * __ptr64) __ptr64 +?SetInheritanceChain@CWbemInstance@@UEAAJJPEAPEAG@Z +; public: long __cdecl CInstancePart::SetInstanceQualifier(unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetInstanceQualifier@CInstancePart@@QEAAJPEBGJPEAVCTypedValue@@@Z +; public: long __cdecl CInstancePart::SetInstanceQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetInstanceQualifier@CInstancePart@@QEAAJPEBGPEAVCVar@@J@Z +; public: void __cdecl CFixedBSTRArray::SetLength(int) __ptr64 +?SetLength@CFixedBSTRArray@@QEAAXH@Z +; public: void __cdecl CDecorationPart::SetLimited(void) __ptr64 +?SetLimited@CDecorationPart@@QEAAXXZ +; public: void __cdecl CClassPart::SetLocalized(int) __ptr64 +?SetLocalized@CClassPart@@QEAAXH@Z +; public: void __cdecl CInstancePart::SetLocalized(int) __ptr64 +?SetLocalized@CInstancePart@@QEAAXH@Z +; public: virtual void __cdecl CWbemClass::SetLocalized(int) __ptr64 +?SetLocalized@CWbemClass@@UEAAXH@Z +; public: virtual void __cdecl CWbemInstance::SetLocalized(int) __ptr64 +?SetLocalized@CWbemInstance@@UEAAXH@Z +; public: long __cdecl CMethodPart::SetMethodOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetMethodOrigin@CMethodPart@@QEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemClass::SetMethodOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetMethodOrigin@CWbemClass@@UEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemInstance::SetMethodOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetMethodOrigin@CWbemInstance@@UEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemObject::SetMethodQual(unsigned short const * __ptr64,unsigned short const * __ptr64,long,unsigned long,unsigned long,long,unsigned long,void * __ptr64) __ptr64 +?SetMethodQual@CWbemObject@@UEAAJPEBG0JKKJKPEAX@Z +; public: virtual long __cdecl CWbemClass::SetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetMethodQualifier@CWbemClass@@UEAAJPEBG0JPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemClass::SetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CVar * __ptr64) __ptr64 +?SetMethodQualifier@CWbemClass@@UEAAJPEBG0JPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::SetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetMethodQualifier@CWbemInstance@@UEAAJPEBG0JPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemInstance::SetMethodQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CVar * __ptr64) __ptr64 +?SetMethodQualifier@CWbemInstance@@UEAAJPEBG0JPEAVCVar@@@Z +; public: void __cdecl CDataTable::SetNullness(int,int) __ptr64 +?SetNullness@CDataTable@@QEAAXHH@Z +; public: virtual long __cdecl CWbemObject::SetObjQual(unsigned short const * __ptr64,long,unsigned long,unsigned long,long,unsigned long,void * __ptr64) __ptr64 +?SetObjQual@CWbemObject@@UEAAJPEBGJKKJKPEAX@Z +; public: virtual long __cdecl CWbemObject::SetObjectFlags(long,unsigned __int64,unsigned __int64) __ptr64 +?SetObjectFlags@CWbemObject@@UEAAJJ_K0@Z +; public: virtual long __cdecl CWbemObject::SetObjectMemory(void * __ptr64,unsigned long) __ptr64 +?SetObjectMemory@CWbemObject@@UEAAJPEAXK@Z +; public: virtual long __cdecl CWbemClass::SetObjectParts(void * __ptr64,unsigned long,unsigned long) __ptr64 +?SetObjectParts@CWbemClass@@UEAAJPEAXKK@Z +; public: virtual long __cdecl CWbemInstance::SetObjectParts(void * __ptr64,unsigned long,unsigned long) __ptr64 +?SetObjectParts@CWbemInstance@@UEAAJPEAXKK@Z +; public: void __cdecl CWbemThreadSecurityHandle::SetOrigin(enum tag_WMI_THREAD_SECURITY_ORIGIN) __ptr64 +?SetOrigin@CWbemThreadSecurityHandle@@QEAAXW4tag_WMI_THREAD_SECURITY_ORIGIN@@@Z +; public: virtual long __cdecl CWbemObject::SetPropByHandle(long,long,unsigned long,void * __ptr64) __ptr64 +?SetPropByHandle@CWbemObject@@UEAAJJJKPEAX@Z +; public: virtual long __cdecl CWbemObject::SetPropQual(unsigned short const * __ptr64,unsigned short const * __ptr64,long,unsigned long,unsigned long,long,unsigned long,void * __ptr64) __ptr64 +?SetPropQual@CWbemObject@@UEAAJPEBG0JKKJKPEAX@Z +; public: long __cdecl CClassPart::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetPropQualifier@CClassPart@@QEAAJPEBG0JPEAVCTypedValue@@@Z +; public: long __cdecl CClassPart::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CVar * __ptr64) __ptr64 +?SetPropQualifier@CClassPart@@QEAAJPEBG0JPEAVCVar@@@Z +; public: virtual long __cdecl CWbemClass::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetPropQualifier@CWbemClass@@UEAAJPEBG0JPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemClass::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CVar * __ptr64) __ptr64 +?SetPropQualifier@CWbemClass@@UEAAJPEBG0JPEAVCVar@@@Z +; public: virtual long __cdecl CWbemInstance::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetPropQualifier@CWbemInstance@@UEAAJPEBG0JPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemInstance::SetPropQualifier(unsigned short const * __ptr64,unsigned short const * __ptr64,long,class CVar * __ptr64) __ptr64 +?SetPropQualifier@CWbemInstance@@UEAAJPEBG0JPEAVCVar@@@Z +; public: virtual long __cdecl CWbemClass::SetPropValue(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetPropValue@CWbemClass@@UEAAJPEBGPEAVCVar@@J@Z +; public: virtual long __cdecl CWbemInstance::SetPropValue(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetPropValue@CWbemInstance@@UEAAJPEBGPEAVCVar@@J@Z +; public: long __cdecl CClassPart::SetPropertyOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetPropertyOrigin@CClassPart@@QEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemClass::SetPropertyOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetPropertyOrigin@CWbemClass@@UEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemInstance::SetPropertyOrigin(unsigned short const * __ptr64,long) __ptr64 +?SetPropertyOrigin@CWbemInstance@@UEAAJPEBGJ@Z +; public: virtual long __cdecl CWbemClass::SetQualifier(unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetQualifier@CWbemClass@@UEAAJPEBGJPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemClass::SetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetQualifier@CWbemClass@@UEAAJPEBGPEAVCVar@@J@Z +; public: virtual long __cdecl CWbemInstance::SetQualifier(unsigned short const * __ptr64,long,class CTypedValue * __ptr64) __ptr64 +?SetQualifier@CWbemInstance@@UEAAJPEBGJPEAVCTypedValue@@@Z +; public: virtual long __cdecl CWbemInstance::SetQualifier(unsigned short const * __ptr64,class CVar * __ptr64,long) __ptr64 +?SetQualifier@CWbemInstance@@UEAAJPEBGPEAVCVar@@J@Z +; public: long __cdecl CWbemObject::SetQualifierArrayRange(unsigned short const * __ptr64,unsigned short const * __ptr64,int,long,unsigned long,long,unsigned long,unsigned long,unsigned long,void * __ptr64) __ptr64 +?SetQualifierArrayRange@CWbemObject@@QEAAJPEBG0HJKJKKKPEAX@Z +; public: long __cdecl CQualifierSet::SetQualifierValue(unsigned short const * __ptr64,unsigned char,class CTypedValue * __ptr64,int,int) __ptr64 +?SetQualifierValue@CQualifierSet@@QEAAJPEBGEPEAVCTypedValue@@HH@Z +; public: static long __cdecl CUntypedArray::SetRange(class CPtrSource * __ptr64,long,unsigned long,unsigned long,class CFastHeap * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64) +?SetRange@CUntypedArray@@SAJPEAVCPtrSource@@JKKPEAVCFastHeap@@KKKPEAX@Z +; public: void __cdecl CInstancePQSContainer::SetSecondarySetData(void) __ptr64 +?SetSecondarySetData@CInstancePQSContainer@@QEAAXXZ +; public: virtual long __cdecl CWbemObject::SetServerNamespace(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetServerNamespace@CWbemObject@@UEAAJPEBG0@Z +; protected: virtual long __cdecl CWbemRefreshingSvc::SetServiceData(unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?SetServiceData@CWbemRefreshingSvc@@MEAAJPEAG0@Z +; public: virtual long __cdecl CWbemRefreshingSvc::XCfgRefrSrvc::SetServiceData(unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?SetServiceData@XCfgRefrSrvc@CWbemRefreshingSvc@@UEAAJPEAG0@Z +; public: void __cdecl CMethodDescription::SetSig(int,unsigned long) __ptr64 +?SetSig@CMethodDescription@@QEAAXHK@Z +; protected: long __cdecl CMethodPart::SetSignature(int,enum METHOD_SIGNATURE_TYPE,class CWbemObject * __ptr64) __ptr64 +?SetSignature@CMethodPart@@IEAAJHW4METHOD_SIGNATURE_TYPE@@PEAVCWbemObject@@@Z +; public: void __cdecl CPointerArray,class CFlexArray>::SetSize(int) __ptr64 +?SetSize@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXH@Z +; public: void __cdecl CPointerArray,class CFlexArray>::SetSize(int) __ptr64 +?SetSize@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXH@Z +; public: virtual long __cdecl CWbemCallSecurity::SetThreadSecurity(struct _IWmiThreadSecHandle * __ptr64) __ptr64 +?SetThreadSecurity@CWbemCallSecurity@@UEAAJPEAU_IWmiThreadSecHandle@@@Z +; public: void __cdecl CFastHeap::SetUsedLength(unsigned long) __ptr64 +?SetUsedLength@CFastHeap@@QEAAXK@Z +; public: void __cdecl CLimitationMapping::SetVtableLength(unsigned long,int) __ptr64 +?SetVtableLength@CLimitationMapping@@QEAAXKH@Z +; protected: long __cdecl CWbemDataPacket::SetupDataPacketHeader(unsigned long,unsigned char,unsigned long,unsigned long) __ptr64 +?SetupDataPacketHeader@CWbemDataPacket@@IEAAJKEKK@Z +; public: int __cdecl CLimitationMapping::ShouldAddChildKeys(void) __ptr64 +?ShouldAddChildKeys@CLimitationMapping@@QEAAHXZ +; public: int __cdecl CLimitationMapping::ShouldIncludeDerivation(void) __ptr64 +?ShouldIncludeDerivation@CLimitationMapping@@QEAAHXZ +; public: int __cdecl CLimitationMapping::ShouldIncludeNamespace(void) __ptr64 +?ShouldIncludeNamespace@CLimitationMapping@@QEAAHXZ +; public: int __cdecl CLimitationMapping::ShouldIncludeServer(void) __ptr64 +?ShouldIncludeServer@CLimitationMapping@@QEAAHXZ +; public: int __cdecl CFastPropertyBag::Size(void) __ptr64 +?Size@CFastPropertyBag@@QEAAHXZ +; public: unsigned char * __ptr64 __cdecl CBasicQualifierSet::Skip(void) __ptr64 +?Skip@CBasicQualifierSet@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CFastHeap::Skip(void) __ptr64 +?Skip@CFastHeap@@QEAAPEAEXZ +; public: unsigned char * __ptr64 __cdecl CPropertyLookupTable::Skip(void) __ptr64 +?Skip@CPropertyLookupTable@@QEAAPEAEXZ +; public: void __cdecl CFixedBSTRArray::SortInPlace(void) __ptr64 +?SortInPlace@CFixedBSTRArray@@QEAAXXZ +; public: virtual long __cdecl CWbemClass::SpawnDerivedClass(long,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?SpawnDerivedClass@CWbemClass@@UEAAJJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemInstance::SpawnDerivedClass(long,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?SpawnDerivedClass@CWbemInstance@@UEAAJJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemClass::SpawnInstance(long,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?SpawnInstance@CWbemClass@@UEAAJJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemInstance::SpawnInstance(long,struct IWbemClassObject * __ptr64 * __ptr64) __ptr64 +?SpawnInstance@CWbemInstance@@UEAAJJPEAPEAUIWbemClassObject@@@Z +; public: virtual long __cdecl CWbemClass::SpawnKeyedInstance(long,unsigned short const * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?SpawnKeyedInstance@CWbemClass@@UEAAJJPEBGPEAPEAU_IWmiObject@@@Z +; public: virtual long __cdecl CWbemInstance::SpawnKeyedInstance(long,unsigned short const * __ptr64,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?SpawnKeyedInstance@CWbemInstance@@UEAAJJPEBGPEAPEAU_IWmiObject@@@Z +; public: int __cdecl CCompressedString::StartsWithNoCase(unsigned short const * __ptr64)const __ptr64 +?StartsWithNoCase@CCompressedString@@QEBAHPEBG@Z +; public: virtual long __cdecl CWbemRemoteRefresher::XWbemRemoteRefr::StopRefreshing(long,long * __ptr64,long) __ptr64 +?StopRefreshing@XWbemRemoteRefr@CWbemRemoteRefresher@@UEAAJJPEAJJ@Z +; public: void __cdecl CEmbeddedObject::StoreEmbedded(unsigned long,class CVar & __ptr64) __ptr64 +?StoreEmbedded@CEmbeddedObject@@QEAAXKAEAVCVar@@@Z +; public: void __cdecl CEmbeddedObject::StoreEmbedded(unsigned long,class CWbemObject * __ptr64) __ptr64 +?StoreEmbedded@CEmbeddedObject@@QEAAXKPEAVCWbemObject@@@Z +; protected: long __cdecl CQualifierSet::StoreQualifierConflicts(unsigned short const * __ptr64,class CVar & __ptr64,class CQualifierFlavor & __ptr64,class CVarVector & __ptr64) __ptr64 +?StoreQualifierConflicts@CQualifierSet@@IEAAJPEBGAEAVCVar@@AEAVCQualifierFlavor@@AEAVCVarVector@@@Z +; public: int __cdecl CCompressedString::StoreToCVar(class CVar & __ptr64)const __ptr64 +?StoreToCVar@CCompressedString@@QEBAHAEAVCVar@@@Z +; public: void __cdecl CEmbeddedObject::StoreToCVar(class CVar & __ptr64) __ptr64 +?StoreToCVar@CEmbeddedObject@@QEAAXAEAVCVar@@@Z +; public: virtual long __cdecl CWbemClass::StripClassPart(void) __ptr64 +?StripClassPart@CWbemClass@@UEAAJXZ +; public: virtual long __cdecl CWbemInstance::StripClassPart(void) __ptr64 +?StripClassPart@CWbemInstance@@UEAAJXZ +; public: void __cdecl CPointerArray,class CFlexArray>::Swap(int,int) __ptr64 +?Swap@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXHH@Z +; public: void __cdecl CPointerArray,class CFlexArray>::Swap(int,int) __ptr64 +?Swap@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXHH@Z +; public: long __cdecl CClassPart::TestCircularReference(unsigned short const * __ptr64) __ptr64 +?TestCircularReference@CClassPart@@QEAAJPEBG@Z +; public: void __cdecl CFixedBSTRArray::ThreeWayMergeOrdered(class CFixedBSTRArray & __ptr64,class CFixedBSTRArray & __ptr64,class CFixedBSTRArray & __ptr64) __ptr64 +?ThreeWayMergeOrdered@CFixedBSTRArray@@QEAAXAEAV1@00@Z +; public: static int __cdecl CBasicQualifierSet::TranslateToNewHeap(class CPtrSource * __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64) +?TranslateToNewHeap@CBasicQualifierSet@@SAHPEAVCPtrSource@@PEAVCFastHeap@@1@Z +; public: int __cdecl CCompressedString::TranslateToNewHeap(class CFastHeap * __ptr64,class CFastHeap * __ptr64) __ptr64 +?TranslateToNewHeap@CCompressedString@@QEAAHPEAVCFastHeap@@0@Z +; public: int __cdecl CDataTable::TranslateToNewHeap(class CPropertyLookupTable * __ptr64,int,class CFastHeap * __ptr64,class CFastHeap * __ptr64) __ptr64 +?TranslateToNewHeap@CDataTable@@QEAAHPEAVCPropertyLookupTable@@HPEAVCFastHeap@@1@Z +; public: int __cdecl CInstancePart::TranslateToNewHeap(class CClassPart & __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64) __ptr64 +?TranslateToNewHeap@CInstancePart@@QEAAHAEAVCClassPart@@PEAVCFastHeap@@1@Z +; public: int __cdecl CQualifierSetList::TranslateToNewHeap(class CFastHeap * __ptr64,class CFastHeap * __ptr64) __ptr64 +?TranslateToNewHeap@CQualifierSetList@@QEAAHPEAVCFastHeap@@0@Z +; public: static int __cdecl CUntypedArray::TranslateToNewHeap(class CPtrSource * __ptr64,class CType,class CFastHeap * __ptr64,class CFastHeap * __ptr64) +?TranslateToNewHeap@CUntypedArray@@SAHPEAVCPtrSource@@VCType@@PEAVCFastHeap@@2@Z +; public: void __cdecl CPointerArray,class CFlexArray>::Trim(void) __ptr64 +?Trim@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAXXZ +; public: void __cdecl CPointerArray,class CFlexArray>::Trim(void) __ptr64 +?Trim@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAXXZ +; public: void __cdecl CFastHeap::Trim(void) __ptr64 +?Trim@CFastHeap@@QEAAXXZ +; public: void __cdecl CInternalString::Unbind(void) __ptr64 +?Unbind@CInternalString@@QEAAXXZ +; public: class CFastPropertyBagItem * __ptr64 * __ptr64 __cdecl CPointerArray,class CFlexArray>::UnbindPtr(void) __ptr64 +?UnbindPtr@?$CPointerArray@VCFastPropertyBagItem@@V?$CReferenceManager@VCFastPropertyBagItem@@@@VCFlexArray@@@@QEAAPEAPEAVCFastPropertyBagItem@@XZ +; public: class CWmiTextSource * __ptr64 * __ptr64 __cdecl CPointerArray,class CFlexArray>::UnbindPtr(void) __ptr64 +?UnbindPtr@?$CPointerArray@VCWmiTextSource@@V?$CReferenceManager@VCWmiTextSource@@@@VCFlexArray@@@@QEAAPEAPEAVCWmiTextSource@@XZ +; public: virtual void __cdecl CWbemClass::Undecorate(void) __ptr64 +?Undecorate@CWbemClass@@UEAAXXZ +; public: virtual void __cdecl CWbemInstance::Undecorate(void) __ptr64 +?Undecorate@CWbemInstance@@UEAAXXZ +; public: long __cdecl CWbemFetchRefrMgr::Uninit(void) __ptr64 +?Uninit@CWbemFetchRefrMgr@@QEAAJXZ +; public: virtual long __cdecl CWbemFetchRefrMgr::XFetchRefrMgr::Uninit(void) __ptr64 +?Uninit@XFetchRefrMgr@CWbemFetchRefrMgr@@UEAAJXZ +; public: int __cdecl CHiPerfLock::Unlock(void) __ptr64 +?Unlock@CHiPerfLock@@QEAAHXZ +; public: int __cdecl CSharedLock::Unlock(void) __ptr64 +?Unlock@CSharedLock@@QEAAHXZ +; public: virtual long __cdecl CWbemObject::Unlock(long) __ptr64 +?Unlock@CWbemObject@@UEAAJJ@Z +; public: virtual long __cdecl CWbemObject::UnmarshalInterface(struct IStream * __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?UnmarshalInterface@CWbemObject@@UEAAJPEAUIStream@@AEBU_GUID@@PEAPEAX@Z +; public: long __cdecl CWbemMtgtDeliverEventPacket::UnmarshalPacket(long & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64 & __ptr64,class CWbemClassCache & __ptr64) __ptr64 +?UnmarshalPacket@CWbemMtgtDeliverEventPacket@@QEAAJAEAJAEAPEAPEAUIWbemClassObject@@AEAVCWbemClassCache@@@Z +; public: long __cdecl CWbemObjectArrayPacket::UnmarshalPacket(long & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64 & __ptr64,class CWbemClassCache & __ptr64) __ptr64 +?UnmarshalPacket@CWbemObjectArrayPacket@@QEAAJAEAJAEAPEAPEAUIWbemClassObject@@AEAVCWbemClassCache@@@Z +; public: long __cdecl CWbemSmartEnumNextPacket::UnmarshalPacket(long & __ptr64,struct IWbemClassObject * __ptr64 * __ptr64 & __ptr64,class CWbemClassCache & __ptr64) __ptr64 +?UnmarshalPacket@CWbemSmartEnumNextPacket@@QEAAJAEAJAEAPEAPEAUIWbemClassObject@@AEAVCWbemClassCache@@@Z +; public: static unsigned char * __ptr64 __cdecl CBasicQualifierSet::Unmerge(unsigned char * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) +?Unmerge@CBasicQualifierSet@@SAPEAEPEAEPEAVCFastHeap@@01@Z +; public: unsigned char * __ptr64 __cdecl CClassAndMethods::Unmerge(unsigned char * __ptr64,unsigned long) __ptr64 +?Unmerge@CClassAndMethods@@QEAAPEAEPEAEK@Z +; public: unsigned char * __ptr64 __cdecl CClassPart::Unmerge(unsigned char * __ptr64,int) __ptr64 +?Unmerge@CClassPart@@QEAAPEAEPEAEH@Z +; public: unsigned char * __ptr64 __cdecl CDataTable::Unmerge(class CPropertyLookupTable * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) __ptr64 +?Unmerge@CDataTable@@QEAAPEAEPEAVCPropertyLookupTable@@PEAVCFastHeap@@PEAE1@Z +; public: unsigned char * __ptr64 __cdecl CDerivationList::Unmerge(unsigned char * __ptr64) __ptr64 +?Unmerge@CDerivationList@@QEAAPEAEPEAE@Z +; public: unsigned char * __ptr64 __cdecl CMethodPart::Unmerge(unsigned char * __ptr64,unsigned long) __ptr64 +?Unmerge@CMethodPart@@QEAAPEAEPEAEK@Z +; public: unsigned char * __ptr64 __cdecl CPropertyLookupTable::Unmerge(class CDataTable * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) __ptr64 +?Unmerge@CPropertyLookupTable@@QEAAPEAEPEAVCDataTable@@PEAVCFastHeap@@PEAE1@Z +; public: virtual long __cdecl CWbemClass::Unmerge(unsigned char * __ptr64,int,unsigned long * __ptr64) __ptr64 +?Unmerge@CWbemClass@@UEAAJPEAEHPEAK@Z +; public: virtual long __cdecl CWbemInstance::Unmerge(unsigned char * __ptr64,int,unsigned long * __ptr64) __ptr64 +?Unmerge@CWbemInstance@@UEAAJPEAEHPEAK@Z +; public: unsigned long __cdecl CWbemObject::Unmerge(unsigned char * __ptr64 * __ptr64) __ptr64 +?Unmerge@CWbemObject@@QEAAKPEAPEAE@Z +; public: virtual long __cdecl CWbemObject::Unmerge(long,unsigned long,unsigned long * __ptr64,void * __ptr64) __ptr64 +?Unmerge@CWbemObject@@UEAAJJKPEAKPEAX@Z +; public: static long __cdecl CClassAndMethods::Update(class CClassAndMethods & __ptr64,class CClassAndMethods & __ptr64,long) +?Update@CClassAndMethods@@SAJAEAV1@0J@Z +; public: static long __cdecl CClassPart::Update(class CClassPart & __ptr64,class CClassPart & __ptr64,long) +?Update@CClassPart@@SAJAEAV1@0J@Z +; public: static long __cdecl CMethodPart::Update(class CMethodPart & __ptr64,class CMethodPart & __ptr64,long) +?Update@CMethodPart@@SAJAEAV1@0J@Z +; public: long __cdecl CQualifierSet::Update(class CBasicQualifierSet & __ptr64,long,class CFixedBSTRArray * __ptr64) __ptr64 +?Update@CQualifierSet@@QEAAJAEAVCBasicQualifierSet@@JPEAVCFixedBSTRArray@@@Z +; public: long __cdecl CWbemClass::Update(class CWbemClass * __ptr64,long,class CWbemClass * __ptr64 * __ptr64) __ptr64 +?Update@CWbemClass@@QEAAJPEAV1@JPEAPEAV1@@Z +; public: virtual long __cdecl CWbemClass::Update(struct _IWmiObject * __ptr64,long,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Update@CWbemClass@@UEAAJPEAU_IWmiObject@@JPEAPEAU2@@Z +; public: virtual long __cdecl CWbemInstance::Update(struct _IWmiObject * __ptr64,long,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Update@CWbemInstance@@UEAAJPEAU_IWmiObject@@JPEAPEAU2@@Z +; public: static long __cdecl CClassPart::UpdateProperties(class CClassPart & __ptr64,class CClassPart & __ptr64,long) +?UpdateProperties@CClassPart@@SAJAEAV1@0J@Z +; public: virtual long __cdecl CWbemClass::Upgrade(struct _IWmiObject * __ptr64,long,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Upgrade@CWbemClass@@UEAAJPEAU_IWmiObject@@JPEAPEAU2@@Z +; public: virtual long __cdecl CWbemInstance::Upgrade(struct _IWmiObject * __ptr64,long,struct _IWmiObject * __ptr64 * __ptr64) __ptr64 +?Upgrade@CWbemInstance@@UEAAJPEAU_IWmiObject@@JPEAPEAU2@@Z +; protected: static char __cdecl CCompressedString::UpperByte(unsigned short) +?UpperByte@CCompressedString@@KADG@Z +; public: static class CType __cdecl CType::VARTYPEToType(unsigned short) +?VARTYPEToType@CType@@SA?AV1@G@Z +; public: long __cdecl CWbemInstance::Validate(void) __ptr64 +?Validate@CWbemInstance@@QEAAJXZ +; public: static unsigned __int64 __cdecl CBasicQualifierSet::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CBasicQualifierSet@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CClassAndMethods::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CClassAndMethods@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CClassPart::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CClassPart@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CCompressedStringList::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CCompressedStringList@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CDataTable::ValidateBuffer(unsigned char * __ptr64,unsigned __int64,int) +?ValidateBuffer@CDataTable@@SA_KPEAE_KH@Z +; public: static unsigned __int64 __cdecl CDecorationPart::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CDecorationPart@@SA_KPEAE_K@Z +; public: static void __cdecl CEmbeddedObject::ValidateBuffer(unsigned char * __ptr64,unsigned __int64,class std::vector > & __ptr64) +?ValidateBuffer@CEmbeddedObject@@SAXPEAE_KAEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: static unsigned __int64 __cdecl CFastHeap::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CFastHeap@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CInstancePart::ValidateBuffer(unsigned char * __ptr64,unsigned __int64,class CClassPart & __ptr64,class std::vector > & __ptr64) +?ValidateBuffer@CInstancePart@@SA_KPEAE_KAEAVCClassPart@@AEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: static unsigned __int64 __cdecl CMethodPart::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CMethodPart@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CPropertyLookupTable::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CPropertyLookupTable@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CQualifierSetList::ValidateBuffer(unsigned char * __ptr64,unsigned __int64,int) +?ValidateBuffer@CQualifierSetList@@SA_KPEAE_KH@Z +; public: static unsigned __int64 __cdecl CWbemClass::ValidateBuffer(unsigned char * __ptr64,unsigned __int64) +?ValidateBuffer@CWbemClass@@SA_KPEAE_K@Z +; public: static unsigned __int64 __cdecl CWbemInstance::ValidateBuffer(unsigned char * __ptr64,int,unsigned long,class std::vector > & __ptr64) +?ValidateBuffer@CWbemInstance@@SA_KPEAEHKAEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: static unsigned __int64 __cdecl CWbemInstance::ValidateBuffer(unsigned char * __ptr64,int,class CWbemInstance * __ptr64,class std::vector > & __ptr64) +?ValidateBuffer@CWbemInstance@@SA_KPEAEHPEAV1@AEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: static unsigned __int64 __cdecl CWbemInstance::ValidateBuffer(unsigned char * __ptr64,unsigned __int64,class std::vector > & __ptr64) +?ValidateBuffer@CWbemInstance@@SA_KPEAE_KAEAV?$vector@UEmbeddedObj@@V?$wbem_allocator@UEmbeddedObj@@@@@std@@@Z +; public: long __cdecl CLimitationMapping::ValidateInstance(class CWbemInstance * __ptr64) __ptr64 +?ValidateInstance@CLimitationMapping@@QEAAJPEAVCWbemInstance@@@Z +; public: virtual long __cdecl CWbemObject::ValidateObject(long) __ptr64 +?ValidateObject@CWbemObject@@UEAAJJ@Z +; protected: long __cdecl CMethodPart::ValidateOutParams(class CWbemObject * __ptr64) __ptr64 +?ValidateOutParams@CMethodPart@@IEAAJPEAVCWbemObject@@@Z +; public: long __cdecl CWbemObject::ValidatePath(struct ParsedObjectPath * __ptr64) __ptr64 +?ValidatePath@CWbemObject@@QEAAJPEAUParsedObjectPath@@@Z +; public: long __cdecl CPropertyLookupTable::ValidateRange(unsigned short * __ptr64 * __ptr64,class CDataTable * __ptr64,class CFastHeap * __ptr64) __ptr64 +?ValidateRange@CPropertyLookupTable@@QEAAJPEAPEAGPEAVCDataTable@@PEAVCFastHeap@@@Z +; public: int __cdecl CWbemObject::ValidateRange(unsigned short * __ptr64 * __ptr64) __ptr64 +?ValidateRange@CWbemObject@@QEAAHPEAPEAG@Z +; public: long __cdecl CQualifierSet::ValidateSet(unsigned short const * __ptr64,unsigned char,class CTypedValue * __ptr64,int,int) __ptr64 +?ValidateSet@CQualifierSet@@QEAAJPEBGEPEAVCTypedValue@@HH@Z +; public: int __cdecl CCompressedString::ValidateSize(int)const __ptr64 +?ValidateSize@CCompressedString@@QEBAHH@Z +; public: static long __cdecl CWbemObject::WbemObjectFromCOMPtr(struct IUnknown * __ptr64,class CWbemObject * __ptr64 * __ptr64) +?WbemObjectFromCOMPtr@CWbemObject@@SAJPEAUIUnknown@@PEAPEAV1@@Z +; unsigned short * __ptr64 __cdecl WbemStringCopy(unsigned short const * __ptr64) +?WbemStringCopy@@YAPEAGPEBG@Z +; void __cdecl WbemStringFree(unsigned short * __ptr64) +?WbemStringFree@@YAXPEAG@Z +; protected: long __cdecl CWbemRefreshingSvc::WrapRemoteRefresher(struct IWbemRemoteRefresher * __ptr64 * __ptr64) __ptr64 +?WrapRemoteRefresher@CWbemRefreshingSvc@@IEAAJPEAPEAUIWbemRemoteRefresher@@@Z +; public: virtual long __cdecl CWbemObject::WriteDWORD(long,unsigned long) __ptr64 +?WriteDWORD@CWbemObject@@UEAAJJK@Z +; public: long __cdecl CWbemClass::WriteDerivedClass(unsigned char * __ptr64,int,class CDecorationPart * __ptr64) __ptr64 +?WriteDerivedClass@CWbemClass@@QEAAJPEAEHPEAVCDecorationPart@@@Z +; public: virtual long __cdecl CWbemObject::WriteProp(unsigned short const * __ptr64,long,unsigned long,unsigned long,long,void * __ptr64) __ptr64 +?WriteProp@CWbemObject@@UEAAJPEBGJKKJPEAX@Z +; public: static unsigned char * __ptr64 __cdecl CBasicQualifierSet::WritePropagatedVersion(class CPtrSource * __ptr64,unsigned char,class CPtrSource * __ptr64,class CFastHeap * __ptr64,class CFastHeap * __ptr64) +?WritePropagatedVersion@CBasicQualifierSet@@SAPEAEPEAVCPtrSource@@E0PEAVCFastHeap@@1@Z +; public: unsigned char * __ptr64 __cdecl CDataTable::WritePropagatedVersion(class CPropertyLookupTable * __ptr64,class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) __ptr64 +?WritePropagatedVersion@CDataTable@@QEAAPEAEPEAVCPropertyLookupTable@@PEAVCFastHeap@@PEAE1@Z +; public: unsigned char * __ptr64 __cdecl CPropertyLookupTable::WritePropagatedVersion(class CFastHeap * __ptr64,unsigned char * __ptr64,class CFastHeap * __ptr64) __ptr64 +?WritePropagatedVersion@CPropertyLookupTable@@QEAAPEAEPEAVCFastHeap@@PEAE0@Z +; public: long __cdecl CWbemClass::WritePropertyAsMethodParam(class WString & __ptr64,int,long,class CWbemClass * __ptr64,int) __ptr64 +?WritePropertyAsMethodParam@CWbemClass@@QEAAJAEAVWString@@HJPEAV1@H@Z +; public: virtual long __cdecl CWbemObject::WritePropertyValue(long,long,unsigned char const * __ptr64) __ptr64 +?WritePropertyValue@CWbemObject@@UEAAJJJPEBE@Z +; public: virtual long __cdecl CWbemObject::WriteQWORD(long,unsigned __int64) __ptr64 +?WriteQWORD@CWbemObject@@UEAAJJ_K@Z +; public: unsigned char * __ptr64 __cdecl CDataTable::WriteSmallerVersion(int,unsigned long,unsigned char * __ptr64) __ptr64 +?WriteSmallerVersion@CDataTable@@QEAAPEAEHKPEAE@Z +; public: unsigned char * __ptr64 __cdecl CQualifierSetList::WriteSmallerVersion(int,unsigned char * __ptr64) __ptr64 +?WriteSmallerVersion@CQualifierSetList@@QEAAPEAEHPEAE@Z +; public: virtual long __cdecl CWbemInstance::WriteToStream(struct IStream * __ptr64) __ptr64 +?WriteToStream@CWbemInstance@@UEAAJPEAUIStream@@@Z +; public: virtual long __cdecl CWbemObject::WriteToStream(struct IStream * __ptr64) __ptr64 +?WriteToStream@CWbemObject@@UEAAJPEAUIStream@@@Z +; public: static void __cdecl CWbemInstance::WriteTransferArrayHeader(long,unsigned char * __ptr64 * __ptr64) +?WriteTransferArrayHeader@CWbemInstance@@SAXJPEAPEAE@Z +; public: virtual long __cdecl CWbemObject::_GetCoreInfo(long,void * __ptr64 * __ptr64) __ptr64 +?_GetCoreInfo@CWbemObject@@UEAAJJPEAPEAX@Z +; public: static unsigned short * __ptr64 __cdecl CCompressedString::fast_wcscpy(unsigned short * __ptr64,unsigned short const * __ptr64) +?fast_wcscpy@CCompressedString@@SAPEAGPEAGPEBG@Z +; public: static int __cdecl CCompressedString::fast_wcslen(unsigned short const * __ptr64) +?fast_wcslen@CCompressedString@@SAHPEBG@Z +; public: static unsigned short * __ptr64 __cdecl CCompressedString::fast_wcsncpy(unsigned short * __ptr64,unsigned short const * __ptr64,int) +?fast_wcsncpy@CCompressedString@@SAPEAGPEAGPEBGH@Z +; protected: static unsigned char * CWbemDataPacket::s_abSignature +?s_abSignature@CWbemDataPacket@@1PAEA DATA +; private: static unsigned short const * __ptr64 * CReservedWordTable::s_apwszReservedWords +?s_apwszReservedWords@CReservedWordTable@@0PAPEBGA DATA +; protected: static class CStaticCritSec CWbemFetchRefrMgr::s_cs +?s_cs@CWbemFetchRefrMgr@@1VCStaticCritSec@@A DATA +; protected: static struct _IWbemRefresherMgr * __ptr64 __ptr64 CWbemFetchRefrMgr::s_pRefrMgr +?s_pRefrMgr@CWbemFetchRefrMgr@@1PEAU_IWbemRefresherMgr@@EA DATA +; private: static unsigned short const * __ptr64 const __ptr64 CReservedWordTable::s_pszStartingCharsLCase +?s_pszStartingCharsLCase@CReservedWordTable@@0PEBGEB DATA +; private: static unsigned short const * __ptr64 const __ptr64 CReservedWordTable::s_pszStartingCharsUCase +?s_pszStartingCharsUCase@CReservedWordTable@@0PEBGEB DATA +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetObjectCount diff --git a/lib/libc/mingw/lib64/fcachdll.def b/lib/libc/mingw/lib64/fcachdll.def new file mode 100644 index 0000000000..5815ed6822 --- /dev/null +++ b/lib/libc/mingw/lib64/fcachdll.def @@ -0,0 +1,43 @@ +; +; Exports of file FCACHDLL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FCACHDLL.dll +EXPORTS +AddRefContext +AssociateContextWithName +AssociateFile +AssociateFileEx +CacheCreateFile +CacheRemoveFiles +CacheRichCreateFile +CloseNonCachedFile +CompleteDotStuffingOnWrites +FIOInitialize +FIOReadFile +FIOReadFileEx +FIOTerminate +FIOWriteFile +FIOWriteFileEx +FindContextFromName +FindOrCreateNameCache +FindSyncContextFromName +GetDotStuffState +GetFileSizeFromContext +GetIsFileDotTerminated +InitializeCache +InsertFile +InvalidateName +ProduceDotStuffedContext +ProduceDotStuffedContextInContext +ReleaseContext +ReleaseNameCache +SetDotScanningOnReads +SetDotScanningOnWrites +SetDotStuffState +SetDotStuffingOnWrites +SetIsFileDotTerminated +SetNameCacheSecurityFunction +TerminateCache diff --git a/lib/libc/mingw/lib64/fldrclnr.def b/lib/libc/mingw/lib64/fldrclnr.def new file mode 100644 index 0000000000..697eb73290 --- /dev/null +++ b/lib/libc/mingw/lib64/fldrclnr.def @@ -0,0 +1,12 @@ +; +; Exports of file FldrClnr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FldrClnr.dll +EXPORTS +DllInstall +DllMain +DllRegisterServer +Wizard_RunDLL diff --git a/lib/libc/mingw/lib64/framedyn.def b/lib/libc/mingw/lib64/framedyn.def new file mode 100644 index 0000000000..feea2adbf7 --- /dev/null +++ b/lib/libc/mingw/lib64/framedyn.def @@ -0,0 +1,1219 @@ +; +; Exports of file framedyn.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY framedyn.dll +EXPORTS +; public: __cdecl CAutoEvent::CAutoEvent(void) __ptr64 +??0CAutoEvent@@QEAA@XZ +; public: __cdecl CFrameworkQuery::CFrameworkQuery(class CFrameworkQuery const & __ptr64) __ptr64 +??0CFrameworkQuery@@QEAA@AEBV0@@Z +; public: __cdecl CFrameworkQuery::CFrameworkQuery(void) __ptr64 +??0CFrameworkQuery@@QEAA@XZ +; public: __cdecl CFrameworkQueryEx::CFrameworkQueryEx(class CFrameworkQueryEx const & __ptr64) __ptr64 +??0CFrameworkQueryEx@@QEAA@AEBV0@@Z +; public: __cdecl CFrameworkQueryEx::CFrameworkQueryEx(void) __ptr64 +??0CFrameworkQueryEx@@QEAA@XZ +; public: __cdecl CHPtrArray::CHPtrArray(void) __ptr64 +??0CHPtrArray@@QEAA@XZ +; public: __cdecl CHString::CHString(class CHString const & __ptr64) __ptr64 +??0CHString@@QEAA@AEBV0@@Z +; public: __cdecl CHString::CHString(unsigned short,int) __ptr64 +??0CHString@@QEAA@GH@Z +; public: __cdecl CHString::CHString(char const * __ptr64) __ptr64 +??0CHString@@QEAA@PEBD@Z +; public: __cdecl CHString::CHString(unsigned char const * __ptr64) __ptr64 +??0CHString@@QEAA@PEBE@Z +; public: __cdecl CHString::CHString(unsigned short const * __ptr64) __ptr64 +??0CHString@@QEAA@PEBG@Z +; public: __cdecl CHString::CHString(unsigned short const * __ptr64,int) __ptr64 +??0CHString@@QEAA@PEBGH@Z +; public: __cdecl CHString::CHString(void) __ptr64 +??0CHString@@QEAA@XZ +; public: __cdecl CHStringArray::CHStringArray(void) __ptr64 +??0CHStringArray@@QEAA@XZ +; public: __cdecl CInstance::CInstance(class CInstance const & __ptr64) __ptr64 +??0CInstance@@QEAA@AEBV0@@Z +; public: __cdecl CInstance::CInstance(struct IWbemClassObject * __ptr64,class MethodContext * __ptr64) __ptr64 +??0CInstance@@QEAA@PEAUIWbemClassObject@@PEAVMethodContext@@@Z +; public: __cdecl CObjectPathParser::CObjectPathParser(enum ObjectParserFlags) __ptr64 +??0CObjectPathParser@@QEAA@W4ObjectParserFlags@@@Z +; public: __cdecl CRegistry::CRegistry(class CRegistry const & __ptr64) __ptr64 +??0CRegistry@@QEAA@AEBV0@@Z +; public: __cdecl CRegistry::CRegistry(void) __ptr64 +??0CRegistry@@QEAA@XZ +; public: __cdecl CRegistrySearch::CRegistrySearch(class CRegistrySearch const & __ptr64) __ptr64 +??0CRegistrySearch@@QEAA@AEBV0@@Z +; public: __cdecl CRegistrySearch::CRegistrySearch(void) __ptr64 +??0CRegistrySearch@@QEAA@XZ +; public: __cdecl CThreadBase::CThreadBase(class CThreadBase const & __ptr64) __ptr64 +??0CThreadBase@@QEAA@AEBV0@@Z +; public: __cdecl CThreadBase::CThreadBase(enum CThreadBase::THREAD_SAFETY_MECHANISM) __ptr64 +??0CThreadBase@@QEAA@W4THREAD_SAFETY_MECHANISM@0@@Z +; public: __cdecl CWbemGlueFactory::CWbemGlueFactory(class CWbemGlueFactory const & __ptr64) __ptr64 +??0CWbemGlueFactory@@QEAA@AEBV0@@Z +; public: __cdecl CWbemGlueFactory::CWbemGlueFactory(long * __ptr64) __ptr64 +??0CWbemGlueFactory@@QEAA@PEAJ@Z +; public: __cdecl CWbemGlueFactory::CWbemGlueFactory(void) __ptr64 +??0CWbemGlueFactory@@QEAA@XZ +; public: __cdecl CWbemProviderGlue::CWbemProviderGlue(class CWbemProviderGlue const & __ptr64) __ptr64 +??0CWbemProviderGlue@@QEAA@AEBV0@@Z +; public: __cdecl CWbemProviderGlue::CWbemProviderGlue(long * __ptr64) __ptr64 +??0CWbemProviderGlue@@QEAA@PEAJ@Z +; public: __cdecl CWbemProviderGlue::CWbemProviderGlue(void) __ptr64 +??0CWbemProviderGlue@@QEAA@XZ +; public: __cdecl CWinMsgEvent::CWinMsgEvent(class CWinMsgEvent const & __ptr64) __ptr64 +??0CWinMsgEvent@@QEAA@AEBV0@@Z +; public: __cdecl CWinMsgEvent::CWinMsgEvent(void) __ptr64 +??0CWinMsgEvent@@QEAA@XZ +; public: __cdecl CreateMutexAsProcess::CreateMutexAsProcess(unsigned short const * __ptr64) __ptr64 +??0CreateMutexAsProcess@@QEAA@PEBG@Z +; public: __cdecl KeyRef::KeyRef(unsigned short const * __ptr64,struct tagVARIANT const * __ptr64) __ptr64 +??0KeyRef@@QEAA@PEBGPEBUtagVARIANT@@@Z +; public: __cdecl KeyRef::KeyRef(void) __ptr64 +??0KeyRef@@QEAA@XZ +; public: __cdecl MethodContext::MethodContext(class MethodContext const & __ptr64) __ptr64 +??0MethodContext@@QEAA@AEBV0@@Z +; public: __cdecl MethodContext::MethodContext(struct IWbemContext * __ptr64,class CWbemProviderGlue * __ptr64) __ptr64 +??0MethodContext@@QEAA@PEAUIWbemContext@@PEAVCWbemProviderGlue@@@Z +; public: __cdecl ParsedObjectPath::ParsedObjectPath(void) __ptr64 +??0ParsedObjectPath@@QEAA@XZ +; public: __cdecl Provider::Provider(class Provider const & __ptr64) __ptr64 +??0Provider@@QEAA@AEBV0@@Z +; public: __cdecl Provider::Provider(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0Provider@@QEAA@PEBG0@Z +; public: __cdecl ProviderLog::ProviderLog(class ProviderLog const & __ptr64) __ptr64 +??0ProviderLog@@QEAA@AEBV0@@Z +; public: __cdecl ProviderLog::ProviderLog(void) __ptr64 +??0ProviderLog@@QEAA@XZ +; public: __cdecl WBEMTime::WBEMTime(struct _FILETIME const & __ptr64) __ptr64 +??0WBEMTime@@QEAA@AEBU_FILETIME@@@Z +; public: __cdecl WBEMTime::WBEMTime(struct _SYSTEMTIME const & __ptr64) __ptr64 +??0WBEMTime@@QEAA@AEBU_SYSTEMTIME@@@Z +; public: __cdecl WBEMTime::WBEMTime(struct tm const & __ptr64) __ptr64 +??0WBEMTime@@QEAA@AEBUtm@@@Z +; public: __cdecl WBEMTime::WBEMTime(__int64 const & __ptr64) __ptr64 +??0WBEMTime@@QEAA@AEB_J@Z +; public: __cdecl WBEMTime::WBEMTime(unsigned short * __ptr64 const) __ptr64 +??0WBEMTime@@QEAA@QEAG@Z +; public: __cdecl WBEMTime::WBEMTime(void) __ptr64 +??0WBEMTime@@QEAA@XZ +; public: __cdecl WBEMTimeSpan::WBEMTimeSpan(struct _FILETIME const & __ptr64) __ptr64 +??0WBEMTimeSpan@@QEAA@AEBU_FILETIME@@@Z +; public: __cdecl WBEMTimeSpan::WBEMTimeSpan(__int64 const & __ptr64) __ptr64 +??0WBEMTimeSpan@@QEAA@AEB_J@Z +; public: __cdecl WBEMTimeSpan::WBEMTimeSpan(int,int,int,int,int,int,int) __ptr64 +??0WBEMTimeSpan@@QEAA@HHHHHHH@Z +; public: __cdecl WBEMTimeSpan::WBEMTimeSpan(unsigned short * __ptr64 const) __ptr64 +??0WBEMTimeSpan@@QEAA@QEAG@Z +; public: __cdecl WBEMTimeSpan::WBEMTimeSpan(void) __ptr64 +??0WBEMTimeSpan@@QEAA@XZ +; public: __cdecl std::_Lockit::_Lockit(void) __ptr64 +??0_Lockit@std@@QEAA@XZ +; public: __cdecl CAutoEvent::~CAutoEvent(void) __ptr64 +??1CAutoEvent@@QEAA@XZ +; public: __cdecl CFrameworkQuery::~CFrameworkQuery(void) __ptr64 +??1CFrameworkQuery@@QEAA@XZ +; public: __cdecl CFrameworkQueryEx::~CFrameworkQueryEx(void) __ptr64 +??1CFrameworkQueryEx@@QEAA@XZ +; public: __cdecl CHPtrArray::~CHPtrArray(void) __ptr64 +??1CHPtrArray@@QEAA@XZ +; public: __cdecl CHString::~CHString(void) __ptr64 +??1CHString@@QEAA@XZ +; public: __cdecl CHStringArray::~CHStringArray(void) __ptr64 +??1CHStringArray@@QEAA@XZ +; public: virtual __cdecl CInstance::~CInstance(void) __ptr64 +??1CInstance@@UEAA@XZ +; public: __cdecl CObjectPathParser::~CObjectPathParser(void) __ptr64 +??1CObjectPathParser@@QEAA@XZ +; public: __cdecl CRegistry::~CRegistry(void) __ptr64 +??1CRegistry@@QEAA@XZ +; public: __cdecl CRegistrySearch::~CRegistrySearch(void) __ptr64 +??1CRegistrySearch@@QEAA@XZ +; public: virtual __cdecl CThreadBase::~CThreadBase(void) __ptr64 +??1CThreadBase@@UEAA@XZ +; public: __cdecl CWbemGlueFactory::~CWbemGlueFactory(void) __ptr64 +??1CWbemGlueFactory@@QEAA@XZ +; public: __cdecl CWbemProviderGlue::~CWbemProviderGlue(void) __ptr64 +??1CWbemProviderGlue@@QEAA@XZ +; public: __cdecl CWinMsgEvent::~CWinMsgEvent(void) __ptr64 +??1CWinMsgEvent@@QEAA@XZ +; public: __cdecl CreateMutexAsProcess::~CreateMutexAsProcess(void) __ptr64 +??1CreateMutexAsProcess@@QEAA@XZ +; public: __cdecl KeyRef::~KeyRef(void) __ptr64 +??1KeyRef@@QEAA@XZ +; public: virtual __cdecl MethodContext::~MethodContext(void) __ptr64 +??1MethodContext@@UEAA@XZ +; public: __cdecl ParsedObjectPath::~ParsedObjectPath(void) __ptr64 +??1ParsedObjectPath@@QEAA@XZ +; public: virtual __cdecl Provider::~Provider(void) __ptr64 +??1Provider@@UEAA@XZ +; public: virtual __cdecl ProviderLog::~ProviderLog(void) __ptr64 +??1ProviderLog@@UEAA@XZ +; public: __cdecl std::_Lockit::~_Lockit(void) __ptr64 +??1_Lockit@std@@QEAA@XZ +; public: class CAutoEvent & __ptr64 __cdecl CAutoEvent::operator=(class CAutoEvent const & __ptr64) __ptr64 +??4CAutoEvent@@QEAAAEAV0@AEBV0@@Z +; public: class CFrameworkQuery & __ptr64 __cdecl CFrameworkQuery::operator=(class CFrameworkQuery const & __ptr64) __ptr64 +??4CFrameworkQuery@@QEAAAEAV0@AEBV0@@Z +; public: class CFrameworkQueryEx & __ptr64 __cdecl CFrameworkQueryEx::operator=(class CFrameworkQueryEx const & __ptr64) __ptr64 +??4CFrameworkQueryEx@@QEAAAEAV0@AEBV0@@Z +; public: class CHPtrArray & __ptr64 __cdecl CHPtrArray::operator=(class CHPtrArray const & __ptr64) __ptr64 +??4CHPtrArray@@QEAAAEAV0@AEBV0@@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(class CHString const & __ptr64) __ptr64 +??4CHString@@QEAAAEBV0@AEBV0@@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(char) __ptr64 +??4CHString@@QEAAAEBV0@D@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(unsigned short) __ptr64 +??4CHString@@QEAAAEBV0@G@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(class CHString * __ptr64) __ptr64 +??4CHString@@QEAAAEBV0@PEAV0@@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(char const * __ptr64) __ptr64 +??4CHString@@QEAAAEBV0@PEBD@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(unsigned char const * __ptr64) __ptr64 +??4CHString@@QEAAAEBV0@PEBE@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator=(unsigned short const * __ptr64) __ptr64 +??4CHString@@QEAAAEBV0@PEBG@Z +; public: class CHStringArray & __ptr64 __cdecl CHStringArray::operator=(class CHStringArray const & __ptr64) __ptr64 +??4CHStringArray@@QEAAAEAV0@AEBV0@@Z +; public: class CInstance & __ptr64 __cdecl CInstance::operator=(class CInstance const & __ptr64) __ptr64 +??4CInstance@@QEAAAEAV0@AEBV0@@Z +; public: class CObjectPathParser & __ptr64 __cdecl CObjectPathParser::operator=(class CObjectPathParser const & __ptr64) __ptr64 +??4CObjectPathParser@@QEAAAEAV0@AEBV0@@Z +; public: class CRegistry & __ptr64 __cdecl CRegistry::operator=(class CRegistry const & __ptr64) __ptr64 +??4CRegistry@@QEAAAEAV0@AEBV0@@Z +; public: class CRegistrySearch & __ptr64 __cdecl CRegistrySearch::operator=(class CRegistrySearch const & __ptr64) __ptr64 +??4CRegistrySearch@@QEAAAEAV0@AEBV0@@Z +; public: class CThreadBase & __ptr64 __cdecl CThreadBase::operator=(class CThreadBase const & __ptr64) __ptr64 +??4CThreadBase@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemGlueFactory & __ptr64 __cdecl CWbemGlueFactory::operator=(class CWbemGlueFactory const & __ptr64) __ptr64 +??4CWbemGlueFactory@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemProviderGlue & __ptr64 __cdecl CWbemProviderGlue::operator=(class CWbemProviderGlue const & __ptr64) __ptr64 +??4CWbemProviderGlue@@QEAAAEAV0@AEBV0@@Z +; public: class CWinMsgEvent & __ptr64 __cdecl CWinMsgEvent::operator=(class CWinMsgEvent const & __ptr64) __ptr64 +??4CWinMsgEvent@@QEAAAEAV0@AEBV0@@Z +; public: class CreateMutexAsProcess & __ptr64 __cdecl CreateMutexAsProcess::operator=(class CreateMutexAsProcess const & __ptr64) __ptr64 +??4CreateMutexAsProcess@@QEAAAEAV0@AEBV0@@Z +; public: struct KeyRef & __ptr64 __cdecl KeyRef::operator=(struct KeyRef const & __ptr64) __ptr64 +??4KeyRef@@QEAAAEAU0@AEBU0@@Z +; public: class MethodContext & __ptr64 __cdecl MethodContext::operator=(class MethodContext const & __ptr64) __ptr64 +??4MethodContext@@QEAAAEAV0@AEBV0@@Z +; public: struct ParsedObjectPath & __ptr64 __cdecl ParsedObjectPath::operator=(struct ParsedObjectPath const & __ptr64) __ptr64 +??4ParsedObjectPath@@QEAAAEAU0@AEBU0@@Z +; public: class Provider & __ptr64 __cdecl Provider::operator=(class Provider const & __ptr64) __ptr64 +??4Provider@@QEAAAEAV0@AEBV0@@Z +; public: class ProviderLog & __ptr64 __cdecl ProviderLog::operator=(class ProviderLog const & __ptr64) __ptr64 +??4ProviderLog@@QEAAAEAV0@AEBV0@@Z +; public: class WBEMTime & __ptr64 __cdecl WBEMTime::operator=(class WBEMTime const & __ptr64) __ptr64 +??4WBEMTime@@QEAAAEAV0@AEBV0@@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator=(struct _FILETIME const & __ptr64) __ptr64 +??4WBEMTime@@QEAAAEBV0@AEBU_FILETIME@@@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator=(struct _SYSTEMTIME const & __ptr64) __ptr64 +??4WBEMTime@@QEAAAEBV0@AEBU_SYSTEMTIME@@@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator=(struct tm const & __ptr64) __ptr64 +??4WBEMTime@@QEAAAEBV0@AEBUtm@@@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator=(__int64 const & __ptr64) __ptr64 +??4WBEMTime@@QEAAAEBV0@AEB_J@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator=(unsigned short * __ptr64 const) __ptr64 +??4WBEMTime@@QEAAAEBV0@QEAG@Z +; public: class WBEMTimeSpan & __ptr64 __cdecl WBEMTimeSpan::operator=(class WBEMTimeSpan const & __ptr64) __ptr64 +??4WBEMTimeSpan@@QEAAAEAV0@AEBV0@@Z +; public: class WBEMTimeSpan const & __ptr64 __cdecl WBEMTimeSpan::operator=(struct _FILETIME const & __ptr64) __ptr64 +??4WBEMTimeSpan@@QEAAAEBV0@AEBU_FILETIME@@@Z +; public: class WBEMTimeSpan const & __ptr64 __cdecl WBEMTimeSpan::operator=(__int64 const & __ptr64) __ptr64 +??4WBEMTimeSpan@@QEAAAEBV0@AEB_J@Z +; public: class WBEMTimeSpan const & __ptr64 __cdecl WBEMTimeSpan::operator=(unsigned short * __ptr64 const) __ptr64 +??4WBEMTimeSpan@@QEAAAEBV0@QEAG@Z +; public: int __cdecl WBEMTime::operator==(class WBEMTime const & __ptr64)const __ptr64 +??8WBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator==(class WBEMTimeSpan const & __ptr64)const __ptr64 +??8WBEMTimeSpan@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTime::operator!=(class WBEMTime const & __ptr64)const __ptr64 +??9WBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator!=(class WBEMTimeSpan const & __ptr64)const __ptr64 +??9WBEMTimeSpan@@QEBAHAEBV0@@Z +; public: void * __ptr64 & __ptr64 __cdecl CHPtrArray::operator[](int) __ptr64 +??ACHPtrArray@@QEAAAEAPEAXH@Z +; public: void * __ptr64 __cdecl CHPtrArray::operator[](int)const __ptr64 +??ACHPtrArray@@QEBAPEAXH@Z +; public: unsigned short __cdecl CHString::operator[](int)const __ptr64 +??ACHString@@QEBAGH@Z +; public: class CHString & __ptr64 __cdecl CHStringArray::operator[](int) __ptr64 +??ACHStringArray@@QEAAAEAVCHString@@H@Z +; public: class CHString __cdecl CHStringArray::operator[](int)const __ptr64 +??ACHStringArray@@QEBA?AVCHString@@H@Z +; public: __cdecl CHString::operator unsigned short const * __ptr64(void)const __ptr64 +??BCHString@@QEBAPEBGXZ +; public: class WBEMTimeSpan __cdecl WBEMTime::operator-(class WBEMTime const & __ptr64) __ptr64 +??GWBEMTime@@QEAA?AVWBEMTimeSpan@@AEBV0@@Z +; public: class WBEMTime __cdecl WBEMTime::operator-(class WBEMTimeSpan const & __ptr64)const __ptr64 +??GWBEMTime@@QEBA?AV0@AEBVWBEMTimeSpan@@@Z +; public: class WBEMTimeSpan __cdecl WBEMTimeSpan::operator-(class WBEMTimeSpan const & __ptr64)const __ptr64 +??GWBEMTimeSpan@@QEBA?AV0@AEBV0@@Z +; class CHString __cdecl operator+(class CHString const & __ptr64,class CHString const & __ptr64) +??H@YA?AVCHString@@AEBV0@0@Z +; class CHString __cdecl operator+(class CHString const & __ptr64,unsigned short) +??H@YA?AVCHString@@AEBV0@G@Z +; class CHString __cdecl operator+(class CHString const & __ptr64,unsigned short const * __ptr64) +??H@YA?AVCHString@@AEBV0@PEBG@Z +; class CHString __cdecl operator+(unsigned short,class CHString const & __ptr64) +??H@YA?AVCHString@@GAEBV0@@Z +; class CHString __cdecl operator+(unsigned short const * __ptr64,class CHString const & __ptr64) +??H@YA?AVCHString@@PEBGAEBV0@@Z +; public: class WBEMTime __cdecl WBEMTime::operator+(class WBEMTimeSpan const & __ptr64)const __ptr64 +??HWBEMTime@@QEBA?AV0@AEBVWBEMTimeSpan@@@Z +; public: class WBEMTimeSpan __cdecl WBEMTimeSpan::operator+(class WBEMTimeSpan const & __ptr64)const __ptr64 +??HWBEMTimeSpan@@QEBA?AV0@AEBV0@@Z +; public: int __cdecl WBEMTime::operator<(class WBEMTime const & __ptr64)const __ptr64 +??MWBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator<(class WBEMTimeSpan const & __ptr64)const __ptr64 +??MWBEMTimeSpan@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTime::operator<=(class WBEMTime const & __ptr64)const __ptr64 +??NWBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator<=(class WBEMTimeSpan const & __ptr64)const __ptr64 +??NWBEMTimeSpan@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTime::operator>(class WBEMTime const & __ptr64)const __ptr64 +??OWBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator>(class WBEMTimeSpan const & __ptr64)const __ptr64 +??OWBEMTimeSpan@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTime::operator>=(class WBEMTime const & __ptr64)const __ptr64 +??PWBEMTime@@QEBAHAEBV0@@Z +; public: int __cdecl WBEMTimeSpan::operator>=(class WBEMTimeSpan const & __ptr64)const __ptr64 +??PWBEMTimeSpan@@QEBAHAEBV0@@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator+=(class CHString const & __ptr64) __ptr64 +??YCHString@@QEAAAEBV0@AEBV0@@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator+=(char) __ptr64 +??YCHString@@QEAAAEBV0@D@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator+=(unsigned short) __ptr64 +??YCHString@@QEAAAEBV0@G@Z +; public: class CHString const & __ptr64 __cdecl CHString::operator+=(unsigned short const * __ptr64) __ptr64 +??YCHString@@QEAAAEBV0@PEBG@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator+=(class WBEMTimeSpan const & __ptr64) __ptr64 +??YWBEMTime@@QEAAAEBV0@AEBVWBEMTimeSpan@@@Z +; public: class WBEMTimeSpan const & __ptr64 __cdecl WBEMTimeSpan::operator+=(class WBEMTimeSpan const & __ptr64) __ptr64 +??YWBEMTimeSpan@@QEAAAEBV0@AEBV0@@Z +; public: class WBEMTime const & __ptr64 __cdecl WBEMTime::operator-=(class WBEMTimeSpan const & __ptr64) __ptr64 +??ZWBEMTime@@QEAAAEBV0@AEBVWBEMTimeSpan@@@Z +; public: class WBEMTimeSpan const & __ptr64 __cdecl WBEMTimeSpan::operator-=(class WBEMTimeSpan const & __ptr64) __ptr64 +??ZWBEMTimeSpan@@QEAAAEBV0@AEBV0@@Z +; const CFrameworkQueryEx::`vftable' +??_7CFrameworkQueryEx@@6B@ +; const CInstance::`vftable' +??_7CInstance@@6B@ +; const CThreadBase::`vftable' +??_7CThreadBase@@6B@ +; const CWbemGlueFactory::`vftable' +??_7CWbemGlueFactory@@6B@ +; const CWbemProviderGlue::`vftable'{for `IWbemProviderInit'} +??_7CWbemProviderGlue@@6BIWbemProviderInit@@@ +; const CWbemProviderGlue::`vftable'{for `IWbemServices'} +??_7CWbemProviderGlue@@6BIWbemServices@@@ +; const CWinMsgEvent::`vftable' +??_7CWinMsgEvent@@6B@ +; const MethodContext::`vftable' +??_7MethodContext@@6B@ +; const Provider::`vftable' +??_7Provider@@6B@ +; const ProviderLog::`vftable' +??_7ProviderLog@@6B@ +; public: void __cdecl CObjectPathParser::`default constructor closure'(void) __ptr64 +??_FCObjectPathParser@@QEAAXXZ +; public: void __cdecl CThreadBase::`default constructor closure'(void) __ptr64 +??_FCThreadBase@@QEAAXXZ +; public: int __cdecl CHPtrArray::Add(void * __ptr64) __ptr64 +?Add@CHPtrArray@@QEAAHPEAX@Z +; public: int __cdecl CHStringArray::Add(unsigned short const * __ptr64) __ptr64 +?Add@CHStringArray@@QEAAHPEBG@Z +; private: void __cdecl CWbemProviderGlue::AddFlushPtr(void * __ptr64) __ptr64 +?AddFlushPtr@CWbemProviderGlue@@AEAAXPEAX@Z +; public: int __cdecl ParsedObjectPath::AddKeyRef(struct KeyRef * __ptr64) __ptr64 +?AddKeyRef@ParsedObjectPath@@QEAAHPEAUKeyRef@@@Z +; public: int __cdecl ParsedObjectPath::AddKeyRef(unsigned short const * __ptr64,struct tagVARIANT const * __ptr64) __ptr64 +?AddKeyRef@ParsedObjectPath@@QEAAHPEBGPEBUtagVARIANT@@@Z +; public: int __cdecl ParsedObjectPath::AddKeyRefEx(unsigned short const * __ptr64,struct tagVARIANT const * __ptr64) __ptr64 +?AddKeyRefEx@ParsedObjectPath@@QEAAHPEBGPEBUtagVARIANT@@@Z +; public: int __cdecl ParsedObjectPath::AddNamespace(unsigned short const * __ptr64) __ptr64 +?AddNamespace@ParsedObjectPath@@QEAAHPEBG@Z +; private: static class Provider * __ptr64 __cdecl CWbemProviderGlue::AddProviderToMap(unsigned short const * __ptr64,unsigned short const * __ptr64,class Provider * __ptr64) +?AddProviderToMap@CWbemProviderGlue@@CAPEAVProvider@@PEBG0PEAV2@@Z +; public: long __cdecl CInstance::AddRef(void) __ptr64 +?AddRef@CInstance@@QEAAJXZ +; public: long __cdecl CThreadBase::AddRef(void) __ptr64 +?AddRef@CThreadBase@@QEAAJXZ +; public: virtual unsigned long __cdecl CWbemGlueFactory::AddRef(void) __ptr64 +?AddRef@CWbemGlueFactory@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemProviderGlue::AddRef(void) __ptr64 +?AddRef@CWbemProviderGlue@@UEAAKXZ +; public: long __cdecl MethodContext::AddRef(void) __ptr64 +?AddRef@MethodContext@@QEAAJXZ +; protected: static void __cdecl CWbemProviderGlue::AddToFactoryMap(class CWbemGlueFactory const * __ptr64,long * __ptr64) +?AddToFactoryMap@CWbemProviderGlue@@KAXPEBVCWbemGlueFactory@@PEAJ@Z +; public: bool __cdecl CFrameworkQuery::AllPropertiesAreRequired(void) __ptr64 +?AllPropertiesAreRequired@CFrameworkQuery@@QEAA_NXZ +; protected: void __cdecl CHString::AllocBeforeWrite(int) __ptr64 +?AllocBeforeWrite@CHString@@IEAAXH@Z +; protected: void __cdecl CHString::AllocBuffer(int) __ptr64 +?AllocBuffer@CHString@@IEAAXH@Z +; protected: void __cdecl CHString::AllocCopy(class CHString & __ptr64,int,int,int)const __ptr64 +?AllocCopy@CHString@@IEBAXAEAV1@HHH@Z +; public: unsigned short * __ptr64 __cdecl CHString::AllocSysString(void)const __ptr64 +?AllocSysString@CHString@@QEBAPEAGXZ +; public: int __cdecl CHPtrArray::Append(class CHPtrArray const & __ptr64) __ptr64 +?Append@CHPtrArray@@QEAAHAEBV1@@Z +; public: int __cdecl CHStringArray::Append(class CHStringArray const & __ptr64) __ptr64 +?Append@CHStringArray@@QEAAHAEBV1@@Z +; protected: void __cdecl CHString::AssignCopy(int,unsigned short const * __ptr64) __ptr64 +?AssignCopy@CHString@@IEAAXHPEBG@Z +; public: int __cdecl CThreadBase::BeginRead(unsigned long) __ptr64 +?BeginRead@CThreadBase@@QEAAHK@Z +; public: int __cdecl CThreadBase::BeginWrite(unsigned long) __ptr64 +?BeginWrite@CThreadBase@@QEAAHK@Z +; public: virtual long __cdecl CWbemProviderGlue::CancelAsyncCall(struct IWbemObjectSink * __ptr64) __ptr64 +?CancelAsyncCall@CWbemProviderGlue@@UEAAJPEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemProviderGlue::CancelAsyncRequest(long) __ptr64 +?CancelAsyncRequest@CWbemProviderGlue@@UEAAJJ@Z +; private: void __cdecl CRegistrySearch::CheckAndAddToList(class CRegistry * __ptr64,class CHString,class CHString,class CHPtrArray & __ptr64,class CHString,class CHString,int) __ptr64 +?CheckAndAddToList@CRegistrySearch@@AEAAXPEAVCRegistry@@VCHString@@1AEAVCHPtrArray@@11H@Z +; private: void __cdecl ProviderLog::CheckFileSize(union _LARGE_INTEGER & __ptr64,class CHString const & __ptr64) __ptr64 +?CheckFileSize@ProviderLog@@AEAAXAEAT_LARGE_INTEGER@@AEBVCHString@@@Z +; private: static long __cdecl CWbemProviderGlue::CheckImpersonationLevel(void) +?CheckImpersonationLevel@CWbemProviderGlue@@CAJXZ +; public: void __cdecl WBEMTime::Clear(void) __ptr64 +?Clear@WBEMTime@@QEAAXXZ +; public: void __cdecl WBEMTimeSpan::Clear(void) __ptr64 +?Clear@WBEMTimeSpan@@QEAAXXZ +; public: void __cdecl ParsedObjectPath::ClearKeys(void) __ptr64 +?ClearKeys@ParsedObjectPath@@QEAAXXZ +; public: void __cdecl CRegistry::Close(void) __ptr64 +?Close@CRegistry@@QEAAXXZ +; private: void __cdecl CRegistry::CloseSubKey(void) __ptr64 +?CloseSubKey@CRegistry@@AEAAXXZ +; public: int __cdecl CHString::Collate(unsigned short const * __ptr64)const __ptr64 +?Collate@CHString@@QEBAHPEBG@Z +; public: long __cdecl CInstance::Commit(void) __ptr64 +?Commit@CInstance@@QEAAJXZ +; protected: long __cdecl Provider::Commit(class CInstance * __ptr64,bool) __ptr64 +?Commit@Provider@@IEAAJPEAVCInstance@@_N@Z +; public: int __cdecl CHString::Compare(unsigned short const * __ptr64)const __ptr64 +?Compare@CHString@@QEBAHPEBG@Z +; public: int __cdecl CHString::CompareNoCase(unsigned short const * __ptr64)const __ptr64 +?CompareNoCase@CHString@@QEBAHPEBG@Z +; protected: void __cdecl CHString::ConcatCopy(int,unsigned short const * __ptr64,int,unsigned short const * __ptr64) __ptr64 +?ConcatCopy@CHString@@IEAAXHPEBGH0@Z +; protected: void __cdecl CHString::ConcatInPlace(int,unsigned short const * __ptr64) __ptr64 +?ConcatInPlace@CHString@@IEAAXHPEBG@Z +; public: void __cdecl CHPtrArray::Copy(class CHPtrArray const & __ptr64) __ptr64 +?Copy@CHPtrArray@@QEAAXAEBV1@@Z +; public: void __cdecl CHStringArray::Copy(class CHStringArray const & __ptr64) __ptr64 +?Copy@CHStringArray@@QEAAXAEBV1@@Z +; protected: void __cdecl CHString::CopyBeforeWrite(void) __ptr64 +?CopyBeforeWrite@CHString@@IEAAXXZ +; public: virtual long __cdecl CWbemProviderGlue::CreateClassEnum(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IEnumWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CreateClassEnum@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIEnumWbemClassObject@@@Z +; public: virtual long __cdecl CWbemProviderGlue::CreateClassEnumAsync(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?CreateClassEnumAsync@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemGlueFactory::CreateInstance(struct IUnknown * __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?CreateInstance@CWbemGlueFactory@@UEAAJPEAUIUnknown@@AEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemProviderGlue::CreateInstanceEnum(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IEnumWbemClassObject * __ptr64 * __ptr64) __ptr64 +?CreateInstanceEnum@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIEnumWbemClassObject@@@Z +; private: long __cdecl Provider::CreateInstanceEnum(class MethodContext * __ptr64,long) __ptr64 +?CreateInstanceEnum@Provider@@AEAAJPEAVMethodContext@@J@Z +; public: virtual long __cdecl CWbemProviderGlue::CreateInstanceEnumAsync(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?CreateInstanceEnumAsync@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; private: static void __cdecl CWinMsgEvent::CreateMsgProvider(void) +?CreateMsgProvider@CWinMsgEvent@@CAXXZ +; private: static struct HWND__ * __ptr64 __cdecl CWinMsgEvent::CreateMsgWindow(void) +?CreateMsgWindow@CWinMsgEvent@@CAPEAUHWND__@@XZ +; protected: class CInstance * __ptr64 __cdecl Provider::CreateNewInstance(class MethodContext * __ptr64) __ptr64 +?CreateNewInstance@Provider@@IEAAPEAVCInstance@@PEAVMethodContext@@@Z +; public: long __cdecl CRegistry::CreateOpen(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned short * __ptr64,unsigned long,unsigned long,struct _SECURITY_ATTRIBUTES * __ptr64,unsigned long * __ptr64) __ptr64 +?CreateOpen@CRegistry@@QEAAJPEAUHKEY__@@PEBGPEAGKKPEAU_SECURITY_ATTRIBUTES@@PEAK@Z +; private: static int __cdecl CWinMsgEvent::CtrlHandlerRoutine(unsigned long) +?CtrlHandlerRoutine@CWinMsgEvent@@CAHK@Z +; protected: static long __cdecl CWbemProviderGlue::DecrementMapCount(long * __ptr64) +?DecrementMapCount@CWbemProviderGlue@@KAJPEAJ@Z +; protected: static long __cdecl CWbemProviderGlue::DecrementMapCount(class CWbemGlueFactory const * __ptr64) +?DecrementMapCount@CWbemProviderGlue@@KAJPEBVCWbemGlueFactory@@@Z +; public: static long __cdecl CWbemProviderGlue::DecrementObjectCount(void) +?DecrementObjectCount@CWbemProviderGlue@@SAJXZ +; public: virtual long __cdecl CWbemProviderGlue::DeleteClass(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?DeleteClass@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIWbemCallResult@@@Z +; public: virtual long __cdecl CWbemProviderGlue::DeleteClassAsync(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?DeleteClassAsync@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: unsigned long __cdecl CRegistry::DeleteCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64) __ptr64 +?DeleteCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBG@Z +; public: unsigned long __cdecl CRegistry::DeleteCurrentKeyValue(unsigned short const * __ptr64) __ptr64 +?DeleteCurrentKeyValue@CRegistry@@QEAAKPEBG@Z +; public: virtual long __cdecl CWbemProviderGlue::DeleteInstance(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?DeleteInstance@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIWbemCallResult@@@Z +; private: long __cdecl Provider::DeleteInstance(struct ParsedObjectPath * __ptr64,long,class MethodContext * __ptr64) __ptr64 +?DeleteInstance@Provider@@AEAAJPEAUParsedObjectPath@@JPEAVMethodContext@@@Z +; protected: virtual long __cdecl Provider::DeleteInstance(class CInstance const & __ptr64,long) __ptr64 +?DeleteInstance@Provider@@MEAAJAEBVCInstance@@J@Z +; public: virtual long __cdecl CWbemProviderGlue::DeleteInstanceAsync(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?DeleteInstanceAsync@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: long __cdecl CRegistry::DeleteKey(class CHString * __ptr64) __ptr64 +?DeleteKey@CRegistry@@QEAAJPEAVCHString@@@Z +; public: long __cdecl CRegistry::DeleteValue(unsigned short const * __ptr64) __ptr64 +?DeleteValue@CRegistry@@QEAAJPEBG@Z +; private: static void __cdecl CWinMsgEvent::DestroyMsgWindow(void) +?DestroyMsgWindow@CWinMsgEvent@@CAXXZ +; public: void * __ptr64 & __ptr64 __cdecl CHPtrArray::ElementAt(int) __ptr64 +?ElementAt@CHPtrArray@@QEAAAEAPEAXH@Z +; public: class CHString & __ptr64 __cdecl CHStringArray::ElementAt(int) __ptr64 +?ElementAt@CHStringArray@@QEAAAEAVCHString@@H@Z +; public: void __cdecl CHString::Empty(void) __ptr64 +?Empty@CHString@@QEAAXXZ +; private: void __cdecl CObjectPathParser::Empty(void) __ptr64 +?Empty@CObjectPathParser@@AEAAXXZ +; public: void __cdecl CThreadBase::EndRead(void) __ptr64 +?EndRead@CThreadBase@@QEAAXXZ +; public: void __cdecl CThreadBase::EndWrite(void) __ptr64 +?EndWrite@CThreadBase@@QEAAXXZ +; public: long __cdecl CRegistry::EnumerateAndGetValues(unsigned long & __ptr64,unsigned short * __ptr64 & __ptr64,unsigned char * __ptr64 & __ptr64) __ptr64 +?EnumerateAndGetValues@CRegistry@@QEAAJAEAKAEAPEAGAEAPEAE@Z +; protected: virtual long __cdecl Provider::EnumerateInstances(class MethodContext * __ptr64,long) __ptr64 +?EnumerateInstances@Provider@@MEAAJPEAVMethodContext@@J@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecMethod(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?ExecMethod@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAUIWbemClassObject@@PEAPEAU3@PEAPEAUIWbemCallResult@@@Z +; private: long __cdecl Provider::ExecMethod(struct ParsedObjectPath * __ptr64,unsigned short * __ptr64,long,class CInstance * __ptr64,class CInstance * __ptr64,class MethodContext * __ptr64) __ptr64 +?ExecMethod@Provider@@AEAAJPEAUParsedObjectPath@@PEAGJPEAVCInstance@@2PEAVMethodContext@@@Z +; protected: virtual long __cdecl Provider::ExecMethod(class CInstance const & __ptr64,unsigned short * __ptr64 const,class CInstance * __ptr64,class CInstance * __ptr64,long) __ptr64 +?ExecMethod@Provider@@MEAAJAEBVCInstance@@QEAGPEAV2@2J@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecMethodAsync(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemClassObject * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?ExecMethodAsync@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAUIWbemClassObject@@PEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecNotificationQuery(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IEnumWbemClassObject * __ptr64 * __ptr64) __ptr64 +?ExecNotificationQuery@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAPEAUIEnumWbemClassObject@@@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecNotificationQueryAsync(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?ExecNotificationQueryAsync@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecQuery(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IEnumWbemClassObject * __ptr64 * __ptr64) __ptr64 +?ExecQuery@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAPEAUIEnumWbemClassObject@@@Z +; protected: virtual long __cdecl Provider::ExecQuery(class MethodContext * __ptr64,class CFrameworkQuery & __ptr64,long) __ptr64 +?ExecQuery@Provider@@MEAAJPEAVMethodContext@@AEAVCFrameworkQuery@@J@Z +; public: virtual long __cdecl CWbemProviderGlue::ExecQueryAsync(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?ExecQueryAsync@CWbemProviderGlue@@UEAAJQEAG0JPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; private: long __cdecl Provider::ExecuteQuery(class MethodContext * __ptr64,class CFrameworkQuery & __ptr64,long) __ptr64 +?ExecuteQuery@Provider@@AEAAJPEAVMethodContext@@AEAVCFrameworkQuery@@J@Z +; public: static long __cdecl CWbemProviderGlue::FillInstance(class CInstance * __ptr64,unsigned short const * __ptr64) +?FillInstance@CWbemProviderGlue@@SAJPEAVCInstance@@PEBG@Z +; public: static long __cdecl CWbemProviderGlue::FillInstance(class MethodContext * __ptr64,class CInstance * __ptr64) +?FillInstance@CWbemProviderGlue@@SAJPEAVMethodContext@@PEAVCInstance@@@Z +; public: int __cdecl CHString::Find(unsigned short)const __ptr64 +?Find@CHString@@QEBAHG@Z +; public: int __cdecl CHString::Find(unsigned short const * __ptr64)const __ptr64 +?Find@CHString@@QEBAHPEBG@Z +; public: int __cdecl CHString::FindOneOf(unsigned short const * __ptr64)const __ptr64 +?FindOneOf@CHString@@QEBAHPEBG@Z +; protected: virtual void __cdecl Provider::Flush(void) __ptr64 +?Flush@Provider@@MEAAXXZ +; private: void __cdecl CWbemProviderGlue::FlushAll(void) __ptr64 +?FlushAll@CWbemProviderGlue@@AEAAXXZ +; public: void __cdecl CHString::Format(unsigned int,...) __ptr64 +?Format@CHString@@QEAAXIZZ +; public: void __cdecl CHString::Format(unsigned short const * __ptr64,...) __ptr64 +?Format@CHString@@QEAAXPEBGZZ +; public: void __cdecl CHString::FormatMessageW(unsigned int,...) __ptr64 +?FormatMessageW@CHString@@QEAAXIZZ +; public: void __cdecl CHString::FormatMessageW(unsigned short const * __ptr64,...) __ptr64 +?FormatMessageW@CHString@@QEAAXPEBGZZ +; public: void __cdecl CHString::FormatV(unsigned short const * __ptr64,char * __ptr64) __ptr64 +?FormatV@CHString@@QEAAXPEBGPEAD@Z +; public: static void __cdecl CWbemProviderGlue::FrameworkLogin(unsigned short const * __ptr64,class Provider * __ptr64,unsigned short const * __ptr64) +?FrameworkLogin@CWbemProviderGlue@@SAXPEBGPEAVProvider@@0@Z +; public: static int __cdecl CWbemProviderGlue::FrameworkLoginDLL(unsigned short const * __ptr64) +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPEBG@Z +; public: static int __cdecl CWbemProviderGlue::FrameworkLoginDLL(unsigned short const * __ptr64,long * __ptr64) +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPEBGPEAJ@Z +; public: static void __cdecl CWbemProviderGlue::FrameworkLogoff(unsigned short const * __ptr64,unsigned short const * __ptr64) +?FrameworkLogoff@CWbemProviderGlue@@SAXPEBG0@Z +; public: static int __cdecl CWbemProviderGlue::FrameworkLogoffDLL(unsigned short const * __ptr64) +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPEBG@Z +; public: static int __cdecl CWbemProviderGlue::FrameworkLogoffDLL(unsigned short const * __ptr64,long * __ptr64) +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPEBGPEAJ@Z +; public: void __cdecl CObjectPathParser::Free(struct ParsedObjectPath * __ptr64) __ptr64 +?Free@CObjectPathParser@@QEAAXPEAUParsedObjectPath@@@Z +; public: void __cdecl CHPtrArray::FreeExtra(void) __ptr64 +?FreeExtra@CHPtrArray@@QEAAXXZ +; public: void __cdecl CHString::FreeExtra(void) __ptr64 +?FreeExtra@CHString@@QEAAXXZ +; public: void __cdecl CHStringArray::FreeExtra(void) __ptr64 +?FreeExtra@CHStringArray@@QEAAXXZ +; public: int __cdecl CRegistrySearch::FreeSearchList(int,class CHPtrArray & __ptr64) __ptr64 +?FreeSearchList@CRegistrySearch@@QEAAHHAEAVCHPtrArray@@@Z +; public: static long __cdecl CWbemProviderGlue::GetAllDerivedInstances(unsigned short const * __ptr64,class TRefPointerCollection * __ptr64,class MethodContext * __ptr64,unsigned short const * __ptr64) +?GetAllDerivedInstances@CWbemProviderGlue@@SAJPEBGPEAV?$TRefPointerCollection@VCInstance@@@@PEAVMethodContext@@0@Z +; public: static long __cdecl CWbemProviderGlue::GetAllDerivedInstancesAsynch(unsigned short const * __ptr64,class Provider * __ptr64,long (__cdecl*)(class Provider * __ptr64,class CInstance * __ptr64,class MethodContext * __ptr64,void * __ptr64),unsigned short const * __ptr64,class MethodContext * __ptr64,void * __ptr64) +?GetAllDerivedInstancesAsynch@CWbemProviderGlue@@SAJPEBGPEAVProvider@@P6AJ1PEAVCInstance@@PEAVMethodContext@@PEAX@Z034@Z +; public: static long __cdecl CWbemProviderGlue::GetAllInstances(unsigned short const * __ptr64,class TRefPointerCollection * __ptr64,unsigned short const * __ptr64,class MethodContext * __ptr64) +?GetAllInstances@CWbemProviderGlue@@SAJPEBGPEAV?$TRefPointerCollection@VCInstance@@@@0PEAVMethodContext@@@Z +; public: static long __cdecl CWbemProviderGlue::GetAllInstancesAsynch(unsigned short const * __ptr64,class Provider * __ptr64,long (__cdecl*)(class Provider * __ptr64,class CInstance * __ptr64,class MethodContext * __ptr64,void * __ptr64),unsigned short const * __ptr64,class MethodContext * __ptr64,void * __ptr64) +?GetAllInstancesAsynch@CWbemProviderGlue@@SAJPEBGPEAVProvider@@P6AJ1PEAVCInstance@@PEAVMethodContext@@PEAX@Z034@Z +; public: int __cdecl CHString::GetAllocLength(void)const __ptr64 +?GetAllocLength@CHString@@QEBAHXZ +; public: void * __ptr64 __cdecl CHPtrArray::GetAt(int)const __ptr64 +?GetAt@CHPtrArray@@QEBAPEAXH@Z +; public: unsigned short __cdecl CHString::GetAt(int)const __ptr64 +?GetAt@CHString@@QEBAGH@Z +; public: class CHString __cdecl CHStringArray::GetAt(int)const __ptr64 +?GetAt@CHStringArray@@QEBA?AVCHString@@H@Z +; public: unsigned short * __ptr64 __cdecl WBEMTime::GetBSTR(void)const __ptr64 +?GetBSTR@WBEMTime@@QEBAPEAGXZ +; public: unsigned short * __ptr64 __cdecl WBEMTimeSpan::GetBSTR(void)const __ptr64 +?GetBSTR@WBEMTimeSpan@@QEBAPEAGXZ +; public: unsigned short * __ptr64 __cdecl CHString::GetBuffer(int) __ptr64 +?GetBuffer@CHString@@QEAAPEAGH@Z +; public: unsigned short * __ptr64 __cdecl CHString::GetBufferSetLength(int) __ptr64 +?GetBufferSetLength@CHString@@QEAAPEAGH@Z +; public: bool __cdecl CInstance::GetByte(unsigned short const * __ptr64,unsigned char & __ptr64)const __ptr64 +?GetByte@CInstance@@QEBA_NPEBGAEAE@Z +; public: bool __cdecl CInstance::GetCHString(unsigned short const * __ptr64,class CHString & __ptr64)const __ptr64 +?GetCHString@CInstance@@QEBA_NPEBGAEAVCHString@@@Z +; public: static unsigned short const * __ptr64 __cdecl CWbemProviderGlue::GetCSDVersion(void) +?GetCSDVersion@CWbemProviderGlue@@SAPEBGXZ +; public: unsigned short * __ptr64 __cdecl CRegistry::GetClassNameW(void) __ptr64 +?GetClassNameW@CRegistry@@QEAAPEAGXZ +; public: struct IWbemClassObject * __ptr64 __cdecl CInstance::GetClassObjectInterface(void) __ptr64 +?GetClassObjectInterface@CInstance@@QEAAPEAUIWbemClassObject@@XZ +; private: struct IWbemClassObject * __ptr64 __cdecl Provider::GetClassObjectInterface(class MethodContext * __ptr64) __ptr64 +?GetClassObjectInterface@Provider@@AEAAPEAUIWbemClassObject@@PEAVMethodContext@@@Z +; private: static void __cdecl CWbemProviderGlue::GetComputerNameW(class CHString & __ptr64) +?GetComputerNameW@CWbemProviderGlue@@CAXAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentBinaryKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?GetCurrentBinaryKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGPEAEPEAK@Z +; public: unsigned long __cdecl CRegistry::GetCurrentBinaryKeyValue(unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?GetCurrentBinaryKeyValue@CRegistry@@QEAAKPEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentBinaryKeyValue(unsigned short const * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?GetCurrentBinaryKeyValue@CRegistry@@QEAAKPEBGPEAEPEAK@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAK@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,class CHStringArray & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAVCHStringArray@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(unsigned short const * __ptr64,unsigned long & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAK@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentKeyValue(unsigned short const * __ptr64,class CHStringArray & __ptr64) __ptr64 +?GetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAVCHStringArray@@@Z +; private: unsigned long __cdecl CRegistry::GetCurrentRawKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,void * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetCurrentRawKeyValue@CRegistry@@AEAAKPEAUHKEY__@@PEBGPEAXPEAK3@Z +; private: unsigned long __cdecl CRegistry::GetCurrentRawSubKeyValue(unsigned short const * __ptr64,void * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetCurrentRawSubKeyValue@CRegistry@@AEAAKPEBGPEAXPEAK2@Z +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyCount(void) __ptr64 +?GetCurrentSubKeyCount@CRegistry@@QEAAKXZ +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyName(class CHString & __ptr64) __ptr64 +?GetCurrentSubKeyName@CRegistry@@QEAAKAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyPath(class CHString & __ptr64) __ptr64 +?GetCurrentSubKeyPath@CRegistry@@QEAAKAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyValue(unsigned short const * __ptr64,unsigned long & __ptr64) __ptr64 +?GetCurrentSubKeyValue@CRegistry@@QEAAKPEBGAEAK@Z +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyValue(unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?GetCurrentSubKeyValue@CRegistry@@QEAAKPEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::GetCurrentSubKeyValue(unsigned short const * __ptr64,void * __ptr64,unsigned long * __ptr64) __ptr64 +?GetCurrentSubKeyValue@CRegistry@@QEAAKPEBGPEAXPEAK@Z +; public: unsigned short * __ptr64 __cdecl WBEMTime::GetDMTF(int)const __ptr64 +?GetDMTF@WBEMTime@@QEBAPEAGH@Z +; public: unsigned short * __ptr64 __cdecl WBEMTime::GetDMTFNonNtfs(void)const __ptr64 +?GetDMTFNonNtfs@WBEMTime@@QEBAPEAGXZ +; public: bool __cdecl CInstance::GetDOUBLE(unsigned short const * __ptr64,double & __ptr64)const __ptr64 +?GetDOUBLE@CInstance@@QEBA_NPEBGAEAN@Z +; public: bool __cdecl CInstance::GetDWORD(unsigned short const * __ptr64,unsigned long & __ptr64)const __ptr64 +?GetDWORD@CInstance@@QEBA_NPEBGAEAK@Z +; public: void * __ptr64 * __ptr64 __cdecl CHPtrArray::GetData(void) __ptr64 +?GetData@CHPtrArray@@QEAAPEAPEAXXZ +; public: void const * __ptr64 * __ptr64 __cdecl CHPtrArray::GetData(void)const __ptr64 +?GetData@CHPtrArray@@QEBAPEAPEBXXZ +; protected: struct CHStringData * __ptr64 __cdecl CHString::GetData(void)const __ptr64 +?GetData@CHString@@IEBAPEAUCHStringData@@XZ +; public: class CHString * __ptr64 __cdecl CHStringArray::GetData(void) __ptr64 +?GetData@CHStringArray@@QEAAPEAVCHString@@XZ +; public: class CHString const * __ptr64 __cdecl CHStringArray::GetData(void)const __ptr64 +?GetData@CHStringArray@@QEBAPEBVCHString@@XZ +; public: bool __cdecl CInstance::GetDateTime(unsigned short const * __ptr64,class WBEMTime & __ptr64)const __ptr64 +?GetDateTime@CInstance@@QEBA_NPEBGAEAVWBEMTime@@@Z +; public: bool __cdecl CInstance::GetEmbeddedObject(unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,class MethodContext * __ptr64)const __ptr64 +?GetEmbeddedObject@CInstance@@QEBA_NPEBGPEAPEAV1@PEAVMethodContext@@@Z +; public: static long __cdecl CWbemProviderGlue::GetEmptyInstance(class MethodContext * __ptr64,unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,unsigned short const * __ptr64) +?GetEmptyInstance@CWbemProviderGlue@@SAJPEAVMethodContext@@PEBGPEAPEAVCInstance@@1@Z +; public: static long __cdecl CWbemProviderGlue::GetEmptyInstance(unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,unsigned short const * __ptr64) +?GetEmptyInstance@CWbemProviderGlue@@SAJPEBGPEAPEAVCInstance@@0@Z +; public: int __cdecl WBEMTime::GetFILETIME(struct _FILETIME * __ptr64)const __ptr64 +?GetFILETIME@WBEMTime@@QEBAHPEAU_FILETIME@@@Z +; public: int __cdecl WBEMTimeSpan::GetFILETIME(struct _FILETIME * __ptr64)const __ptr64 +?GetFILETIME@WBEMTimeSpan@@QEBAHPEAU_FILETIME@@@Z +; public: virtual struct IWbemContext * __ptr64 __cdecl MethodContext::GetIWBEMContext(void) __ptr64 +?GetIWBEMContext@MethodContext@@UEAAPEAUIWbemContext@@XZ +; public: static long __cdecl CWbemProviderGlue::GetInstanceByPath(unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,class MethodContext * __ptr64) +?GetInstanceByPath@CWbemProviderGlue@@SAJPEBGPEAPEAVCInstance@@PEAVMethodContext@@@Z +; private: static long __cdecl CWbemProviderGlue::GetInstanceFromCIMOM(unsigned short const * __ptr64,unsigned short const * __ptr64,class MethodContext * __ptr64,class CInstance * __ptr64 * __ptr64) +?GetInstanceFromCIMOM@CWbemProviderGlue@@CAJPEBG0PEAVMethodContext@@PEAPEAVCInstance@@@Z +; public: static long __cdecl CWbemProviderGlue::GetInstanceKeysByPath(unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,class MethodContext * __ptr64) +?GetInstanceKeysByPath@CWbemProviderGlue@@SAJPEBGPEAPEAVCInstance@@PEAVMethodContext@@@Z +; public: static long __cdecl CWbemProviderGlue::GetInstancePropertiesByPath(unsigned short const * __ptr64,class CInstance * __ptr64 * __ptr64,class MethodContext * __ptr64,class CHStringArray & __ptr64) +?GetInstancePropertiesByPath@CWbemProviderGlue@@SAJPEBGPEAPEAVCInstance@@PEAVMethodContext@@AEAVCHStringArray@@@Z +; public: static long __cdecl CWbemProviderGlue::GetInstancesByQuery(unsigned short const * __ptr64,class TRefPointerCollection * __ptr64,class MethodContext * __ptr64,unsigned short const * __ptr64) +?GetInstancesByQuery@CWbemProviderGlue@@SAJPEBGPEAV?$TRefPointerCollection@VCInstance@@@@PEAVMethodContext@@0@Z +; public: static long __cdecl CWbemProviderGlue::GetInstancesByQueryAsynch(unsigned short const * __ptr64,class Provider * __ptr64,long (__cdecl*)(class Provider * __ptr64,class CInstance * __ptr64,class MethodContext * __ptr64,void * __ptr64),unsigned short const * __ptr64,class MethodContext * __ptr64,void * __ptr64) +?GetInstancesByQueryAsynch@CWbemProviderGlue@@SAJPEBGPEAVProvider@@P6AJ1PEAVCInstance@@PEAVMethodContext@@PEAX@Z034@Z +; public: unsigned short * __ptr64 __cdecl ParsedObjectPath::GetKeyString(void) __ptr64 +?GetKeyString@ParsedObjectPath@@QEAAPEAGXZ +; public: int __cdecl CHString::GetLength(void)const __ptr64 +?GetLength@CHString@@QEBAHXZ +; protected: class CHString const & __ptr64 __cdecl Provider::GetLocalComputerName(void) __ptr64 +?GetLocalComputerName@Provider@@IEAAAEBVCHString@@XZ +; protected: bool __cdecl Provider::GetLocalInstancePath(class CInstance const * __ptr64,class CHString & __ptr64) __ptr64 +?GetLocalInstancePath@Provider@@IEAA_NPEBVCInstance@@AEAVCHString@@@Z +; public: static long __cdecl WBEMTime::GetLocalOffsetForDate(__int64 const & __ptr64) +?GetLocalOffsetForDate@WBEMTime@@SAJAEB_J@Z +; public: static long __cdecl WBEMTime::GetLocalOffsetForDate(struct _FILETIME const * __ptr64) +?GetLocalOffsetForDate@WBEMTime@@SAJPEBU_FILETIME@@@Z +; public: static long __cdecl WBEMTime::GetLocalOffsetForDate(struct _SYSTEMTIME const * __ptr64) +?GetLocalOffsetForDate@WBEMTime@@SAJPEBU_SYSTEMTIME@@@Z +; public: static long __cdecl WBEMTime::GetLocalOffsetForDate(struct tm const * __ptr64) +?GetLocalOffsetForDate@WBEMTime@@SAJPEBUtm@@@Z +; public: unsigned long __cdecl CRegistry::GetLongestClassStringSize(void) __ptr64 +?GetLongestClassStringSize@CRegistry@@QEAAKXZ +; public: unsigned long __cdecl CRegistry::GetLongestSubKeySize(void) __ptr64 +?GetLongestSubKeySize@CRegistry@@QEAAKXZ +; public: unsigned long __cdecl CRegistry::GetLongestValueData(void) __ptr64 +?GetLongestValueData@CRegistry@@QEAAKXZ +; public: unsigned long __cdecl CRegistry::GetLongestValueName(void) __ptr64 +?GetLongestValueName@CRegistry@@QEAAKXZ +; protected: static long * __ptr64 __cdecl CWbemProviderGlue::GetMapCountPtr(class CWbemGlueFactory const * __ptr64) +?GetMapCountPtr@CWbemProviderGlue@@KAPEAJPEBVCWbemGlueFactory@@@Z +; public: class MethodContext * __ptr64 __cdecl CInstance::GetMethodContext(void)const __ptr64 +?GetMethodContext@CInstance@@QEBAPEAVMethodContext@@XZ +; protected: class CHString const & __ptr64 __cdecl CFrameworkQuery::GetNamespace(void) __ptr64 +?GetNamespace@CFrameworkQuery@@IEAAAEBVCHString@@XZ +; protected: class CHString const & __ptr64 __cdecl Provider::GetNamespace(void) __ptr64 +?GetNamespace@Provider@@IEAAAEBVCHString@@XZ +; public: static struct IWbemServices * __ptr64 __cdecl CWbemProviderGlue::GetNamespaceConnection(unsigned short const * __ptr64) +?GetNamespaceConnection@CWbemProviderGlue@@SAPEAUIWbemServices@@PEBG@Z +; public: static struct IWbemServices * __ptr64 __cdecl CWbemProviderGlue::GetNamespaceConnection(unsigned short const * __ptr64,class MethodContext * __ptr64) +?GetNamespaceConnection@CWbemProviderGlue@@SAPEAUIWbemServices@@PEBGPEAVMethodContext@@@Z +; public: unsigned short * __ptr64 __cdecl ParsedObjectPath::GetNamespacePart(void) __ptr64 +?GetNamespacePart@ParsedObjectPath@@QEAAPEAGXZ +; public: static unsigned long __cdecl CWbemProviderGlue::GetOSMajorVersion(void) +?GetOSMajorVersion@CWbemProviderGlue@@SAKXZ +; public: virtual long __cdecl CWbemProviderGlue::GetObject(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?GetObject@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIWbemClassObject@@PEAPEAUIWbemCallResult@@@Z +; private: long __cdecl Provider::GetObject(struct ParsedObjectPath * __ptr64,class MethodContext * __ptr64,long) __ptr64 +?GetObject@Provider@@AEAAJPEAUParsedObjectPath@@PEAVMethodContext@@J@Z +; protected: virtual long __cdecl Provider::GetObject(class CInstance * __ptr64,long) __ptr64 +?GetObject@Provider@@MEAAJPEAVCInstance@@J@Z +; protected: virtual long __cdecl Provider::GetObject(class CInstance * __ptr64,long,class CFrameworkQuery & __ptr64) __ptr64 +?GetObject@Provider@@MEAAJPEAVCInstance@@JAEAVCFrameworkQuery@@@Z +; public: virtual long __cdecl CWbemProviderGlue::GetObjectAsync(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?GetObjectAsync@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: unsigned short * __ptr64 __cdecl ParsedObjectPath::GetParentNamespacePart(void) __ptr64 +?GetParentNamespacePart@ParsedObjectPath@@QEAAPEAGXZ +; public: static unsigned long __cdecl CWbemProviderGlue::GetPlatform(void) +?GetPlatform@CWbemProviderGlue@@SAKXZ +; public: void __cdecl CFrameworkQueryEx::GetPropertyBitMask(class CHPtrArray const & __ptr64,void * __ptr64) __ptr64 +?GetPropertyBitMask@CFrameworkQueryEx@@QEAAXAEBVCHPtrArray@@PEAX@Z +; private: class CWbemProviderGlue * __ptr64 __cdecl MethodContext::GetProviderGlue(void) __ptr64 +?GetProviderGlue@MethodContext@@AEAAPEAVCWbemProviderGlue@@XZ +; protected: class CHString const & __ptr64 __cdecl Provider::GetProviderName(void) __ptr64 +?GetProviderName@Provider@@IEAAAEBVCHString@@XZ +; public: class CHString const & __ptr64 __cdecl CFrameworkQuery::GetQuery(void) __ptr64 +?GetQuery@CFrameworkQuery@@QEAAAEBVCHString@@XZ +; public: unsigned short * __ptr64 __cdecl CFrameworkQuery::GetQueryClassName(void) __ptr64 +?GetQueryClassName@CFrameworkQuery@@QEAAPEAGXZ +; public: static unsigned short * __ptr64 __cdecl CObjectPathParser::GetRelativePath(unsigned short * __ptr64) +?GetRelativePath@CObjectPathParser@@SAPEAGPEAG@Z +; public: void __cdecl CFrameworkQuery::GetRequiredProperties(class CHStringArray & __ptr64) __ptr64 +?GetRequiredProperties@CFrameworkQuery@@QEAAXAEAVCHStringArray@@@Z +; public: int __cdecl WBEMTime::GetSYSTEMTIME(struct _SYSTEMTIME * __ptr64)const __ptr64 +?GetSYSTEMTIME@WBEMTime@@QEBAHPEAU_SYSTEMTIME@@@Z +; public: int __cdecl CHPtrArray::GetSize(void)const __ptr64 +?GetSize@CHPtrArray@@QEBAHXZ +; public: int __cdecl CHStringArray::GetSize(void)const __ptr64 +?GetSize@CHStringArray@@QEBAHXZ +; public: bool __cdecl CInstance::GetStatus(unsigned short const * __ptr64,bool & __ptr64,unsigned short & __ptr64)const __ptr64 +?GetStatus@CInstance@@QEBA_NPEBGAEA_NAEAG@Z +; private: static struct IWbemClassObject * __ptr64 __cdecl CWbemProviderGlue::GetStatusObject(class MethodContext * __ptr64,unsigned short const * __ptr64) +?GetStatusObject@CWbemProviderGlue@@CAPEAUIWbemClassObject@@PEAVMethodContext@@PEBG@Z +; public: struct IWbemClassObject * __ptr64 __cdecl MethodContext::GetStatusObject(void) __ptr64 +?GetStatusObject@MethodContext@@QEAAPEAUIWbemClassObject@@XZ +; public: bool __cdecl CInstance::GetStringArray(unsigned short const * __ptr64,struct tagSAFEARRAY * __ptr64 & __ptr64)const __ptr64 +?GetStringArray@CInstance@@QEBA_NPEBGAEAPEAUtagSAFEARRAY@@@Z +; public: int __cdecl WBEMTime::GetStructtm(struct tm * __ptr64)const __ptr64 +?GetStructtm@WBEMTime@@QEBAHPEAUtm@@@Z +; public: unsigned __int64 __cdecl WBEMTime::GetTime(void)const __ptr64 +?GetTime@WBEMTime@@QEBA_KXZ +; public: unsigned __int64 __cdecl WBEMTimeSpan::GetTime(void)const __ptr64 +?GetTime@WBEMTimeSpan@@QEBA_KXZ +; public: bool __cdecl CInstance::GetTimeSpan(unsigned short const * __ptr64,class WBEMTimeSpan & __ptr64)const __ptr64 +?GetTimeSpan@CInstance@@QEBA_NPEBGAEAVWBEMTimeSpan@@@Z +; public: int __cdecl CHPtrArray::GetUpperBound(void)const __ptr64 +?GetUpperBound@CHPtrArray@@QEBAHXZ +; public: int __cdecl CHStringArray::GetUpperBound(void)const __ptr64 +?GetUpperBound@CHStringArray@@QEBAHXZ +; public: unsigned long __cdecl CRegistry::GetValueCount(void) __ptr64 +?GetValueCount@CRegistry@@QEAAKXZ +; public: long __cdecl CFrameworkQuery::GetValuesForProp(unsigned short const * __ptr64,class std::vector > & __ptr64) __ptr64 +?GetValuesForProp@CFrameworkQuery@@QEAAJPEBGAEAV?$vector@V_bstr_t@@V?$allocator@V_bstr_t@@@std@@@std@@@Z +; public: long __cdecl CFrameworkQuery::GetValuesForProp(unsigned short const * __ptr64,class CHStringArray & __ptr64) __ptr64 +?GetValuesForProp@CFrameworkQuery@@QEAAJPEBGAEAVCHStringArray@@@Z +; public: long __cdecl CFrameworkQueryEx::GetValuesForProp(unsigned short const * __ptr64,class std::vector > & __ptr64) __ptr64 +?GetValuesForProp@CFrameworkQueryEx@@QEAAJPEBGAEAV?$vector@HV?$allocator@H@std@@@std@@@Z +; public: long __cdecl CFrameworkQueryEx::GetValuesForProp(unsigned short const * __ptr64,class std::vector > & __ptr64) __ptr64 +?GetValuesForProp@CFrameworkQueryEx@@QEAAJPEBGAEAV?$vector@V_variant_t@@V?$allocator@V_variant_t@@@std@@@std@@@Z +; public: bool __cdecl CInstance::GetVariant(unsigned short const * __ptr64,struct tagVARIANT & __ptr64)const __ptr64 +?GetVariant@CInstance@@QEBA_NPEBGAEAUtagVARIANT@@@Z +; public: bool __cdecl CInstance::GetWBEMINT16(unsigned short const * __ptr64,short & __ptr64)const __ptr64 +?GetWBEMINT16@CInstance@@QEBA_NPEBGAEAF@Z +; public: bool __cdecl CInstance::GetWBEMINT64(unsigned short const * __ptr64,class CHString & __ptr64)const __ptr64 +?GetWBEMINT64@CInstance@@QEBA_NPEBGAEAVCHString@@@Z +; public: bool __cdecl CInstance::GetWBEMINT64(unsigned short const * __ptr64,__int64 & __ptr64)const __ptr64 +?GetWBEMINT64@CInstance@@QEBA_NPEBGAEA_J@Z +; public: bool __cdecl CInstance::GetWBEMINT64(unsigned short const * __ptr64,unsigned __int64 & __ptr64)const __ptr64 +?GetWBEMINT64@CInstance@@QEBA_NPEBGAEA_K@Z +; public: bool __cdecl CInstance::GetWCHAR(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64)const __ptr64 +?GetWCHAR@CInstance@@QEBA_NPEBGPEAPEAG@Z +; public: bool __cdecl CInstance::GetWORD(unsigned short const * __ptr64,unsigned short & __ptr64)const __ptr64 +?GetWORD@CInstance@@QEBA_NPEBGAEAG@Z +; public: bool __cdecl CInstance::Getbool(unsigned short const * __ptr64,bool & __ptr64)const __ptr64 +?Getbool@CInstance@@QEBA_NPEBGAEA_N@Z +; public: struct HKEY__ * __ptr64 __cdecl CRegistry::GethKey(void) __ptr64 +?GethKey@CRegistry@@QEAAPEAUHKEY__@@XZ +; public: int __cdecl WBEMTime::Gettime_t(__int64 * __ptr64)const __ptr64 +?Gettime_t@WBEMTime@@QEBAHPEA_J@Z +; public: int __cdecl WBEMTimeSpan::Gettime_t(__int64 * __ptr64)const __ptr64 +?Gettime_t@WBEMTimeSpan@@QEBAHPEA_J@Z +; protected: static long __cdecl CWbemProviderGlue::IncrementMapCount(long * __ptr64) +?IncrementMapCount@CWbemProviderGlue@@KAJPEAJ@Z +; protected: static long __cdecl CWbemProviderGlue::IncrementMapCount(class CWbemGlueFactory const * __ptr64) +?IncrementMapCount@CWbemProviderGlue@@KAJPEBVCWbemGlueFactory@@@Z +; public: static void __cdecl CWbemProviderGlue::IncrementObjectCount(void) +?IncrementObjectCount@CWbemProviderGlue@@SAXXZ +; public: void __cdecl CFrameworkQuery::Init2(struct IWbemClassObject * __ptr64) __ptr64 +?Init2@CFrameworkQuery@@QEAAXPEAUIWbemClassObject@@@Z +; public: long __cdecl CFrameworkQuery::Init(struct ParsedObjectPath * __ptr64,struct IWbemContext * __ptr64,unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?Init@CFrameworkQuery@@QEAAJPEAUParsedObjectPath@@PEAUIWbemContext@@PEBGAEAVCHString@@@Z +; public: long __cdecl CFrameworkQuery::Init(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,class CHString & __ptr64) __ptr64 +?Init@CFrameworkQuery@@QEAAJQEAG0JAEAVCHString@@@Z +; protected: void __cdecl CHString::Init(void) __ptr64 +?Init@CHString@@IEAAXXZ +; private: static void __cdecl CWbemProviderGlue::Init(void) +?Init@CWbemProviderGlue@@CAXXZ +; private: static void __cdecl Provider::InitComputerName(void) +?InitComputerName@Provider@@CAXXZ +; public: virtual long __cdecl CFrameworkQueryEx::InitEx(unsigned short * __ptr64 const,unsigned short * __ptr64 const,long,class CHString & __ptr64) __ptr64 +?InitEx@CFrameworkQueryEx@@UEAAJQEAG0JAEAVCHString@@@Z +; public: virtual long __cdecl CWbemProviderGlue::Initialize(unsigned short * __ptr64,long,unsigned short * __ptr64,unsigned short * __ptr64,struct IWbemServices * __ptr64,struct IWbemContext * __ptr64,struct IWbemProviderInitSink * __ptr64) __ptr64 +?Initialize@CWbemProviderGlue@@UEAAJPEAGJ00PEAUIWbemServices@@PEAUIWbemContext@@PEAUIWbemProviderInitSink@@@Z +; public: void __cdecl CHPtrArray::InsertAt(int,class CHPtrArray * __ptr64) __ptr64 +?InsertAt@CHPtrArray@@QEAAXHPEAV1@@Z +; public: void __cdecl CHPtrArray::InsertAt(int,void * __ptr64,int) __ptr64 +?InsertAt@CHPtrArray@@QEAAXHPEAXH@Z +; public: void __cdecl CHStringArray::InsertAt(int,class CHStringArray * __ptr64) __ptr64 +?InsertAt@CHStringArray@@QEAAXHPEAV1@@Z +; public: void __cdecl CHStringArray::InsertAt(int,unsigned short const * __ptr64,int) __ptr64 +?InsertAt@CHStringArray@@QEAAXHPEBGH@Z +; private: struct IWbemServices * __ptr64 __cdecl CWbemProviderGlue::InternalGetNamespaceConnection(unsigned short const * __ptr64) __ptr64 +?InternalGetNamespaceConnection@CWbemProviderGlue@@AEAAPEAUIWbemServices@@PEBG@Z +; public: int __cdecl CFrameworkQueryEx::Is3TokenOR(unsigned short const * __ptr64,unsigned short const * __ptr64,struct tagVARIANT & __ptr64,struct tagVARIANT & __ptr64) __ptr64 +?Is3TokenOR@CFrameworkQueryEx@@QEAAHPEBG0AEAUtagVARIANT@@1@Z +; public: int __cdecl ParsedObjectPath::IsClass(void) __ptr64 +?IsClass@ParsedObjectPath@@QEAAHXZ +; public: static bool __cdecl CWbemProviderGlue::IsDerivedFrom(unsigned short const * __ptr64,unsigned short const * __ptr64,class MethodContext * __ptr64,unsigned short const * __ptr64) +?IsDerivedFrom@CWbemProviderGlue@@SA_NPEBG0PEAVMethodContext@@0@Z +; public: int __cdecl CHString::IsEmpty(void)const __ptr64 +?IsEmpty@CHString@@QEBAHXZ +; public: virtual bool __cdecl CFrameworkQueryEx::IsExtended(void) __ptr64 +?IsExtended@CFrameworkQueryEx@@UEAA_NXZ +; protected: unsigned long __cdecl CFrameworkQuery::IsInList(class CHStringArray const & __ptr64,unsigned short const * __ptr64) __ptr64 +?IsInList@CFrameworkQuery@@IEAAKAEBVCHStringArray@@PEBG@Z +; public: int __cdecl ParsedObjectPath::IsInstance(void) __ptr64 +?IsInstance@ParsedObjectPath@@QEAAHXZ +; public: int __cdecl ParsedObjectPath::IsLocal(unsigned short const * __ptr64) __ptr64 +?IsLocal@ParsedObjectPath@@QEAAHPEBG@Z +; public: enum ProviderLog::LogLevel __cdecl ProviderLog::IsLoggingOn(class CHString * __ptr64) __ptr64 +?IsLoggingOn@ProviderLog@@QEAA?AW4LogLevel@1@PEAVCHString@@@Z +; public: int __cdecl CFrameworkQueryEx::IsNTokenAnd(class CHStringArray & __ptr64,class CHPtrArray & __ptr64) __ptr64 +?IsNTokenAnd@CFrameworkQueryEx@@QEAAHAEAVCHStringArray@@AEAVCHPtrArray@@@Z +; public: bool __cdecl CInstance::IsNull(unsigned short const * __ptr64)const __ptr64 +?IsNull@CInstance@@QEBA_NPEBG@Z +; public: int __cdecl ParsedObjectPath::IsObject(void) __ptr64 +?IsObject@ParsedObjectPath@@QEAAHXZ +; public: bool __cdecl WBEMTime::IsOk(void)const __ptr64 +?IsOk@WBEMTime@@QEBA_NXZ +; public: bool __cdecl WBEMTimeSpan::IsOk(void)const __ptr64 +?IsOk@WBEMTimeSpan@@QEBA_NXZ +; public: bool __cdecl CFrameworkQuery::IsPropertyRequired(unsigned short const * __ptr64) __ptr64 +?IsPropertyRequired@CFrameworkQuery@@QEAA_NPEBG@Z +; protected: int __cdecl CFrameworkQuery::IsReference(unsigned short const * __ptr64) __ptr64 +?IsReference@CFrameworkQuery@@IEAAHPEBG@Z +; public: int __cdecl ParsedObjectPath::IsRelative(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?IsRelative@ParsedObjectPath@@QEAAHPEBG0@Z +; public: bool __cdecl CFrameworkQuery::KeysOnly(void) __ptr64 +?KeysOnly@CFrameworkQuery@@QEAA_NXZ +; public: class CHString __cdecl CHString::Left(int)const __ptr64 +?Left@CHString@@QEBA?AV1@H@Z +; protected: int __cdecl CHString::LoadStringW(unsigned int,unsigned short * __ptr64,unsigned int) __ptr64 +?LoadStringW@CHString@@IEAAHIPEAGI@Z +; public: int __cdecl CHString::LoadStringW(unsigned int) __ptr64 +?LoadStringW@CHString@@QEAAHI@Z +; public: void __cdecl ProviderLog::LocalLogMessage(unsigned short const * __ptr64,unsigned short const * __ptr64,int,enum ProviderLog::LogLevel) __ptr64 +?LocalLogMessage@ProviderLog@@QEAAXPEBG0HW4LogLevel@1@@Z +; public: void __cdecl ProviderLog::LocalLogMessage(unsigned short const * __ptr64,int,enum ProviderLog::LogLevel,unsigned short const * __ptr64,...) __ptr64 +?LocalLogMessage@ProviderLog@@QEAAXPEBGHW4LogLevel@1@0ZZ +; public: int __cdecl CRegistrySearch::LocateKeyByNameOrValueName(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64 * __ptr64,unsigned long,class CHString & __ptr64,class CHString & __ptr64) __ptr64 +?LocateKeyByNameOrValueName@CRegistrySearch@@QEAAHPEAUHKEY__@@PEBG1PEAPEBGKAEAVCHString@@3@Z +; private: void __cdecl CThreadBase::Lock(void) __ptr64 +?Lock@CThreadBase@@AEAAXXZ +; public: unsigned short * __ptr64 __cdecl CHString::LockBuffer(void) __ptr64 +?LockBuffer@CHString@@QEAAPEAGXZ +; private: static void __cdecl CWbemProviderGlue::LockFactoryMap(void) +?LockFactoryMap@CWbemProviderGlue@@CAXXZ +; private: static void __cdecl CWbemProviderGlue::LockProviderMap(void) +?LockProviderMap@CWbemProviderGlue@@CAXXZ +; public: virtual long __cdecl CWbemGlueFactory::LockServer(int) __ptr64 +?LockServer@CWbemGlueFactory@@UEAAJH@Z +; protected: void __cdecl CInstance::LogError(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,long)const __ptr64 +?LogError@CInstance@@IEBAXPEBG00J@Z +; protected: class CHString __cdecl Provider::MakeLocalPath(class CHString const & __ptr64) __ptr64 +?MakeLocalPath@Provider@@IEAA?AVCHString@@AEBV2@@Z +; public: void __cdecl CHString::MakeLower(void) __ptr64 +?MakeLower@CHString@@QEAAXXZ +; public: void __cdecl CHString::MakeReverse(void) __ptr64 +?MakeReverse@CHString@@QEAAXXZ +; public: void __cdecl CHString::MakeUpper(void) __ptr64 +?MakeUpper@CHString@@QEAAXXZ +; public: class CHString __cdecl CHString::Mid(int)const __ptr64 +?Mid@CHString@@QEBA?AV1@H@Z +; public: class CHString __cdecl CHString::Mid(int,int)const __ptr64 +?Mid@CHString@@QEBA?AV1@HH@Z +; private: static __int64 __cdecl CWinMsgEvent::MsgWndProc(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?MsgWndProc@CWinMsgEvent@@CA_JPEAUHWND__@@I_K_J@Z +; public: unsigned long __cdecl CRegistry::NextSubKey(void) __ptr64 +?NextSubKey@CRegistry@@QEAAKXZ +; private: int __cdecl CObjectPathParser::NextToken(void) __ptr64 +?NextToken@CObjectPathParser@@AEAAHXZ +; unsigned long __cdecl NormalizePath(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long,class CHString & __ptr64) +?NormalizePath@@YAKPEBG00KAEAVCHString@@@Z +; private: long __cdecl CWbemProviderGlue::NullOutUnsetProperties(struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct tagVARIANT const & __ptr64) __ptr64 +?NullOutUnsetProperties@CWbemProviderGlue@@AEAAJPEAUIWbemClassObject@@PEAPEAU2@AEBUtagVARIANT@@@Z +; protected: virtual void __cdecl CThreadBase::OnFinalRelease(void) __ptr64 +?OnFinalRelease@CThreadBase@@MEAAXXZ +; public: long __cdecl CRegistry::Open(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +?Open@CRegistry@@QEAAJPEAUHKEY__@@PEBGK@Z +; public: long __cdecl CRegistry::OpenAndEnumerateSubKeys(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +?OpenAndEnumerateSubKeys@CRegistry@@QEAAJPEAUHKEY__@@PEBGK@Z +; public: unsigned long __cdecl CRegistry::OpenCurrentUser(unsigned short const * __ptr64,unsigned long) __ptr64 +?OpenCurrentUser@CRegistry@@QEAAKPEBGK@Z +; public: long __cdecl CRegistry::OpenLocalMachineKeyAndReadValue(unsigned short const * __ptr64,unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?OpenLocalMachineKeyAndReadValue@CRegistry@@QEAAJPEBG0AEAVCHString@@@Z +; public: virtual long __cdecl CWbemProviderGlue::OpenNamespace(unsigned short * __ptr64 const,long,struct IWbemContext * __ptr64,struct IWbemServices * __ptr64 * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?OpenNamespace@CWbemProviderGlue@@UEAAJQEAGJPEAUIWbemContext@@PEAPEAUIWbemServices@@PEAPEAUIWbemCallResult@@@Z +; private: unsigned long __cdecl CRegistry::OpenSubKey(void) __ptr64 +?OpenSubKey@CRegistry@@AEAAKXZ +; public: int __cdecl CObjectPathParser::Parse(unsigned short const * __ptr64,struct ParsedObjectPath * __ptr64 * __ptr64) __ptr64 +?Parse@CObjectPathParser@@QEAAHPEBGPEAPEAUParsedObjectPath@@@Z +; private: long __cdecl CWbemProviderGlue::PreProcessPutInstanceParms(struct IWbemClassObject * __ptr64,struct IWbemClassObject * __ptr64 * __ptr64,struct IWbemContext * __ptr64) __ptr64 +?PreProcessPutInstanceParms@CWbemProviderGlue@@AEAAJPEAUIWbemClassObject@@PEAPEAU2@PEAUIWbemContext@@@Z +; private: void __cdecl CRegistry::PrepareToReOpen(void) __ptr64 +?PrepareToReOpen@CRegistry@@AEAAXXZ +; public: virtual long __cdecl CWbemProviderGlue::PutClass(struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?PutClass@CWbemProviderGlue@@UEAAJPEAUIWbemClassObject@@JPEAUIWbemContext@@PEAPEAUIWbemCallResult@@@Z +; public: virtual long __cdecl CWbemProviderGlue::PutClassAsync(struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?PutClassAsync@CWbemProviderGlue@@UEAAJPEAUIWbemClassObject@@JPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemProviderGlue::PutInstance(struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,struct IWbemCallResult * __ptr64 * __ptr64) __ptr64 +?PutInstance@CWbemProviderGlue@@UEAAJPEAUIWbemClassObject@@JPEAUIWbemContext@@PEAPEAUIWbemCallResult@@@Z +; private: long __cdecl Provider::PutInstance(struct IWbemClassObject * __ptr64,long,class MethodContext * __ptr64) __ptr64 +?PutInstance@Provider@@AEAAJPEAUIWbemClassObject@@JPEAVMethodContext@@@Z +; protected: virtual long __cdecl Provider::PutInstance(class CInstance const & __ptr64,long) __ptr64 +?PutInstance@Provider@@MEAAJAEBVCInstance@@J@Z +; public: virtual long __cdecl CWbemProviderGlue::PutInstanceAsync(struct IWbemClassObject * __ptr64,long,struct IWbemContext * __ptr64,struct IWbemObjectSink * __ptr64) __ptr64 +?PutInstanceAsync@CWbemProviderGlue@@UEAAJPEAUIWbemClassObject@@JPEAUIWbemContext@@PEAUIWbemObjectSink@@@Z +; public: virtual long __cdecl CWbemGlueFactory::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CWbemGlueFactory@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemProviderGlue::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@CWbemProviderGlue@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: virtual long __cdecl CWbemProviderGlue::QueryObjectSink(long,struct IWbemObjectSink * __ptr64 * __ptr64) __ptr64 +?QueryObjectSink@CWbemProviderGlue@@UEAAJJPEAPEAUIWbemObjectSink@@@Z +; public: virtual void __cdecl MethodContext::QueryPostProcess(void) __ptr64 +?QueryPostProcess@MethodContext@@UEAAXXZ +; protected: void __cdecl CWinMsgEvent::RegisterForMessage(unsigned int) __ptr64 +?RegisterForMessage@CWinMsgEvent@@IEAAXI@Z +; protected: void __cdecl CHString::Release(void) __ptr64 +?Release@CHString@@IEAAXXZ +; protected: static void __cdecl CHString::Release(struct CHStringData * __ptr64) +?Release@CHString@@KAXPEAUCHStringData@@@Z +; public: long __cdecl CInstance::Release(void) __ptr64 +?Release@CInstance@@QEAAJXZ +; public: long __cdecl CThreadBase::Release(void) __ptr64 +?Release@CThreadBase@@QEAAJXZ +; public: virtual unsigned long __cdecl CWbemGlueFactory::Release(void) __ptr64 +?Release@CWbemGlueFactory@@UEAAKXZ +; public: virtual unsigned long __cdecl CWbemProviderGlue::Release(void) __ptr64 +?Release@CWbemProviderGlue@@UEAAKXZ +; public: long __cdecl MethodContext::Release(void) __ptr64 +?Release@MethodContext@@QEAAJXZ +; public: void __cdecl CHString::ReleaseBuffer(int) __ptr64 +?ReleaseBuffer@CHString@@QEAAXH@Z +; public: void __cdecl CHPtrArray::RemoveAll(void) __ptr64 +?RemoveAll@CHPtrArray@@QEAAXXZ +; public: void __cdecl CHStringArray::RemoveAll(void) __ptr64 +?RemoveAll@CHStringArray@@QEAAXXZ +; public: void __cdecl CHPtrArray::RemoveAt(int,int) __ptr64 +?RemoveAt@CHPtrArray@@QEAAXHH@Z +; public: void __cdecl CHStringArray::RemoveAt(int,int) __ptr64 +?RemoveAt@CHStringArray@@QEAAXHH@Z +; protected: static void __cdecl CWbemProviderGlue::RemoveFromFactoryMap(class CWbemGlueFactory const * __ptr64) +?RemoveFromFactoryMap@CWbemProviderGlue@@KAXPEBVCWbemGlueFactory@@@Z +; private: void __cdecl CFrameworkQuery::Reset(void) __ptr64 +?Reset@CFrameworkQuery@@AEAAXXZ +; public: int __cdecl CHString::ReverseFind(unsigned short)const __ptr64 +?ReverseFind@CHString@@QEBAHG@Z +; public: void __cdecl CRegistry::RewindSubKeys(void) __ptr64 +?RewindSubKeys@CRegistry@@QEAAXXZ +; public: class CHString __cdecl CHString::Right(int)const __ptr64 +?Right@CHString@@QEBA?AV1@H@Z +; protected: static int __cdecl CHString::SafeStrlen(unsigned short const * __ptr64) +?SafeStrlen@CHString@@KAHPEBG@Z +; public: int __cdecl CRegistrySearch::SearchAndBuildList(class CHString,class CHPtrArray & __ptr64,class CHString,class CHString,int,struct HKEY__ * __ptr64) __ptr64 +?SearchAndBuildList@CRegistrySearch@@QEAAHVCHString@@AEAVCHPtrArray@@00HPEAUHKEY__@@@Z +; private: static class Provider * __ptr64 __cdecl CWbemProviderGlue::SearchMapForProvider(unsigned short const * __ptr64,unsigned short const * __ptr64) +?SearchMapForProvider@CWbemProviderGlue@@CAPEAVProvider@@PEBG0@Z +; public: void __cdecl CHPtrArray::SetAt(int,void * __ptr64) __ptr64 +?SetAt@CHPtrArray@@QEAAXHPEAX@Z +; public: void __cdecl CHString::SetAt(int,unsigned short) __ptr64 +?SetAt@CHString@@QEAAXHG@Z +; public: void __cdecl CHStringArray::SetAt(int,unsigned short const * __ptr64) __ptr64 +?SetAt@CHStringArray@@QEAAXHPEBG@Z +; public: void __cdecl CHPtrArray::SetAtGrow(int,void * __ptr64) __ptr64 +?SetAtGrow@CHPtrArray@@QEAAXHPEAX@Z +; public: void __cdecl CHStringArray::SetAtGrow(int,unsigned short const * __ptr64) __ptr64 +?SetAtGrow@CHStringArray@@QEAAXHPEBG@Z +; public: bool __cdecl CInstance::SetByte(unsigned short const * __ptr64,unsigned char) __ptr64 +?SetByte@CInstance@@QEAA_NPEBGE@Z +; public: bool __cdecl CInstance::SetCHString(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetCHString@CInstance@@QEAA_NPEBG0@Z +; public: bool __cdecl CInstance::SetCHString(unsigned short const * __ptr64,class CHString const & __ptr64) __ptr64 +?SetCHString@CInstance@@QEAA_NPEBGAEBVCHString@@@Z +; public: bool __cdecl CInstance::SetCHString(unsigned short const * __ptr64,char const * __ptr64) __ptr64 +?SetCHString@CInstance@@QEAA_NPEBGPEBD@Z +; void __cdecl SetCHStringResourceHandle(struct HINSTANCE__ * __ptr64) +?SetCHStringResourceHandle@@YAXPEAUHINSTANCE__@@@Z +; public: bool __cdecl CInstance::SetCharSplat(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetCharSplat@CInstance@@QEAA_NPEBG0@Z +; public: bool __cdecl CInstance::SetCharSplat(unsigned short const * __ptr64,unsigned long) __ptr64 +?SetCharSplat@CInstance@@QEAA_NPEBGK@Z +; public: bool __cdecl CInstance::SetCharSplat(unsigned short const * __ptr64,char const * __ptr64) __ptr64 +?SetCharSplat@CInstance@@QEAA_NPEBGPEBD@Z +; public: int __cdecl ParsedObjectPath::SetClassName(unsigned short const * __ptr64) __ptr64 +?SetClassName@ParsedObjectPath@@QEAAHPEBG@Z +; protected: bool __cdecl Provider::SetCreationClassName(class CInstance * __ptr64) __ptr64 +?SetCreationClassName@Provider@@IEAA_NPEAVCInstance@@@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAK@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64,class CHStringArray & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAVCHStringArray@@@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(unsigned short const * __ptr64,unsigned long & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAK@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAVCHString@@@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValue(unsigned short const * __ptr64,class CHStringArray & __ptr64) __ptr64 +?SetCurrentKeyValue@CRegistry@@QEAAKPEBGAEAVCHStringArray@@@Z +; public: unsigned long __cdecl CRegistry::SetCurrentKeyValueExpand(struct HKEY__ * __ptr64,unsigned short const * __ptr64,class CHString & __ptr64) __ptr64 +?SetCurrentKeyValueExpand@CRegistry@@QEAAKPEAUHKEY__@@PEBGAEAVCHString@@@Z +; public: int __cdecl WBEMTime::SetDMTF(unsigned short * __ptr64 const) __ptr64 +?SetDMTF@WBEMTime@@QEAAHQEAG@Z +; public: bool __cdecl CInstance::SetDOUBLE(unsigned short const * __ptr64,double) __ptr64 +?SetDOUBLE@CInstance@@QEAA_NPEBGN@Z +; public: bool __cdecl CInstance::SetDWORD(unsigned short const * __ptr64,unsigned long) __ptr64 +?SetDWORD@CInstance@@QEAA_NPEBGK@Z +; public: bool __cdecl CInstance::SetDateTime(unsigned short const * __ptr64,class WBEMTime const & __ptr64) __ptr64 +?SetDateTime@CInstance@@QEAA_NPEBGAEBVWBEMTime@@@Z +; private: void __cdecl CRegistry::SetDefaultValues(void) __ptr64 +?SetDefaultValues@CRegistry@@AEAAXXZ +; public: bool __cdecl CInstance::SetEmbeddedObject(unsigned short const * __ptr64,class CInstance & __ptr64) __ptr64 +?SetEmbeddedObject@CInstance@@QEAA_NPEBGAEAV1@@Z +; private: int __cdecl Provider::SetKeyFromParsedObjectPath(class CInstance * __ptr64,struct ParsedObjectPath * __ptr64) __ptr64 +?SetKeyFromParsedObjectPath@Provider@@AEAAHPEAVCInstance@@PEAUParsedObjectPath@@@Z +; public: bool __cdecl CInstance::SetNull(unsigned short const * __ptr64) __ptr64 +?SetNull@CInstance@@QEAA_NPEBG@Z +; private: static int __cdecl CRegistry::SetPlatformID(void) +?SetPlatformID@CRegistry@@CAHXZ +; public: void __cdecl CHPtrArray::SetSize(int,int) __ptr64 +?SetSize@CHPtrArray@@QEAAXHH@Z +; public: void __cdecl CHStringArray::SetSize(int,int) __ptr64 +?SetSize@CHStringArray@@QEAAXHH@Z +; public: static bool __cdecl CWbemProviderGlue::SetStatusObject(class MethodContext * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,long,struct tagSAFEARRAY const * __ptr64,struct tagSAFEARRAY const * __ptr64) +?SetStatusObject@CWbemProviderGlue@@SA_NPEAVMethodContext@@PEBG1JPEBUtagSAFEARRAY@@2@Z +; public: bool __cdecl MethodContext::SetStatusObject(struct IWbemClassObject * __ptr64) __ptr64 +?SetStatusObject@MethodContext@@QEAA_NPEAUIWbemClassObject@@@Z +; public: bool __cdecl CInstance::SetStringArray(unsigned short const * __ptr64,struct tagSAFEARRAY const & __ptr64) __ptr64 +?SetStringArray@CInstance@@QEAA_NPEBGAEBUtagSAFEARRAY@@@Z +; public: bool __cdecl CInstance::SetTimeSpan(unsigned short const * __ptr64,class WBEMTimeSpan const & __ptr64) __ptr64 +?SetTimeSpan@CInstance@@QEAA_NPEBGAEBVWBEMTimeSpan@@@Z +; public: bool __cdecl CInstance::SetVariant(unsigned short const * __ptr64,struct tagVARIANT const & __ptr64) __ptr64 +?SetVariant@CInstance@@QEAA_NPEBGAEBUtagVARIANT@@@Z +; public: bool __cdecl CInstance::SetWBEMINT16(unsigned short const * __ptr64,short const & __ptr64) __ptr64 +?SetWBEMINT16@CInstance@@QEAA_NPEBGAEBF@Z +; public: bool __cdecl CInstance::SetWBEMINT64(unsigned short const * __ptr64,class CHString const & __ptr64) __ptr64 +?SetWBEMINT64@CInstance@@QEAA_NPEBGAEBVCHString@@@Z +; public: bool __cdecl CInstance::SetWBEMINT64(unsigned short const * __ptr64,__int64) __ptr64 +?SetWBEMINT64@CInstance@@QEAA_NPEBG_J@Z +; public: bool __cdecl CInstance::SetWBEMINT64(unsigned short const * __ptr64,unsigned __int64) __ptr64 +?SetWBEMINT64@CInstance@@QEAA_NPEBG_K@Z +; public: bool __cdecl CInstance::SetWCHARSplat(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetWCHARSplat@CInstance@@QEAA_NPEBG0@Z +; public: bool __cdecl CInstance::SetWORD(unsigned short const * __ptr64,unsigned short) __ptr64 +?SetWORD@CInstance@@QEAA_NPEBGG@Z +; public: bool __cdecl CInstance::Setbool(unsigned short const * __ptr64,bool) __ptr64 +?Setbool@CInstance@@QEAA_NPEBG_N@Z +; public: int __cdecl CAutoEvent::Signal(void) __ptr64 +?Signal@CAutoEvent@@QEAAHXZ +; public: class CHString __cdecl CHString::SpanExcluding(unsigned short const * __ptr64)const __ptr64 +?SpanExcluding@CHString@@QEBA?AV1@PEBG@Z +; public: class CHString __cdecl CHString::SpanIncluding(unsigned short const * __ptr64)const __ptr64 +?SpanIncluding@CHString@@QEBA?AV1@PEBG@Z +; public: void __cdecl CHString::TrimLeft(void) __ptr64 +?TrimLeft@CHString@@QEAAXXZ +; public: void __cdecl CHString::TrimRight(void) __ptr64 +?TrimRight@CHString@@QEAAXXZ +; private: static void __cdecl CWbemProviderGlue::UnInit(void) +?UnInit@CWbemProviderGlue@@CAXXZ +; protected: void __cdecl CWinMsgEvent::UnRegisterAllMessages(void) __ptr64 +?UnRegisterAllMessages@CWinMsgEvent@@IEAAXXZ +; protected: bool __cdecl CWinMsgEvent::UnRegisterMessage(unsigned int) __ptr64 +?UnRegisterMessage@CWinMsgEvent@@IEAA_NI@Z +; private: void __cdecl CThreadBase::Unlock(void) __ptr64 +?Unlock@CThreadBase@@AEAAXXZ +; public: void __cdecl CHString::UnlockBuffer(void) __ptr64 +?UnlockBuffer@CHString@@QEAAXXZ +; private: static void __cdecl CWbemProviderGlue::UnlockFactoryMap(void) +?UnlockFactoryMap@CWbemProviderGlue@@CAXXZ +; private: static void __cdecl CWbemProviderGlue::UnlockProviderMap(void) +?UnlockProviderMap@CWbemProviderGlue@@CAXXZ +; public: static int __cdecl CObjectPathParser::Unparse(struct ParsedObjectPath * __ptr64,unsigned short * __ptr64 * __ptr64) +?Unparse@CObjectPathParser@@SAHPEAUParsedObjectPath@@PEAPEAG@Z +; protected: virtual long __cdecl Provider::ValidateDeletionFlags(long) __ptr64 +?ValidateDeletionFlags@Provider@@MEAAJJ@Z +; protected: virtual long __cdecl Provider::ValidateEnumerationFlags(long) __ptr64 +?ValidateEnumerationFlags@Provider@@MEAAJJ@Z +; protected: long __cdecl Provider::ValidateFlags(long,enum Provider::FlagDefs) __ptr64 +?ValidateFlags@Provider@@IEAAJJW4FlagDefs@1@@Z +; protected: virtual long __cdecl Provider::ValidateGetObjFlags(long) __ptr64 +?ValidateGetObjFlags@Provider@@MEAAJJ@Z +; private: int __cdecl Provider::ValidateIMOSPointer(void) __ptr64 +?ValidateIMOSPointer@Provider@@AEAAHXZ +; protected: virtual long __cdecl Provider::ValidateMethodFlags(long) __ptr64 +?ValidateMethodFlags@Provider@@MEAAJJ@Z +; protected: virtual long __cdecl Provider::ValidatePutInstanceFlags(long) __ptr64 +?ValidatePutInstanceFlags@Provider@@MEAAJJ@Z +; protected: virtual long __cdecl Provider::ValidateQueryFlags(long) __ptr64 +?ValidateQueryFlags@Provider@@MEAAJJ@Z +; public: unsigned long __cdecl CAutoEvent::Wait(unsigned long) __ptr64 +?Wait@CAutoEvent@@QEAAKK@Z +; private: static void __cdecl CWinMsgEvent::WindowsDispatch(void) +?WindowsDispatch@CWinMsgEvent@@CAXXZ +; private: void __cdecl CObjectPathParser::Zero(void) __ptr64 +?Zero@CObjectPathParser@@AEAAXXZ +; private: int __cdecl CObjectPathParser::begin_parse(void) __ptr64 +?begin_parse@CObjectPathParser@@AEAAHXZ +; class ProviderLog captainsLog +?captainsLog@@3VProviderLog@@A DATA +; private: static unsigned long __cdecl CWinMsgEvent::dwThreadProc(void * __ptr64) +?dwThreadProc@CWinMsgEvent@@CAKPEAX@Z +; class CCritSec g_cs +?g_cs@@3VCCritSec@@A DATA +; private: int __cdecl CObjectPathParser::ident_becomes_class(void) __ptr64 +?ident_becomes_class@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::ident_becomes_ns(void) __ptr64 +?ident_becomes_ns@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::key_const(void) __ptr64 +?key_const@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::keyref(void) __ptr64 +?keyref@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::keyref_list(void) __ptr64 +?keyref_list@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::keyref_term(void) __ptr64 +?keyref_term@CObjectPathParser@@AEAAHXZ +; private: static class std::set,class std::allocator > CWbemProviderGlue::m_FlushPtrs +?m_FlushPtrs@CWbemProviderGlue@@0V?$set@PEAXU?$less@PEAX@std@@V?$allocator@PEAX@2@@std@@A DATA +; private: static class CCritSec CWbemProviderGlue::m_csFlushPtrs +?m_csFlushPtrs@CWbemProviderGlue@@0VCCritSec@@A DATA +; private: static class CCritSec CWbemProviderGlue::m_csStatusObject +?m_csStatusObject@CWbemProviderGlue@@0VCCritSec@@A DATA +; private: static struct IWbemClassObject * __ptr64 __ptr64 CWbemProviderGlue::m_pStatusObject +?m_pStatusObject@CWbemProviderGlue@@0PEAUIWbemClassObject@@EA DATA +; private: static class CAutoEvent CWinMsgEvent::mg_aeCreateWindow +?mg_aeCreateWindow@CWinMsgEvent@@0VCAutoEvent@@A DATA +; private: static class CCritSec CWinMsgEvent::mg_csMapLock +?mg_csMapLock@CWinMsgEvent@@0VCCritSec@@A DATA +; private: static class CCritSec CWinMsgEvent::mg_csWindowLock +?mg_csWindowLock@CWinMsgEvent@@0VCCritSec@@A DATA +; private: static void * __ptr64 __ptr64 CWinMsgEvent::mg_hThreadPumpHandle +?mg_hThreadPumpHandle@CWinMsgEvent@@0PEAXEA DATA +; private: static struct HWND__ * __ptr64 __ptr64 CWinMsgEvent::mg_hWnd +?mg_hWnd@CWinMsgEvent@@0PEAUHWND__@@EA DATA +; private: static class std::multimap,class std::allocator > CWinMsgEvent::mg_oSinkMap +?mg_oSinkMap@CWinMsgEvent@@0V?$multimap@IPEAVCWinMsgEvent@@U?$less@I@std@@V?$allocator@PEAVCWinMsgEvent@@@3@@std@@A DATA +; private: long __cdecl CRegistry::myRegCreateKeyEx(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned short * __ptr64,unsigned long,unsigned long,struct _SECURITY_ATTRIBUTES * __ptr64,struct HKEY__ * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?myRegCreateKeyEx@CRegistry@@AEAAJPEAUHKEY__@@PEBGKPEAGKKPEAU_SECURITY_ATTRIBUTES@@PEAPEAU2@PEAK@Z +; private: long __cdecl CRegistry::myRegDeleteKey(struct HKEY__ * __ptr64,unsigned short const * __ptr64) __ptr64 +?myRegDeleteKey@CRegistry@@AEAAJPEAUHKEY__@@PEBG@Z +; private: long __cdecl CRegistry::myRegDeleteValue(struct HKEY__ * __ptr64,unsigned short const * __ptr64) __ptr64 +?myRegDeleteValue@CRegistry@@AEAAJPEAUHKEY__@@PEBG@Z +; private: long __cdecl CRegistry::myRegEnumKey(struct HKEY__ * __ptr64,unsigned long,unsigned short * __ptr64,unsigned long) __ptr64 +?myRegEnumKey@CRegistry@@AEAAJPEAUHKEY__@@KPEAGK@Z +; private: long __cdecl CRegistry::myRegEnumValue(struct HKEY__ * __ptr64,unsigned long,unsigned short * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?myRegEnumValue@CRegistry@@AEAAJPEAUHKEY__@@KPEAGPEAK22PEAE2@Z +; private: long __cdecl CRegistry::myRegOpenKeyEx(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long,struct HKEY__ * __ptr64 * __ptr64) __ptr64 +?myRegOpenKeyEx@CRegistry@@AEAAJPEAUHKEY__@@PEBGKKPEAPEAU2@@Z +; private: long __cdecl CRegistry::myRegQueryInfoKey(struct HKEY__ * __ptr64,unsigned short * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,struct _FILETIME * __ptr64) __ptr64 +?myRegQueryInfoKey@CRegistry@@AEAAJPEAUHKEY__@@PEAGPEAK22222222PEAU_FILETIME@@@Z +; private: long __cdecl CRegistry::myRegQueryValueEx(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?myRegQueryValueEx@CRegistry@@AEAAJPEAUHKEY__@@PEBGPEAK2PEAE2@Z +; private: long __cdecl CRegistry::myRegSetValueEx(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned char const * __ptr64,unsigned long) __ptr64 +?myRegSetValueEx@CRegistry@@AEAAJPEAUHKEY__@@PEBGKKPEBEK@Z +; private: int __cdecl CObjectPathParser::ns_list(void) __ptr64 +?ns_list@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::ns_list_rest(void) __ptr64 +?ns_list_rest@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::ns_or_class(void) __ptr64 +?ns_or_class@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::ns_or_server(void) __ptr64 +?ns_or_server@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::objref(void) __ptr64 +?objref@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::objref_rest(void) __ptr64 +?objref_rest@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::optional_objref(void) __ptr64 +?optional_objref@CObjectPathParser@@AEAAHXZ +; private: int __cdecl CObjectPathParser::propname(void) __ptr64 +?propname@CObjectPathParser@@AEAAHXZ +; private: static int CWbemProviderGlue::s_bInitted +?s_bInitted@CWbemProviderGlue@@0HA DATA +; private: static class CCritSec CWbemProviderGlue::s_csFactoryMap +?s_csFactoryMap@CWbemProviderGlue@@0VCCritSec@@A DATA +; private: static class CCritSec CWbemProviderGlue::s_csProviderMap +?s_csProviderMap@CWbemProviderGlue@@0VCCritSec@@A DATA +; private: static unsigned long CWbemProviderGlue::s_dwMajorVersion +?s_dwMajorVersion@CWbemProviderGlue@@0KA DATA +; private: static unsigned long CRegistry::s_dwPlatform +?s_dwPlatform@CRegistry@@0KA DATA +; private: static unsigned long CWbemProviderGlue::s_dwPlatform +?s_dwPlatform@CWbemProviderGlue@@0KA DATA +; private: static int CRegistry::s_fPlatformSet +?s_fPlatformSet@CRegistry@@0HA DATA +; private: static class std::map,class std::allocator > CWbemProviderGlue::s_factorymap +?s_factorymap@CWbemProviderGlue@@0V?$map@PEBXPEAJU?$less@PEBX@std@@V?$allocator@PEAJ@2@@std@@A DATA +; private: static long CWbemProviderGlue::s_lObjects +?s_lObjects@CWbemProviderGlue@@0JA DATA +; private: static class std::map,class std::allocator > CWbemProviderGlue::s_providersmap +?s_providersmap@CWbemProviderGlue@@0V?$map@VCHString@@PEAXU?$less@VCHString@@@std@@V?$allocator@PEAX@3@@std@@A DATA +; private: static class CHString Provider::s_strComputerName +?s_strComputerName@Provider@@0VCHString@@A DATA +; private: static unsigned short * CWbemProviderGlue::s_wstrCSDVersion +?s_wstrCSDVersion@CWbemProviderGlue@@0PAGA DATA +DoCmd diff --git a/lib/libc/mingw/lib64/ftpctrs2.def b/lib/libc/mingw/lib64/ftpctrs2.def new file mode 100644 index 0000000000..63a57503dd --- /dev/null +++ b/lib/libc/mingw/lib64/ftpctrs2.def @@ -0,0 +1,11 @@ +; +; Exports of file FTPCTRS2.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FTPCTRS2.dll +EXPORTS +OpenFtpPerformanceData +CollectFtpPerformanceData +CloseFtpPerformanceData diff --git a/lib/libc/mingw/lib64/ftpmib.def b/lib/libc/mingw/lib64/ftpmib.def new file mode 100644 index 0000000000..218fe006ff --- /dev/null +++ b/lib/libc/mingw/lib64/ftpmib.def @@ -0,0 +1,11 @@ +; +; Exports of file FTPMIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FTPMIB.dll +EXPORTS +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/fxsapi.def b/lib/libc/mingw/lib64/fxsapi.def new file mode 100644 index 0000000000..28c566be7f --- /dev/null +++ b/lib/libc/mingw/lib64/fxsapi.def @@ -0,0 +1,164 @@ +; +; Exports of file FXSAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSAPI.dll +EXPORTS +FXSAPIFree +FXSAPIInitialize +FaxAbort +FaxAccessCheck +FaxAccessCheckEx +FaxAddOutboundGroupA +FaxAddOutboundGroupW +FaxAddOutboundRuleA +FaxAddOutboundRuleW +FaxAnswerCall +FaxCheckValidFaxFolder +FaxClose +FaxCompleteJobParamsA +FaxCompleteJobParamsW +FaxConnectFaxServerA +FaxConnectFaxServerW +FaxEnableRoutingMethodA +FaxEnableRoutingMethodW +FaxEndMessagesEnum +FaxEnumGlobalRoutingInfoA +FaxEnumGlobalRoutingInfoW +FaxEnumJobsA +FaxEnumJobsExA +FaxEnumJobsExW +FaxEnumJobsW +FaxEnumMessagesA +FaxEnumMessagesW +FaxEnumOutboundGroupsA +FaxEnumOutboundGroupsW +FaxEnumOutboundRulesA +FaxEnumOutboundRulesW +FaxEnumPortsA +FaxEnumPortsExA +FaxEnumPortsExW +FaxEnumPortsW +FaxEnumRoutingExtensionsA +FaxEnumRoutingExtensionsW +FaxEnumRoutingMethodsA +FaxEnumRoutingMethodsW +FaxEnumerateProvidersA +FaxEnumerateProvidersW +FaxFreeBuffer +FaxFreeSenderInformation +FaxGetActivityLoggingConfigurationA +FaxGetActivityLoggingConfigurationW +FaxGetArchiveConfigurationA +FaxGetArchiveConfigurationW +FaxGetConfigWizardUsed +FaxGetConfigurationA +FaxGetConfigurationW +FaxGetCountryListA +FaxGetCountryListW +FaxGetDeviceStatusA +FaxGetDeviceStatusW +FaxGetExtensionDataA +FaxGetExtensionDataW +FaxGetJobA +FaxGetJobExA +FaxGetJobExW +FaxGetJobW +FaxGetLoggingCategoriesA +FaxGetLoggingCategoriesW +FaxGetMessageA +FaxGetMessageTiffA +FaxGetMessageTiffW +FaxGetMessageW +FaxGetOutboxConfiguration +FaxGetPageData +FaxGetPersonalCoverPagesOption +FaxGetPortA +FaxGetPortExA +FaxGetPortExW +FaxGetPortW +FaxGetQueueStates +FaxGetReceiptsConfigurationA +FaxGetReceiptsConfigurationW +FaxGetReceiptsOptions +FaxGetRecipientInfoA +FaxGetRecipientInfoW +FaxGetRecipientsLimit +FaxGetReportedServerAPIVersion +FaxGetRoutingInfoA +FaxGetRoutingInfoW +FaxGetSecurity +FaxGetSecurityEx +FaxGetSenderInfoA +FaxGetSenderInfoW +FaxGetSenderInformation +FaxGetServerActivity +FaxGetServerSKU +FaxGetServicePrintersA +FaxGetServicePrintersW +FaxGetVersion +FaxInitializeEventQueue +FaxOpenPort +FaxPrintCoverPageA +FaxPrintCoverPageW +FaxRefreshArchive +FaxRegisterForServerEvents +FaxRegisterRoutingExtensionW +FaxRegisterServiceProviderExA +FaxRegisterServiceProviderExW +FaxRelease +FaxRemoveMessage +FaxRemoveOutboundGroupA +FaxRemoveOutboundGroupW +FaxRemoveOutboundRule +FaxSendDocumentA +FaxSendDocumentExA +FaxSendDocumentExW +FaxSendDocumentForBroadcastA +FaxSendDocumentForBroadcastW +FaxSendDocumentW +FaxSetActivityLoggingConfigurationA +FaxSetActivityLoggingConfigurationW +FaxSetArchiveConfigurationA +FaxSetArchiveConfigurationW +FaxSetConfigWizardUsed +FaxSetConfigurationA +FaxSetConfigurationW +FaxSetDeviceOrderInGroupA +FaxSetDeviceOrderInGroupW +FaxSetExtensionDataA +FaxSetExtensionDataW +FaxSetGlobalRoutingInfoA +FaxSetGlobalRoutingInfoW +FaxSetJobA +FaxSetJobW +FaxSetLoggingCategoriesA +FaxSetLoggingCategoriesW +FaxSetOutboundGroupA +FaxSetOutboundGroupW +FaxSetOutboundRuleA +FaxSetOutboundRuleW +FaxSetOutboxConfiguration +FaxSetPortA +FaxSetPortExA +FaxSetPortExW +FaxSetPortW +FaxSetQueue +FaxSetReceiptsConfigurationA +FaxSetReceiptsConfigurationW +FaxSetRoutingInfoA +FaxSetRoutingInfoW +FaxSetSecurity +FaxSetSenderInformation +FaxStartMessagesEnum +FaxStartPrintJob2W +FaxStartPrintJobA +FaxStartPrintJobW +FaxUnregisterForServerEvents +FaxUnregisterRoutingExtensionA +FaxUnregisterRoutingExtensionW +FaxUnregisterServiceProviderExA +FaxUnregisterServiceProviderExW +IsDeviceVirtual diff --git a/lib/libc/mingw/lib64/fxscfgwz.def b/lib/libc/mingw/lib64/fxscfgwz.def new file mode 100644 index 0000000000..de70406579 --- /dev/null +++ b/lib/libc/mingw/lib64/fxscfgwz.def @@ -0,0 +1,10 @@ +; +; Exports of file FXSCFGWZ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSCFGWZ.dll +EXPORTS +FaxCfgWzrdDllW +FaxConfigWizard diff --git a/lib/libc/mingw/lib64/fxsdrv.def b/lib/libc/mingw/lib64/fxsdrv.def new file mode 100644 index 0000000000..23a1e6d826 --- /dev/null +++ b/lib/libc/mingw/lib64/fxsdrv.def @@ -0,0 +1,12 @@ +; +; Exports of file FxsDrv.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FxsDrv.dll +EXPORTS +DllEntryPoint +DrvDisableDriver +DrvEnableDriver +DrvQueryDriverInfo diff --git a/lib/libc/mingw/lib64/fxsocm.def b/lib/libc/mingw/lib64/fxsocm.def new file mode 100644 index 0000000000..39f6b19c95 --- /dev/null +++ b/lib/libc/mingw/lib64/fxsocm.def @@ -0,0 +1,17 @@ +; +; Exports of file FXSOCM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSOCM.dll +EXPORTS +FaxModemCoClassInstaller +FaxOcmSetupProc +SecureFaxServiceDirectories +WhereDidMyFaxGo +XP_UninstallProvider +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/fxsperf.def b/lib/libc/mingw/lib64/fxsperf.def new file mode 100644 index 0000000000..a099e47f4e --- /dev/null +++ b/lib/libc/mingw/lib64/fxsperf.def @@ -0,0 +1,11 @@ +; +; Exports of file FXSPERF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSPERF.dll +EXPORTS +OpenFaxPerformanceData +CollectFaxPerformanceData +CloseFaxPerformanceData diff --git a/lib/libc/mingw/lib64/fxsroute.def b/lib/libc/mingw/lib64/fxsroute.def new file mode 100644 index 0000000000..e0cf3e2d88 --- /dev/null +++ b/lib/libc/mingw/lib64/fxsroute.def @@ -0,0 +1,18 @@ +; +; Exports of file FxsRoute.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FxsRoute.dll +EXPORTS +FaxRouteConfigure +FaxRouteEmail +FaxRoutePrint +FaxRouteStore +FaxExtInitializeConfig +FaxRouteDeviceChangeNotification +FaxRouteDeviceEnable +FaxRouteGetRoutingInfo +FaxRouteInitialize +FaxRouteSetRoutingInfo diff --git a/lib/libc/mingw/lib64/fxsst.def b/lib/libc/mingw/lib64/fxsst.def new file mode 100644 index 0000000000..326e236e94 --- /dev/null +++ b/lib/libc/mingw/lib64/fxsst.def @@ -0,0 +1,11 @@ +; +; Exports of file FXSST.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSST.dll +EXPORTS +DllMain +FaxMonitorShutdown +IsFaxMessage diff --git a/lib/libc/mingw/lib64/fxst30.def b/lib/libc/mingw/lib64/fxst30.def new file mode 100644 index 0000000000..2ca81a96e3 --- /dev/null +++ b/lib/libc/mingw/lib64/fxst30.def @@ -0,0 +1,17 @@ +; +; Exports of file FXST30.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXST30.dll +EXPORTS +FaxDevAbortOperation +FaxDevEndJob +FaxDevInitialize +FaxDevReceive +FaxDevReportStatus +FaxDevSend +FaxDevShutdown +FaxDevStartJob +FaxExtInitializeConfig diff --git a/lib/libc/mingw/lib64/fxstiff.def b/lib/libc/mingw/lib64/fxstiff.def new file mode 100644 index 0000000000..13202f18e3 --- /dev/null +++ b/lib/libc/mingw/lib64/fxstiff.def @@ -0,0 +1,44 @@ +; +; Exports of file FXSTIFF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSTIFF.dll +EXPORTS +ConvMmrPageHiResToMrLoRes +ConvMmrPageToMh +ConvMmrPageToMrSameRes +ConvertTiffFileToValidFaxFormat +FXSTIFFInitialize +FindNextEol +FreeMsTagInfo +GetMsTagDwordLong +GetMsTagFileTime +GetMsTagString +GetW2kMsTiffTags +MemoryMapTiffFile +MergeTiffFiles +MmrAddBranding +PrintTiffFile +ScanMhSegment +ScanMrSegment +TiffAddMsTags +TiffClose +TiffCreate +TiffEndPage +TiffExtractFirstPage +TiffGetCurrentPageData +TiffLimitTagNumber +TiffOpen +TiffPostProcessFast +TiffPrint +TiffPrintDC +TiffRead +TiffRecoverGoodPages +TiffSeekToPage +TiffSetCurrentPageParams +TiffStartPage +TiffUncompressMmrPage +TiffUncompressMmrPageRaw +TiffWriteRaw diff --git a/lib/libc/mingw/lib64/fxsui.def b/lib/libc/mingw/lib64/fxsui.def new file mode 100644 index 0000000000..8cee3a0d83 --- /dev/null +++ b/lib/libc/mingw/lib64/fxsui.def @@ -0,0 +1,18 @@ +; +; Exports of file fxsui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY fxsui.dll +EXPORTS +DevQueryPrintEx +DrvAdvancedDocumentProperties +DrvConvertDevMode +DrvDeviceCapabilities +DrvDevicePropertySheets +DrvDocumentEvent +DrvDocumentProperties +DrvDocumentPropertySheets +DrvPrinterEvent +PrinterProperties diff --git a/lib/libc/mingw/lib64/fxswzrd.def b/lib/libc/mingw/lib64/fxswzrd.def new file mode 100644 index 0000000000..326d0f6bf1 --- /dev/null +++ b/lib/libc/mingw/lib64/fxswzrd.def @@ -0,0 +1,10 @@ +; +; Exports of file FXSWZRD.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY FXSWZRD.dll +EXPORTS +FaxFreeSendWizardData +FaxSendWizard diff --git a/lib/libc/mingw/lib64/glmf32.def b/lib/libc/mingw/lib64/glmf32.def new file mode 100644 index 0000000000..7a3f9d162c --- /dev/null +++ b/lib/libc/mingw/lib64/glmf32.def @@ -0,0 +1,142 @@ +; +; Exports of file GLMF32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY GLMF32.dll +EXPORTS +__glsParser_create +__glsParser_print +__glsString_appendChar +__glsString_assign +__glsString_init +glsAbortCall +glsAppRef +glsBeginCapture +glsBeginGLS +glsBeginObj +glsBinary +glsBlock +glsCallArray +glsCallArrayInContext +glsCallStream +glsCaptureFlags +glsCaptureFunc +glsChannel +glsCharubz +glsCommandAPI +glsCommandFunc +glsCommandString +glsComment +glsContext +glsCopyStream +glsDataPointer +glsDeleteContext +glsDeleteReadPrefix +glsDeleteStream +glsDisplayMapfv +glsEndCapture +glsEndGLS +glsEndObj +glsEnumString +glsError +glsFlush +glsGLRC +glsGLRCLayer +glsGenContext +glsGetAllContexts +glsGetCaptureDispatchTable +glsGetCaptureExecTable +glsGetCaptureFlags +glsGetCommandAlignment +glsGetCommandAttrib +glsGetCommandFunc +glsGetConsti +glsGetConstiv +glsGetConstubz +glsGetContextFunc +glsGetContextListl +glsGetContextListubz +glsGetContextPointer +glsGetContexti +glsGetContextubz +glsGetCurrentContext +glsGetCurrentTime +glsGetError +glsGetGLRCi +glsGetHeaderf +glsGetHeaderfv +glsGetHeaderi +glsGetHeaderiv +glsGetHeaderubz +glsGetLayerf +glsGetLayeri +glsGetOpcodeCount +glsGetOpcodes +glsGetStreamAttrib +glsGetStreamCRC32 +glsGetStreamReadName +glsGetStreamSize +glsGetStreamType +glsHeaderGLRCi +glsHeaderLayerf +glsHeaderLayeri +glsHeaderf +glsHeaderfv +glsHeaderi +glsHeaderiv +glsHeaderubz +glsIsContext +glsIsContextStream +glsIsExtensionSupported +glsIsUTF8String +glsLong +glsLongHigh +glsLongLow +glsNullCommandFunc +glsNumb +glsNumbv +glsNumd +glsNumdv +glsNumf +glsNumfv +glsNumi +glsNumiv +glsNuml +glsNumlv +glsNums +glsNumsv +glsNumub +glsNumubv +glsNumui +glsNumuiv +glsNumul +glsNumulv +glsNumus +glsNumusv +glsPad +glsPixelSetup +glsPixelSetupGen +glsReadFunc +glsReadPrefix +glsRequireExtension +glsSwapBuffers +glsUCS1toUTF8z +glsUCS2toUTF8z +glsUCS4toUTF8 +glsUCS4toUTF8z +glsUCStoUTF8z +glsULong +glsULongHigh +glsULongLow +glsUTF8toUCS1z +glsUTF8toUCS2z +glsUTF8toUCS4 +glsUTF8toUCS4z +glsUTF8toUCSz +glsUnreadFunc +glsUnsupportedCommand +glsUpdateCaptureExecTable +glsWriteFunc +glsWritePrefix diff --git a/lib/libc/mingw/lib64/gpkcsp.def b/lib/libc/mingw/lib64/gpkcsp.def new file mode 100644 index 0000000000..a88245af8b --- /dev/null +++ b/lib/libc/mingw/lib64/gpkcsp.def @@ -0,0 +1,34 @@ +; +; Exports of file GPKCSP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY GPKCSP.dll +EXPORTS +CPAcquireContext +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPSignHash +CPVerifySignature +DllMain +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/gptext.def b/lib/libc/mingw/lib64/gptext.def new file mode 100644 index 0000000000..4a5bc20d35 --- /dev/null +++ b/lib/libc/mingw/lib64/gptext.def @@ -0,0 +1,21 @@ +; +; Exports of file GPTEXT.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY GPTEXT.DLL +EXPORTS +GenerateIPSECPolicy +GenerateScriptsGroupPolicy +GenerateWIRELESSPolicy +ProcessIPSECPolicyEx +ProcessPSCHEDPolicy +ProcessScriptsGroupPolicy +ProcessScriptsGroupPolicyEx +ProcessWIRELESSPolicyEx +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +ScrRegGPOListToWbem diff --git a/lib/libc/mingw/lib64/guitrn.def b/lib/libc/mingw/lib64/guitrn.def new file mode 100644 index 0000000000..5c8a8057b3 --- /dev/null +++ b/lib/libc/mingw/lib64/guitrn.def @@ -0,0 +1,12 @@ +; +; Exports of file GUITRN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY GUITRN.dll +EXPORTS +DllMain +ModuleInitialize +ModuleTerminate +TransportModule diff --git a/lib/libc/mingw/lib64/hal.def b/lib/libc/mingw/lib64/hal.def new file mode 100644 index 0000000000..c304b55b3e --- /dev/null +++ b/lib/libc/mingw/lib64/hal.def @@ -0,0 +1,101 @@ +; +; Definition file of HAL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HAL.dll" +EXPORTS +HalAcquireDisplayOwnership +HalAdjustResourceList +HalAllProcessorsStarted +HalAllocateAdapterChannel +HalAllocateCommonBuffer +HalAllocateCrashDumpRegisters +HalAllocateHardwareCounters +HalAssignSlotResources +HalBugCheckSystem +HalCalibratePerformanceCounter +HalCallBios +HalClearSoftwareInterrupt +HalDisableSystemInterrupt +HalConvertDeviceIdtToIrql +HalDisableInterrupt +HalDisplayString +HalEnableSystemInterrupt +HalEnableInterrupt +HalEnumerateEnvironmentVariablesEx +HalEnumerateProcessors +HalFlushCommonBuffer +HalFreeCommonBuffer +HalFreeHardwareCounters +HalGetAdapter +HalGetBusData +HalGetBusDataByOffset +HalGetEnvironmentVariable +HalGetEnvironmentVariableEx +HalGetInterruptTargetInformation +HalGetInterruptVector +HalGetMemoryCachingRequirements +HalGetMessageRoutingInfo +HalGetProcessorIdByNtNumber +HalGetVectorInput +HalHandleMcheck +HalHandleNMI +HalInitSystem +HalInitializeBios +HalInitializeOnResume +HalInitializeProcessor +HalIsHyperThreadingEnabled +HalMakeBeep +HalMcUpdateReadPCIConfig +HalPerformEndOfInterrupt DATA +HalProcessorIdle +HalQueryDisplayParameters +HalQueryEnvironmentVariableInfoEx +HalQueryMaximumProcessorCount +HalQueryRealTimeClock +HalReadDmaCounter +HalRegisterDynamicProcessor +HalRegisterErrataCallbacks +HalReportResourceUsage +HalRequestClockInterrupt +HalRequestDeferredRecoveryServiceInterrupt +HalRequestIpi +HalRequestSoftwareInterrupt +HalReturnToFirmware +HalSendNMI +HalSendSoftwareInterrupt +HalSetBusData +HalSetBusDataByOffset +HalSetDisplayParameters +HalSetEnvironmentVariable +HalSetEnvironmentVariableEx +HalSetProfileInterval +HalSetRealTimeClock +HalSetTimeIncrement +HalStartDynamicProcessor +HalStartNextProcessor +HalStartProfileInterrupt +HalStopProfileInterrupt +HalSystemVectorDispatchEntry +HalTranslateBusAddress +IoAssignDriveLetters +IoFlushAdapterBuffers +IoFreeAdapterChannel +IoFreeMapRegisters +IoMapTransfer +IoReadPartitionTable +IoSetPartitionInformation +IoWritePartitionTable +KdComPortInUse DATA +KeFlushWriteBuffer +KeQueryPerformanceCounter +KeStallExecutionProcessor +x86BiosExecuteInterrupt +x86BiosInitializeBiosEx +x86BiosTranslateAddress +x86BiosAllocateBuffer +x86BiosCall +x86BiosFreeBuffer +x86BiosReadMemory +x86BiosWriteMemory diff --git a/lib/libc/mingw/lib64/hgfs.def b/lib/libc/mingw/lib64/hgfs.def new file mode 100644 index 0000000000..59b2d0cff5 --- /dev/null +++ b/lib/libc/mingw/lib64/hgfs.def @@ -0,0 +1,18 @@ +; +; Exports of file hgfs.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY hgfs.dll +EXPORTS +NPGetConnection +NPGetCaps +NPAddConnection +NPCancelConnection +NPOpenEnum +NPEnumResource +NPCloseEnum +NPAddConnection3 +NPGetResourceParent +NPGetResourceInformation diff --git a/lib/libc/mingw/lib64/hidclass.def b/lib/libc/mingw/lib64/hidclass.def new file mode 100644 index 0000000000..2845724294 --- /dev/null +++ b/lib/libc/mingw/lib64/hidclass.def @@ -0,0 +1,11 @@ +; +; Definition file of HIDCLASS.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HIDCLASS.SYS" +EXPORTS +DllInitialize +DllUnload +HidNotifyPresence +HidRegisterMinidriver diff --git a/lib/libc/mingw/lib64/hidparse.def b/lib/libc/mingw/lib64/hidparse.def new file mode 100644 index 0000000000..1776db12d7 --- /dev/null +++ b/lib/libc/mingw/lib64/hidparse.def @@ -0,0 +1,37 @@ +; +; Definition file of HIDPARSE.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "HIDPARSE.SYS" +EXPORTS +HidP_FreeCollectionDescription +HidP_GetButtonCaps +HidP_GetCaps +HidP_GetCollectionDescription +HidP_GetData +HidP_GetExtendedAttributes +HidP_GetLinkCollectionNodes +HidP_GetScaledUsageValue +HidP_GetSpecificButtonCaps +HidP_GetSpecificValueCaps +HidP_GetUsageValue +HidP_GetUsageValueArray +HidP_GetUsages +HidP_GetUsagesEx +HidP_GetValueCaps +HidP_InitializeReportForID +HidP_MaxDataListLength +HidP_MaxUsageListLength +HidP_SetData +HidP_SetScaledUsageValue +HidP_SetUsageValue +HidP_SetUsageValueArray +HidP_SetUsages +HidP_SysPowerCaps +HidP_SysPowerEvent +HidP_TranslateUsageAndPagesToI8042ScanCodes +HidP_TranslateUsagesToI8042ScanCodes +HidP_UnsetUsages +HidP_UsageAndPageListDifference +HidP_UsageListDifference diff --git a/lib/libc/mingw/lib64/hmmapi.def b/lib/libc/mingw/lib64/hmmapi.def new file mode 100644 index 0000000000..dd84d8ce83 --- /dev/null +++ b/lib/libc/mingw/lib64/hmmapi.def @@ -0,0 +1,35 @@ +; +; Exports of file HMMAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HMMAPI.dll +EXPORTS +MAPIFreeBuffer +DllRegisterServer +DllUnregisterServer +MAPISendDocuments +MAPILogon +MAPILogoff +MAPISendMail +MAPISaveMail +MAPIReadMail +MAPIFindNext +MAPIDeleteMail +MAPIAddress +MAPIDetails +MAPIResolveName +BMAPISendMail +BMAPISaveMail +BMAPIReadMail +BMAPIGetReadMail +BMAPIFindNext +BMAPIAddress +BMAPIGetAddress +BMAPIDetails +BMAPIResolveName +MailToProtocolHandler +OpenInboxHandler +AddService +RemoveService diff --git a/lib/libc/mingw/lib64/hnetcfg.def b/lib/libc/mingw/lib64/hnetcfg.def new file mode 100644 index 0000000000..a7e0ce3e48 --- /dev/null +++ b/lib/libc/mingw/lib64/hnetcfg.def @@ -0,0 +1,51 @@ +; +; Exports of file HNetCfg.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HNetCfg.dll +EXPORTS +HNetDeleteRasConnection +HNetFreeSharingServicesPage +HNetGetSharingServicesPage +WinBomConfigureWindowsFirewall +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +HNetFreeFirewallLoggingSettings +HNetGetFirewallSettingsPage +HNetGetShareAndBridgeSettings +HNetSetShareAndBridgeSettings +HNetSharedAccessSettingsDlg +HNetSharingAndFirewallSettingsDlg +IcfChangeNotificationCreate +IcfChangeNotificationDestroy +IcfCheckAppAuthorization +IcfCloseDynamicFwPort +IcfConnect +IcfDisconnect +IcfFreeAdapters +IcfFreeDynamicFwPorts +IcfFreeProfile +IcfFreeString +IcfFreeTickets +IcfGetAdapters +IcfGetCurrentProfileType +IcfGetDynamicFwPorts +IcfGetOperationalMode +IcfGetProfile +IcfGetTickets +IcfIsIcmpTypeAllowed +IcfIsPortAllowed +IcfOpenDynamicFwPort +IcfOpenDynamicFwPortWithoutSocket +IcfOpenFileSharingPorts +IcfRefreshPolicy +IcfRemoveDisabledAuthorizedApp +IcfSetProfile +IcfSetServicePermission +IcfSubNetsGetScope +IcfSubNetsIsStringValid +IcfSubNetsToString diff --git a/lib/libc/mingw/lib64/hnetwiz.def b/lib/libc/mingw/lib64/hnetwiz.def new file mode 100644 index 0000000000..2af41ec57e --- /dev/null +++ b/lib/libc/mingw/lib64/hnetwiz.def @@ -0,0 +1,14 @@ +; +; Exports of file HNETWIZ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HNETWIZ.dll +EXPORTS +HomeNetWizardRunDll +DllCanUnloadNow +DllGetClassObject +DllMain +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/hostmib.def b/lib/libc/mingw/lib64/hostmib.def new file mode 100644 index 0000000000..74d245dca1 --- /dev/null +++ b/lib/libc/mingw/lib64/hostmib.def @@ -0,0 +1,11 @@ +; +; Exports of file hostmib.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY hostmib.dll +EXPORTS +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/htrn_jis.def b/lib/libc/mingw/lib64/htrn_jis.def new file mode 100644 index 0000000000..5a6cd16fea --- /dev/null +++ b/lib/libc/mingw/lib64/htrn_jis.def @@ -0,0 +1,16 @@ +; +; Exports of file HTRN_JIS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HTRN_JIS.dll +EXPORTS +transCharIn +transCharOut +transCreateHandle +transDestroyHandle +transDoDialog +transInitHandle +transLoadHandle +transSaveHandle diff --git a/lib/libc/mingw/lib64/httpapi.def b/lib/libc/mingw/lib64/httpapi.def index fe1c25ad44..c253120681 100644 --- a/lib/libc/mingw/lib64/httpapi.def +++ b/lib/libc/mingw/lib64/httpapi.def @@ -57,9 +57,6 @@ HttpSendResponseEntityBody HttpSetAppPoolInformation HttpSetConfigGroupInformation HttpSetControlChannelInformation -HttpSetAppPoolInformation -HttpSetConfigGroupInformation -HttpSetControlChannelInformation HttpSetRequestQueueProperty HttpSetServerSessionProperty HttpSetServiceConfiguration diff --git a/lib/libc/mingw/lib64/httpext.def b/lib/libc/mingw/lib64/httpext.def new file mode 100644 index 0000000000..63d38dff30 --- /dev/null +++ b/lib/libc/mingw/lib64/httpext.def @@ -0,0 +1,15 @@ +; +; Exports of file HTTPEXT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HTTPEXT.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/httpmib.def b/lib/libc/mingw/lib64/httpmib.def new file mode 100644 index 0000000000..1729b485d5 --- /dev/null +++ b/lib/libc/mingw/lib64/httpmib.def @@ -0,0 +1,12 @@ +; +; Exports of file HTTPMIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HTTPMIB.dll +EXPORTS +DllLibMain +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/httpodbc.def b/lib/libc/mingw/lib64/httpodbc.def new file mode 100644 index 0000000000..496a14b1c3 --- /dev/null +++ b/lib/libc/mingw/lib64/httpodbc.def @@ -0,0 +1,11 @@ +; +; Exports of file HTTPODBC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HTTPODBC.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/hypertrm.def b/lib/libc/mingw/lib64/hypertrm.def new file mode 100644 index 0000000000..9c7ddff766 --- /dev/null +++ b/lib/libc/mingw/lib64/hypertrm.def @@ -0,0 +1,16 @@ +; +; Exports of file HYPERTRM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY HYPERTRM.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +InitInstance +MessageLoop +sessQuerySysFileHdl +sessQueryTranslateHdl +sfGetSessionItem +sfPutSessionItem diff --git a/lib/libc/mingw/lib64/iaspolcy.def b/lib/libc/mingw/lib64/iaspolcy.def new file mode 100644 index 0000000000..657db6c533 --- /dev/null +++ b/lib/libc/mingw/lib64/iaspolcy.def @@ -0,0 +1,17 @@ +; +; Exports of file iaspolcy.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iaspolcy.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +IASAttributeAddRef +IASAttributeAlloc +IASAttributeAnsiAlloc +IASAttributeRelease +IASAttributeUnicodeAlloc diff --git a/lib/libc/mingw/lib64/icaapi.def b/lib/libc/mingw/lib64/icaapi.def new file mode 100644 index 0000000000..c88c47925b --- /dev/null +++ b/lib/libc/mingw/lib64/icaapi.def @@ -0,0 +1,42 @@ +; +; Exports of file ICAAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ICAAPI.dll +EXPORTS +IcaCdCreateThread +IcaCdIoControl +IcaCdWaitForMultipleObjects +IcaCdWaitForSingleObject +IcaChannelClose +IcaChannelIoControl +IcaChannelOpen +IcaChannelTrace +IcaClose +IcaIoControl +IcaMemoryAllocate +IcaMemoryFree +IcaOpen +IcaPushConsoleStack +IcaStackCallback +IcaStackClose +IcaStackConnectionAccept +IcaStackConnectionClose +IcaStackConnectionRequest +IcaStackConnectionWait +IcaStackCreateShadowEndpoint +IcaStackDisconnect +IcaStackIoControl +IcaStackIoControlNoConnLock +IcaStackOpen +IcaStackQueryLocalAddress +IcaStackQueryState +IcaStackReconnect +IcaStackTerminate +IcaStackTrace +IcaStackUnlock +IcaSystemTrace +IcaTrace +_IcaStackIoControl diff --git a/lib/libc/mingw/lib64/icfgnt5.def b/lib/libc/mingw/lib64/icfgnt5.def new file mode 100644 index 0000000000..59db645a02 --- /dev/null +++ b/lib/libc/mingw/lib64/icfgnt5.def @@ -0,0 +1,23 @@ +; +; Exports of file ICFGNT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ICFGNT.dll +EXPORTS +IcfgInstallModem +IcfgNeedModem +IcfgSetInstallSourcePath +InetSetAutodial +InetSetAutodialAddress +IcfgGetLastInstallErrorText +IcfgInstallInetComponents +IcfgIsFileSharingTurnedOn +IcfgIsGlobalDNS +IcfgNeedInetComponents +IcfgRemoveGlobalDNS +IcfgStartServices +IcfgTurnOffFileSharing +InetGetAutodial +InetGetSupportedPlatform diff --git a/lib/libc/mingw/lib64/icwconn.def b/lib/libc/mingw/lib64/icwconn.def new file mode 100644 index 0000000000..cd9121e5d0 --- /dev/null +++ b/lib/libc/mingw/lib64/icwconn.def @@ -0,0 +1,13 @@ +; +; Exports of file ICWCONN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ICWCONN.dll +EXPORTS +GetICWCONNVersion +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/icwdial.def b/lib/libc/mingw/lib64/icwdial.def new file mode 100644 index 0000000000..cce3920a34 --- /dev/null +++ b/lib/libc/mingw/lib64/icwdial.def @@ -0,0 +1,14 @@ +; +; Exports of file AUTODIAL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY AUTODIAL.dll +EXPORTS +AutoDialHandler +AutoDialInit +RasSetEntryPropertiesScriptPatch +DialingDownloadDialog +DialingErrorDialog +ICWGetRasEntry diff --git a/lib/libc/mingw/lib64/icwdl.def b/lib/libc/mingw/lib64/icwdl.def new file mode 100644 index 0000000000..7070b5119a --- /dev/null +++ b/lib/libc/mingw/lib64/icwdl.def @@ -0,0 +1,14 @@ +; +; Exports of file icwdl.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY icwdl.dll +EXPORTS +DownLoadCancel +DownLoadClose +DownLoadExecute +DownLoadInit +DownLoadProcess +DownLoadSetStatusCallback diff --git a/lib/libc/mingw/lib64/icwphbk.def b/lib/libc/mingw/lib64/icwphbk.def new file mode 100644 index 0000000000..395f81a782 --- /dev/null +++ b/lib/libc/mingw/lib64/icwphbk.def @@ -0,0 +1,16 @@ +; +; Exports of file icwphbk.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY icwphbk.dll +EXPORTS +GetSupportNumbers +PhbkGenericDlgProc +PhoneBookDisplaySignUpNumbers +PhoneBookGetCanonical +PhoneBookLoad +PhoneBookMergeChanges +PhoneBookSuggestNumbers +PhoneBookUnload diff --git a/lib/libc/mingw/lib64/icwutil.def b/lib/libc/mingw/lib64/icwutil.def new file mode 100644 index 0000000000..81be97c62a --- /dev/null +++ b/lib/libc/mingw/lib64/icwutil.def @@ -0,0 +1,16 @@ +; +; Exports of file ICWUTIL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ICWUTIL.dll +EXPORTS +RegisterServer +URLAppendQueryPair +URLEncode +UnregisterServer +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/idq.def b/lib/libc/mingw/lib64/idq.def new file mode 100644 index 0000000000..fc7135c709 --- /dev/null +++ b/lib/libc/mingw/lib64/idq.def @@ -0,0 +1,11 @@ +; +; Exports of file IDQ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IDQ.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/ieakeng.def b/lib/libc/mingw/lib64/ieakeng.def new file mode 100644 index 0000000000..6c43d09595 --- /dev/null +++ b/lib/libc/mingw/lib64/ieakeng.def @@ -0,0 +1,152 @@ +; +; Exports of file IEAKENG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IEAKENG.dll +EXPORTS +AddADMItemA +AddADMItemW +BToolbar_Edit +BToolbar_InitA +BToolbar_InitW +BToolbar_Remove +BToolbar_SaveA +BToolbar_SaveW +BrowseForFileA +BrowseForFileW +BrowseForFolderA +BrowseForFolderW +BuildPalette +CanDeleteADM +CheckField +CheckForDupKeys +CheckVerA +CheckVerW +CopyAnimBmpA +CopyAnimBmpW +CopyHttFileA +CopyHttFileW +CopyLogoBmpA +CopyLogoBmpW +CopyWallPaperA +CopyWallPaperW +CreateADMWindow +DeleteADMItemA +DeleteADMItemW +DeleteADMItemsA +DeleteADMItemsW +DeleteFavoriteA +DeleteFavoriteW +DestroyADMWindow +DisplayADMItem +DoReboot +EncodeSignatureA +EncodeSignatureW +ErrorMessageBox +ExportFavoritesA +ExportFavoritesW +ExportQuickLinksA +ExportQuickLinksW +ExportRegKey2InfA +ExportRegKey2InfW +ExportRegTree2InfA +ExportRegTree2InfW +ExportRegValue2InfA +ExportRegValue2InfW +GenerateNewVersionStrA +GenerateNewVersionStrW +GetAdmFileListA +GetAdmFileListW +GetAdmWindowHandle +GetBaseFileNameA +GetBaseFileNameW +GetFavoriteUrlA +GetFavoriteUrlW +GetFavoritesInfoTipA +GetFavoritesInfoTipW +GetFavoritesMaxNumber +GetFavoritesNumber +GetProxyDlgA +GetProxyDlgW +ImportADMFileA +ImportADMFileW +ImportADTInfoA +ImportADTInfoW +ImportAuthCodeA +ImportAuthCodeW +ImportConnectSetA +ImportConnectSetW +ImportFavoritesA +ImportFavoritesCmdA +ImportFavoritesCmdW +ImportFavoritesW +ImportLDAPBitmapA +ImportLDAPBitmapW +ImportOEInfoA +ImportOEInfoW +ImportProgramsA +ImportProgramsW +ImportQuickLinksA +ImportQuickLinksW +ImportRatingsA +ImportRatingsW +ImportSiteCertA +ImportSiteCertW +ImportToolbarInfoA +ImportToolbarInfoW +ImportZonesA +ImportZonesW +InitializeStartSearchA +InitializeStartSearchW +IsADMFileVisibleA +IsADMFileVisibleW +IsAnimBitmapFileValidA +IsAnimBitmapFileValidW +IsBitmapFileValidA +IsBitmapFileValidW +IsFavoriteItem +LoadADMFilesA +LoadADMFilesW +MigrateFavoritesA +MigrateFavoritesW +MigrateToOldFavoritesA +MigrateToOldFavoritesW +ModifyAuthCode +ModifyFavoriteA +ModifyFavoriteW +ModifyRatings +ModifySiteCert +ModifyZones +MoveADMWindow +MoveDownFavorite +MoveUpFavorite +NewFolder +NewUrlA +NewUrlW +ProcessFavSelChange +ResetAdmFilesA +ResetAdmFilesW +SaveADMItem +SaveAdmFilesA +SaveAdmFilesW +SaveStartSearchA +SaveStartSearchW +SelectADMItem +SetADMWindowTextA +SetADMWindowTextW +SetLBWidth +SetOrClearVersionInfoA +SetOrClearVersionInfoW +SetProxyDlgA +SetProxyDlgW +ShowADMWindow +ShowBitmapA +ShowBitmapW +ShowDeskCpl +ShowInetcpl +SignFileA +SignFileW +TestURLA +TestURLW diff --git a/lib/libc/mingw/lib64/iedkcs32.def b/lib/libc/mingw/lib64/iedkcs32.def new file mode 100644 index 0000000000..a70127d2d7 --- /dev/null +++ b/lib/libc/mingw/lib64/iedkcs32.def @@ -0,0 +1,26 @@ +; +; Exports of file iedkcs32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iedkcs32.dll +EXPORTS +BrandExternal +CloseRASConnections +GenerateGroupPolicy +ProcessGroupPolicy +ProcessGroupPolicyEx +ProcessGroupPolicyForZoneMap +BrandCleanInstallStubs +BrandICW +BrandICW2 +BrandIE4 +BrandInfAndOutlookExpress +BrandInternetExplorer +BrandIntra +BrandMe +Clear +DllRegisterServer +DllUnregisterServer +InternetInitializeAutoProxyDll diff --git a/lib/libc/mingw/lib64/ieencode.def b/lib/libc/mingw/lib64/ieencode.def new file mode 100644 index 0000000000..1b2d77d425 --- /dev/null +++ b/lib/libc/mingw/lib64/ieencode.def @@ -0,0 +1,17 @@ +; +; Exports of file exports.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY exports.dll +EXPORTS +CceDetectInputCode +CceGetAvailableEncodings +CceIsAvailableEncoding +CceStreamMultiByteToUnicode +CceStreamUnicodeToMultiByte +CceStringMultiByteToUnicode +CceStringUnicodeToMultiByte +DllMain +FetchMsEncodeDllVersion diff --git a/lib/libc/mingw/lib64/iesetup.def b/lib/libc/mingw/lib64/iesetup.def new file mode 100644 index 0000000000..21a19fb36e --- /dev/null +++ b/lib/libc/mingw/lib64/iesetup.def @@ -0,0 +1,17 @@ +; +; Exports of file iesetup.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iesetup.dll +EXPORTS +IEHardenAdmin +IEHardenAdminNow +IEHardenMachineNow +IEHardenUser +SetFirstHomepage +DllInstall +DllRegisterServer +DllUnregisterServer +FixIE diff --git a/lib/libc/mingw/lib64/igmpagnt.def b/lib/libc/mingw/lib64/igmpagnt.def new file mode 100644 index 0000000000..816072d8da --- /dev/null +++ b/lib/libc/mingw/lib64/igmpagnt.def @@ -0,0 +1,12 @@ +; +; Exports of file IGMPAGNT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IGMPAGNT.dll +EXPORTS +SnmpExtensionClose +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/iis.def b/lib/libc/mingw/lib64/iis.def new file mode 100644 index 0000000000..74b69745c8 --- /dev/null +++ b/lib/libc/mingw/lib64/iis.def @@ -0,0 +1,16 @@ +; +; Exports of file IIS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IIS.dll +EXPORTS +OcEntry +IIS5Log +IIS5LogParmString +IIS5LogParmDword +ProcessInfSection +SysPrepBackup +SysPrepRestore +ApplyIISAcl diff --git a/lib/libc/mingw/lib64/iisadmin.def b/lib/libc/mingw/lib64/iisadmin.def new file mode 100644 index 0000000000..0d48b9dbeb --- /dev/null +++ b/lib/libc/mingw/lib64/iisadmin.def @@ -0,0 +1,10 @@ +; +; Exports of file IISADMIN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IISADMIN.dll +EXPORTS +RetrieveTracingHandle +ServiceEntry diff --git a/lib/libc/mingw/lib64/iiscfg.def b/lib/libc/mingw/lib64/iiscfg.def new file mode 100644 index 0000000000..eb326241b2 --- /dev/null +++ b/lib/libc/mingw/lib64/iiscfg.def @@ -0,0 +1,11 @@ +; +; Exports of file IISCFG.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IISCFG.DLL +EXPORTS +DllGetSimpleObject +DllGetSimpleObjectByID +DllGetSimpleObjectByIDEx diff --git a/lib/libc/mingw/lib64/iisrtl.def b/lib/libc/mingw/lib64/iisrtl.def new file mode 100644 index 0000000000..e1fc2f5d19 --- /dev/null +++ b/lib/libc/mingw/lib64/iisrtl.def @@ -0,0 +1,2044 @@ +; +; Exports of file IisRTL.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IisRTL.DLL +EXPORTS +; public: __cdecl CDataCache::CDataCache(void) __ptr64 +??0?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAA@XZ +; public: __cdecl CDataCache::CDataCache(void) __ptr64 +??0?$CDataCache@VCDateTime@@@@QEAA@XZ +; public: __cdecl ALLOC_CACHE_HANDLER::ALLOC_CACHE_HANDLER(char const * __ptr64,struct _ALLOC_CACHE_CONFIGURATION const * __ptr64,int) __ptr64 +??0ALLOC_CACHE_HANDLER@@QEAA@PEBDPEBU_ALLOC_CACHE_CONFIGURATION@@H@Z +; public: __cdecl ASCLOG_DATETIME_CACHE::ASCLOG_DATETIME_CACHE(void) __ptr64 +??0ASCLOG_DATETIME_CACHE@@QEAA@XZ +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER::BUFFER(unsigned char * __ptr64,unsigned int) __ptr64 +??0BUFFER@@QEAA@PEAEI@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl CACHED_DATETIME_FORMATS::CACHED_DATETIME_FORMATS(void) __ptr64 +??0CACHED_DATETIME_FORMATS@@QEAA@XZ +; public: __cdecl CCritSec::CCritSec(void) __ptr64 +??0CCritSec@@QEAA@XZ +; public: __cdecl CDFTCache::CDFTCache(void) __ptr64 +??0CDFTCache@@QEAA@XZ +; public: __cdecl CDateTime::CDateTime(struct _FILETIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_FILETIME@@@Z +; public: __cdecl CDateTime::CDateTime(struct _FILETIME const & __ptr64,struct _SYSTEMTIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_FILETIME@@AEBU_SYSTEMTIME@@@Z +; public: __cdecl CDateTime::CDateTime(struct _SYSTEMTIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_SYSTEMTIME@@@Z +; public: __cdecl CDateTime::CDateTime(void) __ptr64 +??0CDateTime@@QEAA@XZ +; public: __cdecl CDoubleList::CDoubleList(void) __ptr64 +??0CDoubleList@@QEAA@XZ +; public: __cdecl CEtwTracer::CEtwTracer(void) __ptr64 +??0CEtwTracer@@QEAA@XZ +; public: __cdecl CFakeLock::CFakeLock(void) __ptr64 +??0CFakeLock@@QEAA@XZ +; public: __cdecl CLKRHashTable::CLKRHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long,bool) __ptr64 +??0CLKRHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK_N@Z +; public: __cdecl CLKRHashTableStats::CLKRHashTableStats(void) __ptr64 +??0CLKRHashTableStats@@QEAA@XZ +; protected: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(class CLKRHashTable * __ptr64,short) __ptr64 +??0CLKRHashTable_Iterator@@IEAA@PEAVCLKRHashTable@@F@Z +; public: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(class CLKRHashTable_Iterator const & __ptr64) __ptr64 +??0CLKRHashTable_Iterator@@QEAA@AEBV0@@Z +; public: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(void) __ptr64 +??0CLKRHashTable_Iterator@@QEAA@XZ +; private: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64,bool) __ptr64 +??0CLKRLinearHashTable@@AEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAVCLKRHashTable@@_N@Z +; public: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long,bool) __ptr64 +??0CLKRLinearHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK_N@Z +; protected: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(class CLKRLinearHashTable * __ptr64,class CNodeClump * __ptr64,unsigned long,short) __ptr64 +??0CLKRLinearHashTable_Iterator@@IEAA@PEAVCLKRLinearHashTable@@PEAVCNodeClump@@KF@Z +; public: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(class CLKRLinearHashTable_Iterator const & __ptr64) __ptr64 +??0CLKRLinearHashTable_Iterator@@QEAA@AEBV0@@Z +; public: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(void) __ptr64 +??0CLKRLinearHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLockedDoubleList::CLockedDoubleList(void) __ptr64 +??0CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::CLockedSingleList(void) __ptr64 +??0CLockedSingleList@@QEAA@XZ +; public: __cdecl CReaderWriterLock2::CReaderWriterLock2(void) __ptr64 +??0CReaderWriterLock2@@QEAA@XZ +; public: __cdecl CReaderWriterLock3::CReaderWriterLock3(void) __ptr64 +??0CReaderWriterLock3@@QEAA@XZ +; public: __cdecl CReaderWriterLock::CReaderWriterLock(void) __ptr64 +??0CReaderWriterLock@@QEAA@XZ +; public: __cdecl CRtlResource::CRtlResource(void) __ptr64 +??0CRtlResource@@QEAA@XZ +; public: __cdecl CShareLock::CShareLock(void) __ptr64 +??0CShareLock@@QEAA@XZ +; public: __cdecl CSharelock::CSharelock(int,int) __ptr64 +??0CSharelock@@QEAA@HH@Z +; public: __cdecl CSingleList::CSingleList(void) __ptr64 +??0CSingleList@@QEAA@XZ +; public: __cdecl CSmallSpinLock::CSmallSpinLock(void) __ptr64 +??0CSmallSpinLock@@QEAA@XZ +; public: __cdecl CSpinLock::CSpinLock(void) __ptr64 +??0CSpinLock@@QEAA@XZ +; public: __cdecl EVENT_LOG::EVENT_LOG(char const * __ptr64) __ptr64 +??0EVENT_LOG@@QEAA@PEBD@Z +; public: __cdecl EXTLOG_DATETIME_CACHE::EXTLOG_DATETIME_CACHE(void) __ptr64 +??0EXTLOG_DATETIME_CACHE@@QEAA@XZ +; public: __cdecl HASH_TABLE::HASH_TABLE(class HASH_TABLE const & __ptr64) __ptr64 +??0HASH_TABLE@@QEAA@AEBV0@@Z +; public: __cdecl HASH_TABLE::HASH_TABLE(unsigned long,char const * __ptr64,unsigned long) __ptr64 +??0HASH_TABLE@@QEAA@KPEBDK@Z +; public: __cdecl HASH_TABLE_BUCKET::HASH_TABLE_BUCKET(void) __ptr64 +??0HASH_TABLE_BUCKET@@QEAA@XZ +; public: __cdecl HTB_ELEMENT::HTB_ELEMENT(void) __ptr64 +??0HTB_ELEMENT@@QEAA@XZ +; public: __cdecl HT_ELEMENT::HT_ELEMENT(class HT_ELEMENT const & __ptr64) __ptr64 +??0HT_ELEMENT@@QEAA@AEBV0@@Z +; public: __cdecl HT_ELEMENT::HT_ELEMENT(void) __ptr64 +??0HT_ELEMENT@@QEAA@XZ +; public: __cdecl MLSZAU::MLSZAU(class MLSZAU & __ptr64) __ptr64 +??0MLSZAU@@QEAA@AEAV0@@Z +; public: __cdecl MLSZAU::MLSZAU(char * __ptr64 const,int,unsigned long) __ptr64 +??0MLSZAU@@QEAA@QEADHK@Z +; public: __cdecl MLSZAU::MLSZAU(char * __ptr64 const,unsigned long) __ptr64 +??0MLSZAU@@QEAA@QEADK@Z +; public: __cdecl MLSZAU::MLSZAU(unsigned short * __ptr64 const,unsigned long) __ptr64 +??0MLSZAU@@QEAA@QEAGK@Z +; public: __cdecl MLSZAU::MLSZAU(void) __ptr64 +??0MLSZAU@@QEAA@XZ +; public: __cdecl MULTISZ::MULTISZ(class MULTISZ const & __ptr64) __ptr64 +??0MULTISZ@@QEAA@AEBV0@@Z +; public: __cdecl MULTISZ::MULTISZ(char * __ptr64,unsigned long) __ptr64 +??0MULTISZ@@QEAA@PEADK@Z +; public: __cdecl MULTISZ::MULTISZ(char const * __ptr64) __ptr64 +??0MULTISZ@@QEAA@PEBD@Z +; public: __cdecl MULTISZ::MULTISZ(void) __ptr64 +??0MULTISZ@@QEAA@XZ +; public: __cdecl STR::STR(class STR const & __ptr64) __ptr64 +??0STR@@QEAA@AEBV0@@Z +; public: __cdecl STR::STR(unsigned long) __ptr64 +??0STR@@QEAA@K@Z +; public: __cdecl STR::STR(char * __ptr64,unsigned long,int) __ptr64 +??0STR@@QEAA@PEADKH@Z +; public: __cdecl STR::STR(char const * __ptr64) __ptr64 +??0STR@@QEAA@PEBD@Z +; public: __cdecl STR::STR(void) __ptr64 +??0STR@@QEAA@XZ +; private: __cdecl STRA::STRA(class STRA const & __ptr64) __ptr64 +??0STRA@@AEAA@AEBV0@@Z +; private: __cdecl STRA::STRA(char * __ptr64) __ptr64 +??0STRA@@AEAA@PEAD@Z +; private: __cdecl STRA::STRA(char const * __ptr64) __ptr64 +??0STRA@@AEAA@PEBD@Z +; public: __cdecl STRA::STRA(char * __ptr64,unsigned long) __ptr64 +??0STRA@@QEAA@PEADK@Z +; public: __cdecl STRA::STRA(void) __ptr64 +??0STRA@@QEAA@XZ +; public: __cdecl STRAU::STRAU(class STRAU & __ptr64) __ptr64 +??0STRAU@@QEAA@AEAV0@@Z +; public: __cdecl STRAU::STRAU(char const * __ptr64) __ptr64 +??0STRAU@@QEAA@PEBD@Z +; public: __cdecl STRAU::STRAU(char const * __ptr64,int) __ptr64 +??0STRAU@@QEAA@PEBDH@Z +; public: __cdecl STRAU::STRAU(unsigned short const * __ptr64) __ptr64 +??0STRAU@@QEAA@PEBG@Z +; public: __cdecl STRAU::STRAU(void) __ptr64 +??0STRAU@@QEAA@XZ +; private: __cdecl STRU::STRU(class STRU const & __ptr64) __ptr64 +??0STRU@@AEAA@AEBV0@@Z +; private: __cdecl STRU::STRU(unsigned short * __ptr64) __ptr64 +??0STRU@@AEAA@PEAG@Z +; private: __cdecl STRU::STRU(unsigned short const * __ptr64) __ptr64 +??0STRU@@AEAA@PEBG@Z +; public: __cdecl STRU::STRU(unsigned short * __ptr64,unsigned long) __ptr64 +??0STRU@@QEAA@PEAGK@Z +; public: __cdecl STRU::STRU(void) __ptr64 +??0STRU@@QEAA@XZ +; public: __cdecl TS_RESOURCE::TS_RESOURCE(void) __ptr64 +??0TS_RESOURCE@@QEAA@XZ +; public: __cdecl W3_DATETIME_CACHE::W3_DATETIME_CACHE(void) __ptr64 +??0W3_DATETIME_CACHE@@QEAA@XZ +; public: __cdecl ALLOC_CACHE_HANDLER::~ALLOC_CACHE_HANDLER(void) __ptr64 +??1ALLOC_CACHE_HANDLER@@QEAA@XZ +; public: virtual __cdecl ASCLOG_DATETIME_CACHE::~ASCLOG_DATETIME_CACHE(void) __ptr64 +??1ASCLOG_DATETIME_CACHE@@UEAA@XZ +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: virtual __cdecl CACHED_DATETIME_FORMATS::~CACHED_DATETIME_FORMATS(void) __ptr64 +??1CACHED_DATETIME_FORMATS@@UEAA@XZ +; public: __cdecl CCritSec::~CCritSec(void) __ptr64 +??1CCritSec@@QEAA@XZ +; public: __cdecl CDoubleList::~CDoubleList(void) __ptr64 +??1CDoubleList@@QEAA@XZ +; public: __cdecl CEtwTracer::~CEtwTracer(void) __ptr64 +??1CEtwTracer@@QEAA@XZ +; public: __cdecl CFakeLock::~CFakeLock(void) __ptr64 +??1CFakeLock@@QEAA@XZ +; public: __cdecl CLKRHashTable::~CLKRHashTable(void) __ptr64 +??1CLKRHashTable@@QEAA@XZ +; public: __cdecl CLKRHashTable_Iterator::~CLKRHashTable_Iterator(void) __ptr64 +??1CLKRHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLKRLinearHashTable::~CLKRLinearHashTable(void) __ptr64 +??1CLKRLinearHashTable@@QEAA@XZ +; public: __cdecl CLKRLinearHashTable_Iterator::~CLKRLinearHashTable_Iterator(void) __ptr64 +??1CLKRLinearHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLockedDoubleList::~CLockedDoubleList(void) __ptr64 +??1CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::~CLockedSingleList(void) __ptr64 +??1CLockedSingleList@@QEAA@XZ +; public: __cdecl CRtlResource::~CRtlResource(void) __ptr64 +??1CRtlResource@@QEAA@XZ +; public: __cdecl CShareLock::~CShareLock(void) __ptr64 +??1CShareLock@@QEAA@XZ +; public: __cdecl CSharelock::~CSharelock(void) __ptr64 +??1CSharelock@@QEAA@XZ +; public: __cdecl CSingleList::~CSingleList(void) __ptr64 +??1CSingleList@@QEAA@XZ +; public: __cdecl EVENT_LOG::~EVENT_LOG(void) __ptr64 +??1EVENT_LOG@@QEAA@XZ +; public: virtual __cdecl EXTLOG_DATETIME_CACHE::~EXTLOG_DATETIME_CACHE(void) __ptr64 +??1EXTLOG_DATETIME_CACHE@@UEAA@XZ +; public: virtual __cdecl HASH_TABLE::~HASH_TABLE(void) __ptr64 +??1HASH_TABLE@@UEAA@XZ +; public: __cdecl HASH_TABLE_BUCKET::~HASH_TABLE_BUCKET(void) __ptr64 +??1HASH_TABLE_BUCKET@@QEAA@XZ +; public: __cdecl HTB_ELEMENT::~HTB_ELEMENT(void) __ptr64 +??1HTB_ELEMENT@@QEAA@XZ +; public: virtual __cdecl HT_ELEMENT::~HT_ELEMENT(void) __ptr64 +??1HT_ELEMENT@@UEAA@XZ +; public: __cdecl MLSZAU::~MLSZAU(void) __ptr64 +??1MLSZAU@@QEAA@XZ +; public: __cdecl MULTISZ::~MULTISZ(void) __ptr64 +??1MULTISZ@@QEAA@XZ +; public: __cdecl STR::~STR(void) __ptr64 +??1STR@@QEAA@XZ +; public: __cdecl STRA::~STRA(void) __ptr64 +??1STRA@@QEAA@XZ +; public: __cdecl STRAU::~STRAU(void) __ptr64 +??1STRAU@@QEAA@XZ +; public: __cdecl STRU::~STRU(void) __ptr64 +??1STRU@@QEAA@XZ +; public: __cdecl TS_RESOURCE::~TS_RESOURCE(void) __ptr64 +??1TS_RESOURCE@@QEAA@XZ +; public: virtual __cdecl W3_DATETIME_CACHE::~W3_DATETIME_CACHE(void) __ptr64 +??1W3_DATETIME_CACHE@@UEAA@XZ +; public: static void * __ptr64 __cdecl CLKRLinearHashTable::operator new(unsigned __int64) +??2CLKRLinearHashTable@@SAPEAX_K@Z +; public: static void __cdecl CLKRLinearHashTable::operator delete(void * __ptr64) +??3CLKRLinearHashTable@@SAXPEAX@Z +; public: class CDataCache & __ptr64 __cdecl CDataCache::operator=(class CDataCache const & __ptr64) __ptr64 +??4?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAAAEAV0@AEBV0@@Z +; public: class CDataCache & __ptr64 __cdecl CDataCache::operator=(class CDataCache const & __ptr64) __ptr64 +??4?$CDataCache@VCDateTime@@@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<1,1,3,1,3,2> & __ptr64 __cdecl CLockBase<1,1,3,1,3,2>::operator=(class CLockBase<1,1,3,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$00$00$02$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<2,1,1,1,3,2> & __ptr64 __cdecl CLockBase<2,1,1,1,3,2>::operator=(class CLockBase<2,1,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$01$00$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<3,1,1,1,1,1> & __ptr64 __cdecl CLockBase<3,1,1,1,1,1>::operator=(class CLockBase<3,1,1,1,1,1> const & __ptr64) __ptr64 +??4?$CLockBase@$02$00$00$00$00$00@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<4,1,1,2,3,3> & __ptr64 __cdecl CLockBase<4,1,1,2,3,3>::operator=(class CLockBase<4,1,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$03$00$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<5,2,1,2,3,3> & __ptr64 __cdecl CLockBase<5,2,1,2,3,3>::operator=(class CLockBase<5,2,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$04$01$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<6,2,1,2,3,3> & __ptr64 __cdecl CLockBase<6,2,1,2,3,3>::operator=(class CLockBase<6,2,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$05$01$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<7,2,2,1,3,2> & __ptr64 __cdecl CLockBase<7,2,2,1,3,2>::operator=(class CLockBase<7,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$06$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<8,2,2,1,3,2> & __ptr64 __cdecl CLockBase<8,2,2,1,3,2>::operator=(class CLockBase<8,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$07$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<9,2,1,1,3,2> & __ptr64 __cdecl CLockBase<9,2,1,1,3,2>::operator=(class CLockBase<9,2,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$08$01$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class ALLOC_CACHE_HANDLER & __ptr64 __cdecl ALLOC_CACHE_HANDLER::operator=(class ALLOC_CACHE_HANDLER const & __ptr64) __ptr64 +??4ALLOC_CACHE_HANDLER@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER & __ptr64 __cdecl BUFFER::operator=(class BUFFER const & __ptr64) __ptr64 +??4BUFFER@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER_CHAIN & __ptr64 __cdecl BUFFER_CHAIN::operator=(class BUFFER_CHAIN const & __ptr64) __ptr64 +??4BUFFER_CHAIN@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER_CHAIN_ITEM & __ptr64 __cdecl BUFFER_CHAIN_ITEM::operator=(class BUFFER_CHAIN_ITEM const & __ptr64) __ptr64 +??4BUFFER_CHAIN_ITEM@@QEAAAEAV0@AEBV0@@Z +; public: class CCritSec & __ptr64 __cdecl CCritSec::operator=(class CCritSec const & __ptr64) __ptr64 +??4CCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CDFTCache & __ptr64 __cdecl CDFTCache::operator=(class CDFTCache const & __ptr64) __ptr64 +??4CDFTCache@@QEAAAEAV0@AEBV0@@Z +; public: class CDateTime & __ptr64 __cdecl CDateTime::operator=(class CDateTime const & __ptr64) __ptr64 +??4CDateTime@@QEAAAEAV0@AEBV0@@Z +; public: class CDoubleList & __ptr64 __cdecl CDoubleList::operator=(class CDoubleList const & __ptr64) __ptr64 +??4CDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CFakeLock & __ptr64 __cdecl CFakeLock::operator=(class CFakeLock const & __ptr64) __ptr64 +??4CFakeLock@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRHashTableStats & __ptr64 __cdecl CLKRHashTableStats::operator=(class CLKRHashTableStats const & __ptr64) __ptr64 +??4CLKRHashTableStats@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRHashTable_Iterator & __ptr64 __cdecl CLKRHashTable_Iterator::operator=(class CLKRHashTable_Iterator const & __ptr64) __ptr64 +??4CLKRHashTable_Iterator@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRLinearHashTable_Iterator & __ptr64 __cdecl CLKRLinearHashTable_Iterator::operator=(class CLKRLinearHashTable_Iterator const & __ptr64) __ptr64 +??4CLKRLinearHashTable_Iterator@@QEAAAEAV0@AEBV0@@Z +; public: class CLockedDoubleList & __ptr64 __cdecl CLockedDoubleList::operator=(class CLockedDoubleList const & __ptr64) __ptr64 +??4CLockedDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CLockedSingleList & __ptr64 __cdecl CLockedSingleList::operator=(class CLockedSingleList const & __ptr64) __ptr64 +??4CLockedSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock2 & __ptr64 __cdecl CReaderWriterLock2::operator=(class CReaderWriterLock2 const & __ptr64) __ptr64 +??4CReaderWriterLock2@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock3 & __ptr64 __cdecl CReaderWriterLock3::operator=(class CReaderWriterLock3 const & __ptr64) __ptr64 +??4CReaderWriterLock3@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock & __ptr64 __cdecl CReaderWriterLock::operator=(class CReaderWriterLock const & __ptr64) __ptr64 +??4CReaderWriterLock@@QEAAAEAV0@AEBV0@@Z +; public: class CRtlResource & __ptr64 __cdecl CRtlResource::operator=(class CRtlResource const & __ptr64) __ptr64 +??4CRtlResource@@QEAAAEAV0@AEBV0@@Z +; public: class CSingleList & __ptr64 __cdecl CSingleList::operator=(class CSingleList const & __ptr64) __ptr64 +??4CSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CSmallSpinLock & __ptr64 __cdecl CSmallSpinLock::operator=(class CSmallSpinLock const & __ptr64) __ptr64 +??4CSmallSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: class CSpinLock & __ptr64 __cdecl CSpinLock::operator=(class CSpinLock const & __ptr64) __ptr64 +??4CSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: struct DATETIME_FORMAT_ENTRY & __ptr64 __cdecl DATETIME_FORMAT_ENTRY::operator=(struct DATETIME_FORMAT_ENTRY const & __ptr64) __ptr64 +??4DATETIME_FORMAT_ENTRY@@QEAAAEAU0@AEBU0@@Z +; public: class EVENT_LOG & __ptr64 __cdecl EVENT_LOG::operator=(class EVENT_LOG const & __ptr64) __ptr64 +??4EVENT_LOG@@QEAAAEAV0@AEBV0@@Z +; public: class HASH_TABLE & __ptr64 __cdecl HASH_TABLE::operator=(class HASH_TABLE const & __ptr64) __ptr64 +??4HASH_TABLE@@QEAAAEAV0@AEBV0@@Z +; public: class HASH_TABLE_BUCKET & __ptr64 __cdecl HASH_TABLE_BUCKET::operator=(class HASH_TABLE_BUCKET const & __ptr64) __ptr64 +??4HASH_TABLE_BUCKET@@QEAAAEAV0@AEBV0@@Z +; public: struct HTB_ELEMENT & __ptr64 __cdecl HTB_ELEMENT::operator=(struct HTB_ELEMENT const & __ptr64) __ptr64 +??4HTB_ELEMENT@@QEAAAEAU0@AEBU0@@Z +; public: class HT_ELEMENT & __ptr64 __cdecl HT_ELEMENT::operator=(class HT_ELEMENT const & __ptr64) __ptr64 +??4HT_ELEMENT@@QEAAAEAV0@AEBV0@@Z +; public: class MLSZAU & __ptr64 __cdecl MLSZAU::operator=(class MLSZAU const & __ptr64) __ptr64 +??4MLSZAU@@QEAAAEAV0@AEBV0@@Z +; public: class MULTISZ & __ptr64 __cdecl MULTISZ::operator=(class MULTISZ const & __ptr64) __ptr64 +??4MULTISZ@@QEAAAEAV0@AEBV0@@Z +; public: class STR & __ptr64 __cdecl STR::operator=(class STR const & __ptr64) __ptr64 +??4STR@@QEAAAEAV0@AEBV0@@Z +; private: class STRA & __ptr64 __cdecl STRA::operator=(class STRA const & __ptr64) __ptr64 +??4STRA@@AEAAAEAV0@AEBV0@@Z +; public: class STRAU & __ptr64 __cdecl STRAU::operator=(class STRAU const & __ptr64) __ptr64 +??4STRAU@@QEAAAEAV0@AEBV0@@Z +; private: class STRU & __ptr64 __cdecl STRU::operator=(class STRU const & __ptr64) __ptr64 +??4STRU@@AEAAAEAV0@AEBV0@@Z +; public: class TS_RESOURCE & __ptr64 __cdecl TS_RESOURCE::operator=(class TS_RESOURCE const & __ptr64) __ptr64 +??4TS_RESOURCE@@QEAAAEAV0@AEBV0@@Z +; public: bool __cdecl CLKRHashTable_Iterator::operator==(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +??8CLKRHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRLinearHashTable_Iterator::operator==(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +??8CLKRLinearHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRHashTable_Iterator::operator!=(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +??9CLKRHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRLinearHashTable_Iterator::operator!=(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +??9CLKRLinearHashTable_Iterator@@QEBA_NAEBV0@@Z +; const ASCLOG_DATETIME_CACHE::`vftable' +??_7ASCLOG_DATETIME_CACHE@@6B@ +; const CACHED_DATETIME_FORMATS::`vftable' +??_7CACHED_DATETIME_FORMATS@@6B@ +; const EXTLOG_DATETIME_CACHE::`vftable' +??_7EXTLOG_DATETIME_CACHE@@6B@ +; const HASH_TABLE::`vftable' +??_7HASH_TABLE@@6B@ +; const HT_ELEMENT::`vftable' +??_7HT_ELEMENT@@6B@ +; const W3_DATETIME_CACHE::`vftable' +??_7W3_DATETIME_CACHE@@6B@ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void __cdecl CSharelock::`default constructor closure'(void) __ptr64 +??_FCSharelock@@QEAAXXZ +; public: int __cdecl CSharelock::ActiveUsers(void) __ptr64 +?ActiveUsers@CSharelock@@QEAAHXZ +; public: void * __ptr64 __cdecl ALLOC_CACHE_HANDLER::Alloc(void) __ptr64 +?Alloc@ALLOC_CACHE_HANDLER@@QEAAPEAXXZ +; public: int __cdecl MULTISZ::Append(class STR const & __ptr64) __ptr64 +?Append@MULTISZ@@QEAAHAEBVSTR@@@Z +; public: int __cdecl MULTISZ::Append(char const * __ptr64) __ptr64 +?Append@MULTISZ@@QEAAHPEBD@Z +; public: int __cdecl MULTISZ::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@MULTISZ@@QEAAHPEBDK@Z +; public: int __cdecl STR::Append(class STR const & __ptr64) __ptr64 +?Append@STR@@QEAAHAEBV1@@Z +; public: int __cdecl STR::Append(char const * __ptr64) __ptr64 +?Append@STR@@QEAAHPEBD@Z +; public: int __cdecl STR::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@STR@@QEAAHPEBDK@Z +; public: void __cdecl STR::Append(char) __ptr64 +?Append@STR@@QEAAXD@Z +; public: void __cdecl STR::Append(char,char) __ptr64 +?Append@STR@@QEAAXDD@Z +; public: long __cdecl STRA::Append(class STRA const & __ptr64) __ptr64 +?Append@STRA@@QEAAJAEBV1@@Z +; public: long __cdecl STRA::Append(char const * __ptr64) __ptr64 +?Append@STRA@@QEAAJPEBD@Z +; public: long __cdecl STRA::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@STRA@@QEAAJPEBDK@Z +; public: int __cdecl STRAU::Append(class STRAU & __ptr64) __ptr64 +?Append@STRAU@@QEAAHAEAV1@@Z +; public: int __cdecl STRAU::Append(char const * __ptr64) __ptr64 +?Append@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@STRAU@@QEAAHPEBDK@Z +; public: int __cdecl STRAU::Append(unsigned short const * __ptr64) __ptr64 +?Append@STRAU@@QEAAHPEBG@Z +; public: int __cdecl STRAU::Append(unsigned short const * __ptr64,unsigned long) __ptr64 +?Append@STRAU@@QEAAHPEBGK@Z +; public: long __cdecl STRU::Append(class STRU const & __ptr64) __ptr64 +?Append@STRU@@QEAAJAEBV1@@Z +; public: long __cdecl STRU::Append(unsigned short const * __ptr64) __ptr64 +?Append@STRU@@QEAAJPEBG@Z +; public: long __cdecl STRU::Append(unsigned short const * __ptr64,unsigned long) __ptr64 +?Append@STRU@@QEAAJPEBGK@Z +; public: long __cdecl STRU::AppendA(char const * __ptr64) __ptr64 +?AppendA@STRU@@QEAAJPEBD@Z +; public: int __cdecl BUFFER_CHAIN::AppendBuffer(class BUFFER_CHAIN_ITEM * __ptr64) __ptr64 +?AppendBuffer@BUFFER_CHAIN@@QEAAHPEAVBUFFER_CHAIN_ITEM@@@Z +; public: void __cdecl STR::AppendCRLF(void) __ptr64 +?AppendCRLF@STR@@QEAAXXZ +; public: long __cdecl STRA::AppendW(unsigned short const * __ptr64) __ptr64 +?AppendW@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::AppendW(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppendW@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::AppendWTruncate(unsigned short const * __ptr64) __ptr64 +?AppendWTruncate@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::AppendWTruncate(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppendWTruncate@STRA@@QEAAJPEBGK@Z +; public: unsigned long __cdecl CLKRHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRLinearHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; private: int __cdecl MULTISZ::AuxAppend(unsigned char const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@MULTISZ@@AEAAHPEBEIH@Z +; private: int __cdecl STR::AuxAppend(unsigned char const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@STR@@AEAAHPEBEIH@Z +; private: long __cdecl STRA::AuxAppend(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppend@STRA@@AEAAJPEBEKKH@Z +; private: int __cdecl STRAU::AuxAppend(char const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@STRAU@@AEAAHPEBDIH@Z +; private: int __cdecl STRAU::AuxAppend(unsigned short const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@STRAU@@AEAAHPEBGIH@Z +; private: long __cdecl STRU::AuxAppend(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppend@STRU@@AEAAJPEBEKKH@Z +; private: long __cdecl STRU::AuxAppendA(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendA@STRU@@AEAAJPEBEKKH@Z +; private: long __cdecl STRA::AuxAppendW(unsigned short const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendW@STRA@@AEAAJPEBGKKH@Z +; private: long __cdecl STRA::AuxAppendWTruncate(unsigned short const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendWTruncate@STRA@@AEAAJPEBGKKH@Z +; private: void __cdecl MLSZAU::AuxInit(char * __ptr64 const,unsigned long) __ptr64 +?AuxInit@MLSZAU@@AEAAXQEADK@Z +; private: void __cdecl MLSZAU::AuxInit(unsigned short * __ptr64 const,unsigned long) __ptr64 +?AuxInit@MLSZAU@@AEAAXQEAGK@Z +; private: void __cdecl MULTISZ::AuxInit(unsigned char const * __ptr64) __ptr64 +?AuxInit@MULTISZ@@AEAAXPEBE@Z +; private: void __cdecl STR::AuxInit(unsigned char const * __ptr64) __ptr64 +?AuxInit@STR@@AEAAXPEBE@Z +; private: void __cdecl STRAU::AuxInit(char const * __ptr64) __ptr64 +?AuxInit@STRAU@@AEAAXPEBD@Z +; private: void __cdecl STRAU::AuxInit(unsigned short const * __ptr64) __ptr64 +?AuxInit@STRAU@@AEAAXPEBG@Z +; public: class CLKRHashTable_Iterator __cdecl CLKRHashTable::Begin(void) __ptr64 +?Begin@CLKRHashTable@@QEAA?AVCLKRHashTable_Iterator@@XZ +; public: class CLKRLinearHashTable_Iterator __cdecl CLKRLinearHashTable::Begin(void) __ptr64 +?Begin@CLKRLinearHashTable@@QEAA?AVCLKRLinearHashTable_Iterator@@XZ +; public: static long __cdecl CLKRHashTableStats::BucketIndex(long) +?BucketIndex@CLKRHashTableStats@@SAJJ@Z +; public: static long __cdecl CLKRHashTableStats::BucketSize(long) +?BucketSize@CLKRHashTableStats@@SAJJ@Z +; public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void) +?BucketSizes@CLKRHashTableStats@@SAPEBJXZ +; public: static unsigned long __cdecl MULTISZ::CalcLength(char const * __ptr64,unsigned long * __ptr64) +?CalcLength@MULTISZ@@SAKPEBDPEAK@Z +; public: unsigned long __cdecl BUFFER_CHAIN::CalcTotalSize(int)const __ptr64 +?CalcTotalSize@BUFFER_CHAIN@@QEBAKH@Z +; public: virtual unsigned long __cdecl HASH_TABLE::CalculateHash(char const * __ptr64)const __ptr64 +?CalculateHash@HASH_TABLE@@UEBAKPEBD@Z +; public: virtual unsigned long __cdecl HASH_TABLE::CalculateHash(char const * __ptr64,unsigned long)const __ptr64 +?CalculateHash@HASH_TABLE@@UEBAKPEBDK@Z +CanonURL +; public: void __cdecl CSharelock::ChangeExclusiveLockToSharedLock(void) __ptr64 +?ChangeExclusiveLockToSharedLock@CSharelock@@QEAAXXZ +; public: unsigned char __cdecl CSharelock::ChangeSharedLockToExclusiveLock(int) __ptr64 +?ChangeSharedLockToExclusiveLock@CSharelock@@QEAAEH@Z +; public: int __cdecl CLKRHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRHashTable@@QEBAHXZ +; public: int __cdecl CLKRLinearHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRLinearHashTable@@QEBAHXZ +; public: unsigned char __cdecl CSharelock::ClaimExclusiveLock(int) __ptr64 +?ClaimExclusiveLock@CSharelock@@QEAAEH@Z +; public: unsigned char __cdecl CSharelock::ClaimShareLock(int) __ptr64 +?ClaimShareLock@CSharelock@@QEAAEH@Z +; public: static char const * __ptr64 __cdecl CCritSec::ClassName(void) +?ClassName@CCritSec@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CCritSec::ClassName(void) +?ClassName@CCritSec@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CFakeLock::ClassName(void) +?ClassName@CFakeLock@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CFakeLock::ClassName(void) +?ClassName@CFakeLock@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CLKRHashTable::ClassName(void) +?ClassName@CLKRHashTable@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CLKRLinearHashTable::ClassName(void) +?ClassName@CLKRLinearHashTable@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock2::ClassName(void) +?ClassName@CReaderWriterLock2@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock2::ClassName(void) +?ClassName@CReaderWriterLock2@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock3::ClassName(void) +?ClassName@CReaderWriterLock3@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock3::ClassName(void) +?ClassName@CReaderWriterLock3@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock::ClassName(void) +?ClassName@CReaderWriterLock@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock::ClassName(void) +?ClassName@CReaderWriterLock@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CRtlResource::ClassName(void) +?ClassName@CRtlResource@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CShareLock::ClassName(void) +?ClassName@CShareLock@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CSmallSpinLock::ClassName(void) +?ClassName@CSmallSpinLock@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CSmallSpinLock::ClassName(void) +?ClassName@CSmallSpinLock@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CSpinLock::ClassName(void) +?ClassName@CSpinLock@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CSpinLock::ClassName(void) +?ClassName@CSpinLock@@SAPEBGXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::Cleanup(void) +?Cleanup@ALLOC_CACHE_HANDLER@@SAHXZ +; public: void __cdecl HASH_TABLE::Cleanup(void) __ptr64 +?Cleanup@HASH_TABLE@@QEAAXXZ +; public: void __cdecl HTB_ELEMENT::Cleanup(void) __ptr64 +?Cleanup@HTB_ELEMENT@@QEAAXXZ +; public: static void __cdecl ALLOC_CACHE_HANDLER::CleanupAllLookasides(void * __ptr64,unsigned char) +?CleanupAllLookasides@ALLOC_CACHE_HANDLER@@SAXPEAXE@Z +; public: void __cdecl ALLOC_CACHE_HANDLER::CleanupLookaside(int) __ptr64 +?CleanupLookaside@ALLOC_CACHE_HANDLER@@QEAAXH@Z +; public: void __cdecl CLKRHashTable::Clear(void) __ptr64 +?Clear@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::Clear(void) __ptr64 +?Clear@CLKRLinearHashTable@@QEAAXXZ +; public: void __cdecl STR::Clear(void) __ptr64 +?Clear@STR@@QEAAXXZ +; public: int __cdecl MULTISZ::Clone(class MULTISZ * __ptr64)const __ptr64 +?Clone@MULTISZ@@QEBAHPEAV1@@Z +; public: int __cdecl STR::Clone(class STR * __ptr64)const __ptr64 +?Clone@STR@@QEBAHPEAV1@@Z +; public: long __cdecl STRA::Clone(class STRA * __ptr64)const __ptr64 +?Clone@STRA@@QEBAJPEAV1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::CloseIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?CloseIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::CloseIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?CloseIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::CloseIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?CloseIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::CloseIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?CloseIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: unsigned long __cdecl HASH_TABLE::CloseIterator(struct HT_ITERATOR * __ptr64) __ptr64 +?CloseIterator@HASH_TABLE@@QEAAKPEAUHT_ITERATOR@@@Z +; public: unsigned long __cdecl HASH_TABLE_BUCKET::CloseIterator(struct HT_ITERATOR * __ptr64) __ptr64 +?CloseIterator@HASH_TABLE_BUCKET@@QEAAKPEAUHT_ITERATOR@@@Z +; public: void __cdecl TS_RESOURCE::Convert(enum TSRES_CONV_TYPE) __ptr64 +?Convert@TS_RESOURCE@@QEAAXW4TSRES_CONV_TYPE@@@Z +; public: void __cdecl CCritSec::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSpinLock@@QEAAXXZ +; public: void __cdecl CCritSec::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSpinLock@@QEAAXXZ +; public: int __cdecl MULTISZ::Copy(class MULTISZ const & __ptr64) __ptr64 +?Copy@MULTISZ@@QEAAHAEBV1@@Z +; public: int __cdecl MULTISZ::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@MULTISZ@@QEAAHPEBDK@Z +; public: int __cdecl STR::Copy(class STR const & __ptr64) __ptr64 +?Copy@STR@@QEAAHAEBV1@@Z +; public: int __cdecl STR::Copy(char const * __ptr64) __ptr64 +?Copy@STR@@QEAAHPEBD@Z +; public: int __cdecl STR::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@STR@@QEAAHPEBDK@Z +; public: long __cdecl STRA::Copy(class STRA const & __ptr64) __ptr64 +?Copy@STRA@@QEAAJAEBV1@@Z +; public: long __cdecl STRA::Copy(char const * __ptr64) __ptr64 +?Copy@STRA@@QEAAJPEBD@Z +; public: long __cdecl STRA::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@STRA@@QEAAJPEBDK@Z +; public: int __cdecl STRAU::Copy(class STRAU & __ptr64) __ptr64 +?Copy@STRAU@@QEAAHAEAV1@@Z +; public: int __cdecl STRAU::Copy(char const * __ptr64) __ptr64 +?Copy@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@STRAU@@QEAAHPEBDK@Z +; public: int __cdecl STRAU::Copy(unsigned short const * __ptr64) __ptr64 +?Copy@STRAU@@QEAAHPEBG@Z +; public: int __cdecl STRAU::Copy(unsigned short const * __ptr64,unsigned long) __ptr64 +?Copy@STRAU@@QEAAHPEBGK@Z +; public: long __cdecl STRU::Copy(class STRU const & __ptr64) __ptr64 +?Copy@STRU@@QEAAJAEBV1@@Z +; public: long __cdecl STRU::Copy(unsigned short const * __ptr64) __ptr64 +?Copy@STRU@@QEAAJPEBG@Z +; public: long __cdecl STRU::Copy(unsigned short const * __ptr64,unsigned long) __ptr64 +?Copy@STRU@@QEAAJPEBGK@Z +; public: long __cdecl STRU::CopyA(char const * __ptr64) __ptr64 +?CopyA@STRU@@QEAAJPEBD@Z +; public: long __cdecl STRU::CopyA(char const * __ptr64,unsigned long) __ptr64 +?CopyA@STRU@@QEAAJPEBDK@Z +; public: long __cdecl STRA::CopyBinary(void * __ptr64,unsigned long) __ptr64 +?CopyBinary@STRA@@QEAAJPEAXK@Z +; public: int __cdecl CDFTCache::CopyFormattedData(struct _SYSTEMTIME const * __ptr64,char * __ptr64)const __ptr64 +?CopyFormattedData@CDFTCache@@QEBAHPEBU_SYSTEMTIME@@PEAD@Z +; public: void __cdecl DATETIME_FORMAT_ENTRY::CopyFormattedData(struct _SYSTEMTIME const * __ptr64,char * __ptr64)const __ptr64 +?CopyFormattedData@DATETIME_FORMAT_ENTRY@@QEBAXPEBU_SYSTEMTIME@@PEAD@Z +; public: int __cdecl MULTISZ::CopyToBuffer(char * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@MULTISZ@@QEBAHPEADPEAK@Z +; public: int __cdecl STR::CopyToBuffer(char * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STR@@QEBAHPEADPEAK@Z +; public: int __cdecl STR::CopyToBuffer(unsigned short * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STR@@QEBAHPEAGPEAK@Z +; public: long __cdecl STRA::CopyToBuffer(char * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STRA@@QEBAJPEADPEAK@Z +; public: long __cdecl STRU::CopyToBuffer(unsigned short * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STRU@@QEBAJPEAGPEAK@Z +; public: long __cdecl STRA::CopyW(unsigned short const * __ptr64) __ptr64 +?CopyW@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyW(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyW@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWToUTF8(class STRU const & __ptr64) __ptr64 +?CopyWToUTF8@STRA@@QEAAJAEBVSTRU@@@Z +; public: long __cdecl STRA::CopyWToUTF8(unsigned short const * __ptr64) __ptr64 +?CopyWToUTF8@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWToUTF8(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWToUTF8@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(class STRU const & __ptr64) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJAEBVSTRU@@@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(unsigned short const * __ptr64) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWTruncate(unsigned short const * __ptr64) __ptr64 +?CopyWTruncate@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWTruncate(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWTruncate@STRA@@QEAAJPEBGK@Z +CreateKey +; public: unsigned long __cdecl CDFTCache::DateTimeChars(void)const __ptr64 +?DateTimeChars@CDFTCache@@QEBAKXZ +; char const * __ptr64 __cdecl DayOfWeek3CharNames(unsigned long) +?DayOfWeek3CharNames@@YAPEBDK@Z +; public: void __cdecl HTB_ELEMENT::DecrementElements(void) __ptr64 +?DecrementElements@HTB_ELEMENT@@QEAAXXZ +; public: int __cdecl HASH_TABLE::Delete(class HT_ELEMENT * __ptr64) __ptr64 +?Delete@HASH_TABLE@@QEAAHPEAVHT_ELEMENT@@@Z +; public: int __cdecl HASH_TABLE_BUCKET::Delete(class HT_ELEMENT * __ptr64) __ptr64 +?Delete@HASH_TABLE_BUCKET@@QEAAHPEAVHT_ELEMENT@@@Z +; public: int __cdecl HTB_ELEMENT::Delete(class HT_ELEMENT * __ptr64) __ptr64 +?Delete@HTB_ELEMENT@@QEAAHPEAVHT_ELEMENT@@@Z +; public: unsigned long __cdecl BUFFER_CHAIN::DeleteChain(void) __ptr64 +?DeleteChain@BUFFER_CHAIN@@QEAAKXZ +; public: unsigned long __cdecl CLKRHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: unsigned long __cdecl CLKRLinearHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: virtual unsigned long __cdecl CEtwTracer::DisableEventsCallbackCustomHandler(void) __ptr64 +?DisableEventsCallbackCustomHandler@CEtwTracer@@UEAAKXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::DumpStatsToHtml(char * __ptr64,unsigned long * __ptr64) +?DumpStatsToHtml@ALLOC_CACHE_HANDLER@@SAHPEADPEAK@Z +; public: virtual unsigned long __cdecl CEtwTracer::EnableEventsCallbackCustomHandler(void) __ptr64 +?EnableEventsCallbackCustomHandler@CEtwTracer@@UEAAKXZ +; public: class CLKRHashTable_Iterator __cdecl CLKRHashTable::End(void) __ptr64 +?End@CLKRHashTable@@QEAA?AVCLKRHashTable_Iterator@@XZ +; public: class CLKRLinearHashTable_Iterator __cdecl CLKRLinearHashTable::End(void) __ptr64 +?End@CLKRLinearHashTable@@QEAA?AVCLKRLinearHashTable_Iterator@@XZ +; public: int __cdecl STR::Equ(class STR const & __ptr64)const __ptr64 +?Equ@STR@@QEBAHAEBV1@@Z +; public: int __cdecl STR::Equ(char * __ptr64)const __ptr64 +?Equ@STR@@QEBAHPEAD@Z +; public: bool __cdecl CLKRHashTable::EqualRange(unsigned __int64,class CLKRHashTable_Iterator & __ptr64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?EqualRange@CLKRHashTable@@QEAA_N_KAEAVCLKRHashTable_Iterator@@1@Z +; public: bool __cdecl CLKRLinearHashTable::EqualRange(unsigned __int64,class CLKRLinearHashTable_Iterator & __ptr64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?EqualRange@CLKRLinearHashTable@@QEAA_N_KAEAVCLKRLinearHashTable_Iterator@@1@Z +; public: int __cdecl STRA::Equals(class STRA const & __ptr64)const __ptr64 +?Equals@STRA@@QEBAHAEBV1@@Z +; public: int __cdecl STRA::Equals(char * __ptr64 const)const __ptr64 +?Equals@STRA@@QEBAHQEAD@Z +; public: int __cdecl STRU::Equals(class STRU const & __ptr64)const __ptr64 +?Equals@STRU@@QEBAHAEBV1@@Z +; public: int __cdecl STRU::Equals(unsigned short const * __ptr64)const __ptr64 +?Equals@STRU@@QEBAHPEBG@Z +; public: int __cdecl STRA::EqualsNoCase(class STRA const & __ptr64)const __ptr64 +?EqualsNoCase@STRA@@QEBAHAEBV1@@Z +; public: int __cdecl STRA::EqualsNoCase(char * __ptr64 const)const __ptr64 +?EqualsNoCase@STRA@@QEBAHQEAD@Z +; public: int __cdecl STRU::EqualsNoCase(class STRU const & __ptr64)const __ptr64 +?EqualsNoCase@STRU@@QEBAHAEBV1@@Z +; public: int __cdecl STRU::EqualsNoCase(unsigned short const * __ptr64)const __ptr64 +?EqualsNoCase@STRU@@QEBAHPEBG@Z +; public: bool __cdecl CLKRHashTable::Erase(class CLKRHashTable_Iterator & __ptr64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRHashTable@@QEAA_NAEAVCLKRHashTable_Iterator@@0@Z +; public: bool __cdecl CLKRHashTable::Erase(class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRHashTable@@QEAA_NAEAVCLKRHashTable_Iterator@@@Z +; public: bool __cdecl CLKRLinearHashTable::Erase(class CLKRLinearHashTable_Iterator & __ptr64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRLinearHashTable@@QEAA_NAEAVCLKRLinearHashTable_Iterator@@0@Z +; public: bool __cdecl CLKRLinearHashTable::Erase(class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRLinearHashTable@@QEAA_NAEAVCLKRLinearHashTable_Iterator@@@Z +; public: int __cdecl STR::Escape(void) __ptr64 +?Escape@STR@@QEAAHXZ +; public: long __cdecl STRA::Escape(int,int) __ptr64 +?Escape@STRA@@QEAAJHH@Z +; public: long __cdecl STRU::Escape(void) __ptr64 +?Escape@STRU@@QEAAJXZ +; public: int __cdecl STR::EscapeSpaces(void) __ptr64 +?EscapeSpaces@STR@@QEAAHXZ +; public: unsigned long __cdecl CEtwTracer::EtwTraceEvent(struct _GUID const * __ptr64,unsigned long,...) __ptr64 +?EtwTraceEvent@CEtwTracer@@QEAAKPEBU_GUID@@KZZ +; int __cdecl FileTimeToGMT(struct _FILETIME const & __ptr64,char * __ptr64,unsigned long) +?FileTimeToGMT@@YAHAEBU_FILETIME@@PEADK@Z +; int __cdecl FileTimeToGMTEx(struct _FILETIME const & __ptr64,char * __ptr64,unsigned long,unsigned long) +?FileTimeToGMTEx@@YAHAEBU_FILETIME@@PEADKK@Z +; public: bool __cdecl CLKRHashTable::Find(unsigned __int64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Find@CLKRHashTable@@QEAA_N_KAEAVCLKRHashTable_Iterator@@@Z +; public: bool __cdecl CLKRLinearHashTable::Find(unsigned __int64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Find@CLKRLinearHashTable@@QEAA_N_KAEAVCLKRLinearHashTable_Iterator@@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: unsigned long __cdecl HASH_TABLE::FindNextElement(struct HT_ITERATOR * __ptr64,class HT_ELEMENT * __ptr64 * __ptr64) __ptr64 +?FindNextElement@HASH_TABLE@@QEAAKPEAUHT_ITERATOR@@PEAPEAVHT_ELEMENT@@@Z +; public: unsigned long __cdecl HASH_TABLE_BUCKET::FindNextElement(struct HT_ITERATOR * __ptr64,class HT_ELEMENT * __ptr64 * __ptr64) __ptr64 +?FindNextElement@HASH_TABLE_BUCKET@@QEAAKPEAUHT_ITERATOR@@PEAPEAVHT_ELEMENT@@@Z +; public: unsigned long __cdecl HTB_ELEMENT::FindNextElement(unsigned long * __ptr64,class HT_ELEMENT * __ptr64 * __ptr64) __ptr64 +?FindNextElement@HTB_ELEMENT@@QEAAKPEAKPEAPEAVHT_ELEMENT@@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: int __cdecl MULTISZ::FindString(class STR const & __ptr64) __ptr64 +?FindString@MULTISZ@@QEAAHAEBVSTR@@@Z +; public: int __cdecl MULTISZ::FindString(char const * __ptr64) __ptr64 +?FindString@MULTISZ@@QEAAHPEBD@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::First(void)const __ptr64 +?First@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::First(void) __ptr64 +?First@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: char const * __ptr64 __cdecl MULTISZ::First(void)const __ptr64 +?First@MULTISZ@@QEBAPEBDXZ +; public: struct HTBE_ENTRY * __ptr64 __cdecl HTB_ELEMENT::FirstElement(void) __ptr64 +?FirstElement@HTB_ELEMENT@@QEAAPEAUHTBE_ENTRY@@XZ +; public: unsigned long __cdecl HASH_TABLE::FlushElements(void) __ptr64 +?FlushElements@HASH_TABLE@@QEAAKXZ +; public: int __cdecl STR::FormatString(unsigned long,char const * __ptr64 * __ptr64 const,char const * __ptr64,unsigned long) __ptr64 +?FormatString@STR@@QEAAHKQEAPEBDPEBDK@Z +; public: long __cdecl STRA::FormatString(unsigned long,char const * __ptr64 * __ptr64 const,char const * __ptr64,unsigned long) __ptr64 +?FormatString@STRA@@QEAAJKQEAPEBDPEBDK@Z +; public: char const * __ptr64 __cdecl CDFTCache::FormattedBuffer(void)const __ptr64 +?FormattedBuffer@CDFTCache@@QEBAPEBDXZ +; public: int __cdecl ALLOC_CACHE_HANDLER::Free(void * __ptr64) __ptr64 +?Free@ALLOC_CACHE_HANDLER@@QEAAHPEAX@Z +; public: void __cdecl BUFFER::FreeMemory(void) __ptr64 +?FreeMemory@BUFFER@@QEAAXXZ +; public: virtual void __cdecl ASCLOG_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@ASCLOG_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +; public: virtual void __cdecl EXTLOG_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@EXTLOG_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +; public: virtual void __cdecl W3_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@W3_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +; public: unsigned short __cdecl CLKRHashTable::GetBucketLockSpinCount(void)const __ptr64 +?GetBucketLockSpinCount@CLKRHashTable@@QEBAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetBucketLockSpinCount(void)const __ptr64 +?GetBucketLockSpinCount@CLKRLinearHashTable@@QEBAGXZ +; public: static double __cdecl CCritSec::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CCritSec@@SANXZ +; public: static double __cdecl CFakeLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CFakeLock@@SANXZ +; public: static double __cdecl CReaderWriterLock2::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SANXZ +; public: static double __cdecl CReaderWriterLock3::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SANXZ +; public: static double __cdecl CReaderWriterLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SANXZ +; public: static double __cdecl CRtlResource::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CRtlResource@@SANXZ +; public: static double __cdecl CShareLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CShareLock@@SANXZ +; public: static double __cdecl CSmallSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SANXZ +; public: static double __cdecl CSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSpinLock@@SANXZ +; public: static unsigned short __cdecl CCritSec::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CCritSec@@SAGXZ +; public: static unsigned short __cdecl CFakeLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CFakeLock@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock2::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock2@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock3::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock3@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock@@SAGXZ +; public: static unsigned short __cdecl CRtlResource::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CRtlResource@@SAGXZ +; public: static unsigned short __cdecl CShareLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CShareLock@@SAGXZ +; public: static unsigned short __cdecl CSmallSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSmallSpinLock@@SAGXZ +; public: static unsigned short __cdecl CSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSpinLock@@SAGXZ +; public: unsigned long __cdecl EVENT_LOG::GetErrorCode(void)const __ptr64 +?GetErrorCode@EVENT_LOG@@QEBAKXZ +; public: unsigned long __cdecl CACHED_DATETIME_FORMATS::GetFormattedCurrentDateTime(char * __ptr64) __ptr64 +?GetFormattedCurrentDateTime@CACHED_DATETIME_FORMATS@@QEAAKPEAD@Z +; public: unsigned long __cdecl CACHED_DATETIME_FORMATS::GetFormattedDateTime(struct _SYSTEMTIME const * __ptr64,char * __ptr64) __ptr64 +?GetFormattedDateTime@CACHED_DATETIME_FORMATS@@QEAAKPEBU_SYSTEMTIME@@PEAD@Z +; private: int __cdecl BUFFER::GetNewStorage(unsigned int) __ptr64 +?GetNewStorage@BUFFER@@AEAAHI@Z +; public: unsigned short __cdecl CCritSec::GetSpinCount(void)const __ptr64 +?GetSpinCount@CCritSec@@QEBAGXZ +; public: unsigned short __cdecl CFakeLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CFakeLock@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock2::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock2@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock3::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock3@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock@@QEBAGXZ +; public: unsigned short __cdecl CRtlResource::GetSpinCount(void)const __ptr64 +?GetSpinCount@CRtlResource@@QEBAGXZ +; public: unsigned short __cdecl CShareLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CShareLock@@QEBAGXZ +; public: unsigned short __cdecl CSmallSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSmallSpinLock@@QEBAGXZ +; public: unsigned short __cdecl CSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSpinLock@@QEBAGXZ +; public: class CLKRHashTableStats __cdecl CLKRHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: class CLKRHashTableStats __cdecl CLKRLinearHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRLinearHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: unsigned short __cdecl CLKRHashTable::GetTableLockSpinCount(void)const __ptr64 +?GetTableLockSpinCount@CLKRHashTable@@QEBAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetTableLockSpinCount(void)const __ptr64 +?GetTableLockSpinCount@CLKRLinearHashTable@@QEBAGXZ +; public: int __cdecl CDateTime::GetTickCount(void) __ptr64 +?GetTickCount@CDateTime@@QEAAHXZ +; public: long __cdecl STRA::HTMLEncode(void) __ptr64 +?HTMLEncode@STRA@@QEAAJXZ +; public: void __cdecl STR::Hash(void) __ptr64 +?Hash@STR@@QEAAXXZ +; public: class CListEntry const * __ptr64 __cdecl CDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CDoubleList@@QEBAQEBVCListEntry@@XZ +; public: class CListEntry const * __ptr64 __cdecl CLockedDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CLockedDoubleList@@QEBAQEBVCListEntry@@XZ +IISCreateDirectory +IISstricmp +IISstrlen +IISstrlwr +IISstrncpy +IISstrnicmp +IISstrrchr +IISstrupr +; public: bool __cdecl CLKRHashTable_Iterator::Increment(void) __ptr64 +?Increment@CLKRHashTable_Iterator@@QEAA_NXZ +; public: bool __cdecl CLKRLinearHashTable_Iterator::Increment(void) __ptr64 +?Increment@CLKRLinearHashTable_Iterator@@QEAA_NXZ +; public: void __cdecl HTB_ELEMENT::IncrementElements(void) __ptr64 +?IncrementElements@HTB_ELEMENT@@QEAAXXZ +; public: enum LK_RETCODE __cdecl CLKRHashTable::IncrementIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?IncrementIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::IncrementIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?IncrementIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::IncrementIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?IncrementIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::IncrementIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?IncrementIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: static int __cdecl ALLOC_CACHE_HANDLER::Initialize(void) +?Initialize@ALLOC_CACHE_HANDLER@@SAHXZ +; public: enum LK_RETCODE __cdecl CLKRHashTable::InitializeIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?InitializeIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InitializeIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?InitializeIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InitializeIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?InitializeIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InitializeIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?InitializeIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: unsigned long __cdecl HASH_TABLE::InitializeIterator(struct HT_ITERATOR * __ptr64) __ptr64 +?InitializeIterator@HASH_TABLE@@QEAAKPEAUHT_ITERATOR@@@Z +; public: unsigned long __cdecl HASH_TABLE_BUCKET::InitializeIterator(struct HT_ITERATOR * __ptr64) __ptr64 +?InitializeIterator@HASH_TABLE_BUCKET@@QEAAKPEAUHT_ITERATOR@@@Z +; public: bool __cdecl CLKRHashTable::Insert(void const * __ptr64,class CLKRHashTable_Iterator & __ptr64,bool) __ptr64 +?Insert@CLKRHashTable@@QEAA_NPEBXAEAVCLKRHashTable_Iterator@@_N@Z +; public: bool __cdecl CLKRLinearHashTable::Insert(void const * __ptr64,class CLKRLinearHashTable_Iterator & __ptr64,bool) __ptr64 +?Insert@CLKRLinearHashTable@@QEAA_NPEBXAEAVCLKRLinearHashTable_Iterator@@_N@Z +; public: int __cdecl HASH_TABLE::Insert(class HT_ELEMENT * __ptr64,int) __ptr64 +?Insert@HASH_TABLE@@QEAAHPEAVHT_ELEMENT@@H@Z +; public: int __cdecl HASH_TABLE_BUCKET::Insert(unsigned long,class HT_ELEMENT * __ptr64,int) __ptr64 +?Insert@HASH_TABLE_BUCKET@@QEAAHKPEAVHT_ELEMENT@@H@Z +; public: int __cdecl HTB_ELEMENT::Insert(unsigned long,class HT_ELEMENT * __ptr64) __ptr64 +?Insert@HTB_ELEMENT@@QEAAHKPEAVHT_ELEMENT@@@Z +; public: void __cdecl CDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: static void __cdecl ALLOC_CACHE_HANDLER::InsertNewItem(class ALLOC_CACHE_HANDLER * __ptr64) +?InsertNewItem@ALLOC_CACHE_HANDLER@@SAXPEAV1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: void __cdecl CDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: int __cdecl ALLOC_CACHE_HANDLER::IpPrint(char * __ptr64,unsigned long * __ptr64) __ptr64 +?IpPrint@ALLOC_CACHE_HANDLER@@QEAAHPEADPEAK@Z +; public: int __cdecl MLSZAU::IsCurrentUnicode(void) __ptr64 +?IsCurrentUnicode@MLSZAU@@QEAAHXZ +; public: int __cdecl STRAU::IsCurrentUnicode(void) __ptr64 +?IsCurrentUnicode@STRAU@@QEAAHXZ +; private: int __cdecl BUFFER::IsDynAlloced(void)const __ptr64 +?IsDynAlloced@BUFFER@@AEBAHXZ +; public: bool __cdecl CDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CSingleList@@QEBA_NXZ +; public: int __cdecl MULTISZ::IsEmpty(void)const __ptr64 +?IsEmpty@MULTISZ@@QEBAHXZ +; public: int __cdecl STR::IsEmpty(void)const __ptr64 +?IsEmpty@STR@@QEBAHXZ +; public: int __cdecl STRA::IsEmpty(void)const __ptr64 +?IsEmpty@STRA@@QEBAHXZ +; public: int __cdecl STRAU::IsEmpty(void) __ptr64 +?IsEmpty@STRAU@@QEAAHXZ +; public: int __cdecl STRU::IsEmpty(void)const __ptr64 +?IsEmpty@STRU@@QEBAHXZ +; public: int __cdecl CDFTCache::IsHit(struct _SYSTEMTIME const * __ptr64)const __ptr64 +?IsHit@CDFTCache@@QEBAHPEBU_SYSTEMTIME@@@Z +; public: int __cdecl DATETIME_FORMAT_ENTRY::IsHit(struct _SYSTEMTIME const * __ptr64)const __ptr64 +?IsHit@DATETIME_FORMAT_ENTRY@@QEBAHPEBU_SYSTEMTIME@@@Z +IsIPAddressLocal +IsLargeIntegerToDecimalChar +; public: bool __cdecl CLockedDoubleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsReadLocked(void)const __ptr64 +?IsReadLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsReadLocked(void)const __ptr64 +?IsReadLocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSpinLock@@QEBA_NXZ +; public: int __cdecl HTB_ELEMENT::IsSpaceAvailable(void)const __ptr64 +?IsSpaceAvailable@HTB_ELEMENT@@QEBAHXZ +; public: bool __cdecl CLockedDoubleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRLinearHashTable@@QEBA_NXZ +; public: int __cdecl ALLOC_CACHE_HANDLER::IsValid(void)const __ptr64 +?IsValid@ALLOC_CACHE_HANDLER@@QEBAHXZ +; public: int __cdecl BUFFER::IsValid(void)const __ptr64 +?IsValid@BUFFER@@QEBAHXZ +; public: bool __cdecl CLKRHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable_Iterator::IsValid(void)const __ptr64 +?IsValid@CLKRHashTable_Iterator@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable_Iterator::IsValid(void)const __ptr64 +?IsValid@CLKRLinearHashTable_Iterator@@QEBA_NXZ +; public: int __cdecl HASH_TABLE::IsValid(void)const __ptr64 +?IsValid@HASH_TABLE@@QEBAHXZ +; public: int __cdecl MLSZAU::IsValid(void) __ptr64 +?IsValid@MLSZAU@@QEAAHXZ +; public: int __cdecl MULTISZ::IsValid(void)const __ptr64 +?IsValid@MULTISZ@@QEBAHXZ +; public: int __cdecl STR::IsValid(void)const __ptr64 +?IsValid@STR@@QEBAHXZ +; public: int __cdecl STRA::IsValid(void)const __ptr64 +?IsValid@STRA@@QEBAHXZ +; public: int __cdecl STRAU::IsValid(void) __ptr64 +?IsValid@STRAU@@QEAAHXZ +; public: bool __cdecl CCritSec::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSpinLock@@QEBA_NXZ +; public: unsigned __int64 const __cdecl CLKRHashTable_Iterator::Key(void)const __ptr64 +?Key@CLKRHashTable_Iterator@@QEBA?B_KXZ +; public: unsigned __int64 const __cdecl CLKRLinearHashTable_Iterator::Key(void)const __ptr64 +?Key@CLKRLinearHashTable_Iterator@@QEBA?B_KXZ +; public: class CListEntry * __ptr64 __cdecl CDoubleList::Last(void)const __ptr64 +?Last@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::Last(void) __ptr64 +?Last@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: struct HTBE_ENTRY * __ptr64 __cdecl HTB_ELEMENT::LastElement(void) __ptr64 +?LastElement@HTB_ELEMENT@@QEAAPEAUHTBE_ENTRY@@XZ +; public: int __cdecl STR::LoadStringA(unsigned long,struct HINSTANCE__ * __ptr64) __ptr64 +?LoadStringA@STR@@QEAAHKPEAUHINSTANCE__@@@Z +; public: int __cdecl STR::LoadStringA(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?LoadStringA@STR@@QEAAHKPEBDK@Z +; public: long __cdecl STRA::LoadStringW(unsigned long,struct HINSTANCE__ * __ptr64) __ptr64 +?LoadStringW@STRA@@QEAAJKPEAUHINSTANCE__@@@Z +; public: long __cdecl STRA::LoadStringW(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?LoadStringW@STRA@@QEAAJKPEBDK@Z +; private: void __cdecl ALLOC_CACHE_HANDLER::Lock(void) __ptr64 +?Lock@ALLOC_CACHE_HANDLER@@AEAAXXZ +; public: void __cdecl CLockedDoubleList::Lock(void) __ptr64 +?Lock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Lock(void) __ptr64 +?Lock@CLockedSingleList@@QEAAXXZ +; private: void __cdecl HASH_TABLE_BUCKET::Lock(void) __ptr64 +?Lock@HASH_TABLE_BUCKET@@AEAAXXZ +; public: void __cdecl TS_RESOURCE::Lock(enum TSRES_LOCK_TYPE) __ptr64 +?Lock@TS_RESOURCE@@QEAAXW4TSRES_LOCK_TYPE@@@Z +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<1,1,3,1,3,2>::LockType(void) +?LockType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<2,1,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<3,1,1,1,1,1>::LockType(void) +?LockType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<4,1,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<5,2,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<6,2,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<7,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<8,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<9,2,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: void __cdecl EVENT_LOG::LogEvent(unsigned long,unsigned short,char const * __ptr64 * __ptr64 const,unsigned long) __ptr64 +?LogEvent@EVENT_LOG@@QEAAXKGQEAPEBDK@Z +; private: void __cdecl EVENT_LOG::LogEventPrivate(unsigned long,unsigned short,unsigned short,char const * __ptr64 * __ptr64 const,unsigned long) __ptr64 +?LogEventPrivate@EVENT_LOG@@AEAAXKGGQEAPEBDK@Z +; public: class HT_ELEMENT * __ptr64 __cdecl HASH_TABLE::Lookup(char const * __ptr64) __ptr64 +?Lookup@HASH_TABLE@@QEAAPEAVHT_ELEMENT@@PEBD@Z +; public: class HT_ELEMENT * __ptr64 __cdecl HASH_TABLE::Lookup(char const * __ptr64,unsigned long) __ptr64 +?Lookup@HASH_TABLE@@QEAAPEAVHT_ELEMENT@@PEBDK@Z +; public: class HT_ELEMENT * __ptr64 __cdecl HASH_TABLE_BUCKET::Lookup(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?Lookup@HASH_TABLE_BUCKET@@QEAAPEAVHT_ELEMENT@@KPEBDK@Z +; public: class HT_ELEMENT * __ptr64 __cdecl HTB_ELEMENT::Lookup(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?Lookup@HTB_ELEMENT@@QEAAPEAVHT_ELEMENT@@KPEBDK@Z +; public: unsigned long __cdecl CLKRHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRLinearHashTable@@QEBAKXZ +; char const * __ptr64 __cdecl Month3CharNames(unsigned long) +?Month3CharNames@@YAPEBDK@Z +; public: bool __cdecl CLKRHashTable::MultiKeys(void)const __ptr64 +?MultiKeys@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::MultiKeys(void)const __ptr64 +?MultiKeys@CLKRLinearHashTable@@QEBA_NXZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<1,1,3,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<2,1,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<3,1,1,1,1,1>::MutexType(void) +?MutexType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<4,1,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<5,2,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<6,2,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<7,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<8,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<9,2,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: char const * __ptr64 __cdecl MULTISZ::Next(char const * __ptr64)const __ptr64 +?Next@MULTISZ@@QEBAPEBDPEBD@Z +; public: class BUFFER_CHAIN_ITEM * __ptr64 __cdecl BUFFER_CHAIN::NextBuffer(class BUFFER_CHAIN_ITEM * __ptr64) __ptr64 +?NextBuffer@BUFFER_CHAIN@@QEAAPEAVBUFFER_CHAIN_ITEM@@PEAV2@@Z +; public: void __cdecl HTB_ELEMENT::NextElement(struct HTBE_ENTRY * __ptr64 & __ptr64) __ptr64 +?NextElement@HTB_ELEMENT@@QEAAXAEAPEAUHTBE_ENTRY@@@Z +; long __cdecl NormalizeUrl(char * __ptr64) +?NormalizeUrl@@YAJPEAD@Z +; long __cdecl NormalizeUrlW(unsigned short * __ptr64) +?NormalizeUrlW@@YAJPEAG@Z +NtLargeIntegerTimeToLocalSystemTime +NtLargeIntegerTimeToSystemTime +NtSystemTimeToLargeInteger +; public: unsigned long __cdecl HTB_ELEMENT::NumElements(void)const __ptr64 +?NumElements@HTB_ELEMENT@@QEBAKXZ +; public: unsigned long __cdecl HASH_TABLE_BUCKET::NumEntries(void) __ptr64 +?NumEntries@HASH_TABLE_BUCKET@@QEAAKXZ +; public: int __cdecl CLKRHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; public: int __cdecl CLKRLinearHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRLinearHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRLinearHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRLinearHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; public: int __cdecl CDFTCache::OffsetSeconds(void)const __ptr64 +?OffsetSeconds@CDFTCache@@QEBAHXZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<1,1,3,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<2,1,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<3,1,1,1,1,1>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<4,1,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<5,2,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<6,2,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<7,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<8,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<9,2,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CLockedSingleList::Pop(void) __ptr64 +?Pop@CLockedSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CSingleList::Pop(void) __ptr64 +?Pop@CSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: void __cdecl ALLOC_CACHE_HANDLER::Print(void) __ptr64 +?Print@ALLOC_CACHE_HANDLER@@QEAAXXZ +; public: void __cdecl HASH_TABLE::Print(unsigned long) __ptr64 +?Print@HASH_TABLE@@QEAAXK@Z +; public: void __cdecl HASH_TABLE_BUCKET::Print(unsigned long) __ptr64 +?Print@HASH_TABLE_BUCKET@@QEAAXK@Z +; public: void __cdecl HTB_ELEMENT::Print(unsigned long)const __ptr64 +?Print@HTB_ELEMENT@@QEBAXK@Z +; private: unsigned short * __ptr64 __cdecl STRAU::PrivateQueryStr(int) __ptr64 +?PrivateQueryStr@STRAU@@AEAAPEAGH@Z +; public: void __cdecl CLockedSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CLockedSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: void __cdecl CSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: class BUFFER * __ptr64 __cdecl STRU::QueryBuffer(void) __ptr64 +?QueryBuffer@STRU@@QEAAPEAVBUFFER@@XZ +; public: unsigned int __cdecl MLSZAU::QueryCB(int) __ptr64 +?QueryCB@MLSZAU@@QEAAIH@Z +; public: unsigned int __cdecl MULTISZ::QueryCB(void)const __ptr64 +?QueryCB@MULTISZ@@QEBAIXZ +; public: unsigned int __cdecl STR::QueryCB(void)const __ptr64 +?QueryCB@STR@@QEBAIXZ +; public: unsigned int __cdecl STRA::QueryCB(void)const __ptr64 +?QueryCB@STRA@@QEBAIXZ +; public: unsigned int __cdecl STRAU::QueryCB(int) __ptr64 +?QueryCB@STRAU@@QEAAIH@Z +; public: unsigned int __cdecl STRU::QueryCB(void)const __ptr64 +?QueryCB@STRU@@QEBAIXZ +; public: unsigned int __cdecl MLSZAU::QueryCBA(void) __ptr64 +?QueryCBA@MLSZAU@@QEAAIXZ +; public: unsigned int __cdecl STRAU::QueryCBA(void) __ptr64 +?QueryCBA@STRAU@@QEAAIXZ +; public: unsigned int __cdecl MLSZAU::QueryCBW(void) __ptr64 +?QueryCBW@MLSZAU@@QEAAIXZ +; public: unsigned int __cdecl STRAU::QueryCBW(void) __ptr64 +?QueryCBW@STRAU@@QEAAIXZ +; public: unsigned int __cdecl MLSZAU::QueryCCH(void) __ptr64 +?QueryCCH@MLSZAU@@QEAAIXZ +; public: unsigned int __cdecl MULTISZ::QueryCCH(void)const __ptr64 +?QueryCCH@MULTISZ@@QEBAIXZ +; public: unsigned int __cdecl STR::QueryCCH(void)const __ptr64 +?QueryCCH@STR@@QEBAIXZ +; public: unsigned int __cdecl STRA::QueryCCH(void)const __ptr64 +?QueryCCH@STRA@@QEBAIXZ +; public: unsigned int __cdecl STRAU::QueryCCH(void) __ptr64 +?QueryCCH@STRAU@@QEAAIXZ +; public: unsigned int __cdecl STRU::QueryCCH(void)const __ptr64 +?QueryCCH@STRU@@QEBAIXZ +; public: unsigned long __cdecl CEtwTracer::QueryEnableLevel(void) __ptr64 +?QueryEnableLevel@CEtwTracer@@QEAAKXZ +; public: char __cdecl STR::QueryFirstChar(void)const __ptr64 +?QueryFirstChar@STR@@QEBADXZ +; public: char __cdecl STR::QueryLastChar(void)const __ptr64 +?QueryLastChar@STR@@QEBADXZ +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned int __cdecl STRA::QuerySize(void)const __ptr64 +?QuerySize@STRA@@QEBAIXZ +; public: void __cdecl ALLOC_CACHE_HANDLER::QueryStats(struct _ALLOC_CACHE_STATISTICS * __ptr64) __ptr64 +?QueryStats@ALLOC_CACHE_HANDLER@@QEAAXPEAU_ALLOC_CACHE_STATISTICS@@@Z +; public: char * __ptr64 __cdecl MLSZAU::QueryStr(int) __ptr64 +?QueryStr@MLSZAU@@QEAAPEADH@Z +; public: char * __ptr64 __cdecl MULTISZ::QueryStr(void)const __ptr64 +?QueryStr@MULTISZ@@QEBAPEADXZ +; public: char * __ptr64 __cdecl STR::QueryStr(void)const __ptr64 +?QueryStr@STR@@QEBAPEADXZ +; public: char * __ptr64 __cdecl STRA::QueryStr(void) __ptr64 +?QueryStr@STRA@@QEAAPEADXZ +; public: char const * __ptr64 __cdecl STRA::QueryStr(void)const __ptr64 +?QueryStr@STRA@@QEBAPEBDXZ +; public: char * __ptr64 __cdecl STRAU::QueryStr(int) __ptr64 +?QueryStr@STRAU@@QEAAPEADH@Z +; public: unsigned short * __ptr64 __cdecl STRAU::QueryStr(int) __ptr64 +?QueryStr@STRAU@@QEAAPEAGH@Z +; public: unsigned short * __ptr64 __cdecl STRU::QueryStr(void) __ptr64 +?QueryStr@STRU@@QEAAPEAGXZ +; public: unsigned short const * __ptr64 __cdecl STRU::QueryStr(void)const __ptr64 +?QueryStr@STRU@@QEBAPEBGXZ +; public: char * __ptr64 __cdecl MLSZAU::QueryStrA(void) __ptr64 +?QueryStrA@MLSZAU@@QEAAPEADXZ +; public: char * __ptr64 __cdecl MULTISZ::QueryStrA(void)const __ptr64 +?QueryStrA@MULTISZ@@QEBAPEADXZ +; public: char * __ptr64 __cdecl STR::QueryStrA(void)const __ptr64 +?QueryStrA@STR@@QEBAPEADXZ +; public: char * __ptr64 __cdecl STRAU::QueryStrA(void) __ptr64 +?QueryStrA@STRAU@@QEAAPEADXZ +; public: unsigned short * __ptr64 __cdecl MLSZAU::QueryStrW(void) __ptr64 +?QueryStrW@MLSZAU@@QEAAPEAGXZ +; public: unsigned short * __ptr64 __cdecl STRAU::QueryStrW(void) __ptr64 +?QueryStrW@STRAU@@QEAAPEAGXZ +; public: unsigned long __cdecl MULTISZ::QueryStringCount(void)const __ptr64 +?QueryStringCount@MULTISZ@@QEBAKXZ +; public: unsigned __int64 __cdecl CEtwTracer::QueryTraceHandle(void) __ptr64 +?QueryTraceHandle@CEtwTracer@@QEAA_KXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<1,1,3,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<2,1,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<3,1,1,1,1,1>::QueueType(void) +?QueueType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<4,1,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<5,2,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<6,2,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<7,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<8,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<9,2,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: bool __cdecl CDataCache::Read(class CDateTime & __ptr64)const __ptr64 +?Read@?$CDataCache@VCDateTime@@@@QEBA_NAEAVCDateTime@@@Z +; public: void __cdecl CCritSec::ReadLock(void) __ptr64 +?ReadLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadLock(void) __ptr64 +?ReadLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ReadLock(void) __ptr64 +?ReadLock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ReadLock(void) __ptr64 +?ReadLock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSpinLock@@QEAAXXZ +; public: bool __cdecl CCritSec::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CSpinLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CSpinLock@@QEAA_NXZ +; public: void __cdecl CCritSec::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CCritSec@@QEAAX_N@Z +; public: void __cdecl CFakeLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CFakeLock@@QEAAX_N@Z +; public: void __cdecl CReaderWriterLock3::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CReaderWriterLock3@@QEAAX_N@Z +; public: void __cdecl CSpinLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CSpinLock@@QEAAX_N@Z +; public: void __cdecl CCritSec::ReadUnlock(void) __ptr64 +?ReadUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ReadUnlock(void) __ptr64 +?ReadUnlock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSpinLock@@QEAAXXZ +; private: int __cdecl BUFFER::ReallocStorage(unsigned int) __ptr64 +?ReallocStorage@BUFFER@@AEAAHI@Z +; public: void __cdecl MULTISZ::RecalcLen(void) __ptr64 +?RecalcLen@MULTISZ@@QEAAXXZ +; public: void const * __ptr64 __cdecl CLKRHashTable_Iterator::Record(void)const __ptr64 +?Record@CLKRHashTable_Iterator@@QEBAPEBXXZ +; public: void const * __ptr64 __cdecl CLKRLinearHashTable_Iterator::Record(void)const __ptr64 +?Record@CLKRLinearHashTable_Iterator@@QEBAPEBXXZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<1,1,3,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<2,1,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<3,1,1,1,1,1>::Recursion(void) +?Recursion@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<4,1,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<5,2,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<6,2,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<7,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<8,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<9,2,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: unsigned long __cdecl CEtwTracer::Register(struct _GUID const * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?Register@CEtwTracer@@QEAAKPEBU_GUID@@PEAG1@Z +; public: void __cdecl CSharelock::ReleaseExclusiveLock(void) __ptr64 +?ReleaseExclusiveLock@CSharelock@@QEAAXXZ +; public: void __cdecl CSharelock::ReleaseShareLock(void) __ptr64 +?ReleaseShareLock@CSharelock@@QEAAXXZ +; public: static void __cdecl CDoubleList::RemoveEntry(class CListEntry * __ptr64 const) +?RemoveEntry@CDoubleList@@SAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::RemoveEntry(class CListEntry * __ptr64 const) __ptr64 +?RemoveEntry@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: static void __cdecl ALLOC_CACHE_HANDLER::RemoveItem(class ALLOC_CACHE_HANDLER * __ptr64) +?RemoveItem@ALLOC_CACHE_HANDLER@@SAXPEAV1@@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +RemoveWorkItem +; public: void __cdecl MLSZAU::Reset(void) __ptr64 +?Reset@MLSZAU@@QEAAXXZ +; public: void __cdecl MULTISZ::Reset(void) __ptr64 +?Reset@MULTISZ@@QEAAXXZ +; public: void __cdecl STR::Reset(void) __ptr64 +?Reset@STR@@QEAAXXZ +; public: void __cdecl STRA::Reset(void) __ptr64 +?Reset@STRA@@QEAAXXZ +; public: void __cdecl STRAU::Reset(void) __ptr64 +?Reset@STRAU@@QEAAXXZ +; public: void __cdecl STRU::Reset(void) __ptr64 +?Reset@STRU@@QEAAXXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::ResetLookasideCleanupInterval(void) +?ResetLookasideCleanupInterval@ALLOC_CACHE_HANDLER@@SAHXZ +; public: int __cdecl BUFFER::Resize(unsigned int) __ptr64 +?Resize@BUFFER@@QEAAHI@Z +; public: int __cdecl BUFFER::Resize(unsigned int,unsigned int) __ptr64 +?Resize@BUFFER@@QEAAHII@Z +; public: long __cdecl STRA::Resize(unsigned long) __ptr64 +?Resize@STRA@@QEAAJK@Z +; public: long __cdecl STRU::Resize(unsigned long) __ptr64 +?Resize@STRU@@QEAAJK@Z +; public: int __cdecl STRAU::ResizeW(unsigned long) __ptr64 +?ResizeW@STRAU@@QEAAHK@Z +; public: int __cdecl STR::SafeCopy(char const * __ptr64) __ptr64 +?SafeCopy@STR@@QEAAHPEBD@Z +; public: int __cdecl STRAU::SafeCopy(char const * __ptr64) __ptr64 +?SafeCopy@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::SafeCopy(unsigned short const * __ptr64) __ptr64 +?SafeCopy@STRAU@@QEAAHPEBG@Z +ScheduleAdjustTime +ScheduleWorkItem +SchedulerInitialize +SchedulerTerminate +; public: unsigned short __cdecl CDFTCache::Seconds(void)const __ptr64 +?Seconds@CDFTCache@@QEBAGXZ +; public: void __cdecl CLKRHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: static void __cdecl CCritSec::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CCritSec@@SAXN@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CFakeLock@@SAXN@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SAXN@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SAXN@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SAXN@Z +; public: static void __cdecl CRtlResource::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CRtlResource@@SAXN@Z +; public: static void __cdecl CShareLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CShareLock@@SAXN@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SAXN@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSpinLock@@SAXN@Z +; public: static void __cdecl CCritSec::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CCritSec@@SAXG@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CFakeLock@@SAXG@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock2@@SAXG@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock3@@SAXG@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock@@SAXG@Z +; public: static void __cdecl CRtlResource::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CRtlResource@@SAXG@Z +; public: static void __cdecl CShareLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CShareLock@@SAXG@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSmallSpinLock@@SAXG@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSpinLock@@SAXG@Z +; public: int __cdecl STR::SetLen(unsigned long) __ptr64 +?SetLen@STR@@QEAAHK@Z +; public: int __cdecl STRA::SetLen(unsigned long) __ptr64 +?SetLen@STRA@@QEAAHK@Z +; public: int __cdecl STRAU::SetLen(unsigned long) __ptr64 +?SetLen@STRAU@@QEAAHK@Z +; public: int __cdecl STRU::SetLen(unsigned long) __ptr64 +?SetLen@STRU@@QEAAHK@Z +; public: void __cdecl ASCLOG_DATETIME_CACHE::SetLocalTime(struct _SYSTEMTIME * __ptr64) __ptr64 +?SetLocalTime@ASCLOG_DATETIME_CACHE@@QEAAXPEAU_SYSTEMTIME@@@Z +; public: static int __cdecl ALLOC_CACHE_HANDLER::SetLookasideCleanupInterval(void) +?SetLookasideCleanupInterval@ALLOC_CACHE_HANDLER@@SAHXZ +; public: bool __cdecl CCritSec::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CCritSec@@QEAA_NG@Z +; public: static unsigned long __cdecl CCritSec::SetSpinCount(struct _RTL_CRITICAL_SECTION * __ptr64,unsigned long) +?SetSpinCount@CCritSec@@SAKPEAU_RTL_CRITICAL_SECTION@@K@Z +; public: bool __cdecl CFakeLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CFakeLock@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock2::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock2@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock3::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock3@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock@@QEAA_NG@Z +; public: bool __cdecl CRtlResource::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CRtlResource@@QEAA_NG@Z +; public: bool __cdecl CShareLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CShareLock@@QEAA_NG@Z +; public: bool __cdecl CSmallSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSmallSpinLock@@QEAA_NG@Z +; public: bool __cdecl CSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSpinLock@@QEAA_NG@Z +; public: void __cdecl EXTLOG_DATETIME_CACHE::SetSystemTime(struct _SYSTEMTIME * __ptr64) __ptr64 +?SetSystemTime@EXTLOG_DATETIME_CACHE@@QEAAXPEAU_SYSTEMTIME@@@Z +; public: void __cdecl CLKRHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: int __cdecl CDateTime::SetTime(struct _FILETIME const & __ptr64) __ptr64 +?SetTime@CDateTime@@QEAAHAEBU_FILETIME@@@Z +; public: int __cdecl CDateTime::SetTime(struct _SYSTEMTIME const & __ptr64) __ptr64 +?SetTime@CDateTime@@QEAAHAEBU_SYSTEMTIME@@@Z +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +; public: void __cdecl BUFFER::SetValid(int) __ptr64 +?SetValid@BUFFER@@QEAAXH@Z +; public: unsigned long __cdecl CLKRHashTable::Size(void)const __ptr64 +?Size@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::Size(void)const __ptr64 +?Size@CLKRLinearHashTable@@QEBAKXZ +; private: unsigned char __cdecl CSharelock::SleepWaitingForLock(int) __ptr64 +?SleepWaitingForLock@CSharelock@@AEAAEH@Z +StringTimeToFileTime +; public: int __cdecl EVENT_LOG::Success(void)const __ptr64 +?Success@EVENT_LOG@@QEBAHXZ +; public: void __cdecl STRA::SyncWithBuffer(void) __ptr64 +?SyncWithBuffer@STRA@@QEAAXXZ +; public: void __cdecl STRU::SyncWithBuffer(void) __ptr64 +?SyncWithBuffer@STRU@@QEAAXXZ +SystemTimeToGMT +SystemTimeToGMTEx +; public: int __cdecl CEtwTracer::TracePerUrlEnabled(void) __ptr64 +?TracePerUrlEnabled@CEtwTracer@@QEAAHXZ +; public: bool __cdecl CReaderWriterLock3::TryConvertSharedToExclusive(void) __ptr64 +?TryConvertSharedToExclusive@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CCritSec::TryReadLock(void) __ptr64 +?TryReadLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryReadLock(void) __ptr64 +?TryReadLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CRtlResource::TryReadLock(void) __ptr64 +?TryReadLock@CRtlResource@@QEAA_NXZ +; public: bool __cdecl CShareLock::TryReadLock(void) __ptr64 +?TryReadLock@CShareLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSpinLock@@QEAA_NXZ +; public: bool __cdecl CCritSec::TryWriteLock(void) __ptr64 +?TryWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CRtlResource::TryWriteLock(void) __ptr64 +?TryWriteLock@CRtlResource@@QEAA_NXZ +; public: bool __cdecl CShareLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CShareLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSpinLock@@QEAA_NXZ +; long __cdecl UlCleanAndCopyUrl(unsigned char * __ptr64,unsigned long,unsigned long * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64 * __ptr64) +?UlCleanAndCopyUrl@@YAJPEAEKPEAKPEAGPEAPEAG@Z +; public: unsigned long __cdecl CEtwTracer::UnRegister(void) __ptr64 +?UnRegister@CEtwTracer@@QEAAKXZ +; public: int __cdecl STR::Unescape(void) __ptr64 +?Unescape@STR@@QEAAHXZ +; public: long __cdecl STRA::Unescape(void) __ptr64 +?Unescape@STRA@@QEAAJXZ +; public: long __cdecl STRU::Unescape(void) __ptr64 +?Unescape@STRU@@QEAAJXZ +; public: void __cdecl STR::Unhash(void) __ptr64 +?Unhash@STR@@QEAAXXZ +; private: void __cdecl ALLOC_CACHE_HANDLER::Unlock(void) __ptr64 +?Unlock@ALLOC_CACHE_HANDLER@@AEAAXXZ +; public: void __cdecl CLockedDoubleList::Unlock(void) __ptr64 +?Unlock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Unlock(void) __ptr64 +?Unlock@CLockedSingleList@@QEAAXXZ +; private: void __cdecl HASH_TABLE_BUCKET::Unlock(void) __ptr64 +?Unlock@HASH_TABLE_BUCKET@@AEAAXXZ +; public: void __cdecl TS_RESOURCE::Unlock(void) __ptr64 +?Unlock@TS_RESOURCE@@QEAAXXZ +; public: unsigned char __cdecl CSharelock::UpdateMaxSpins(int) __ptr64 +?UpdateMaxSpins@CSharelock@@QEAAEH@Z +; public: unsigned char __cdecl CSharelock::UpdateMaxUsers(int) __ptr64 +?UpdateMaxUsers@CSharelock@@QEAAEH@Z +; public: bool __cdecl CLKRHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRLinearHashTable@@QEBA_NXZ +; private: void __cdecl BUFFER::VerifyState(void)const __ptr64 +?VerifyState@BUFFER@@AEBAXXZ +; private: unsigned char __cdecl CSharelock::WaitForExclusiveLock(int) __ptr64 +?WaitForExclusiveLock@CSharelock@@AEAAEH@Z +; private: unsigned char __cdecl CSharelock::WaitForShareLock(int) __ptr64 +?WaitForShareLock@CSharelock@@AEAAEH@Z +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<1,1,3,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<2,1,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<3,1,1,1,1,1>::WaitType(void) +?WaitType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<4,1,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<5,2,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<6,2,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<7,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<8,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<9,2,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; private: void __cdecl CSharelock::WakeAllSleepers(void) __ptr64 +?WakeAllSleepers@CSharelock@@AEAAXXZ +; public: bool __cdecl CDataCache::Write(struct DATETIME_FORMAT_ENTRY const & __ptr64) __ptr64 +?Write@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAA_NAEBUDATETIME_FORMAT_ENTRY@@@Z +; public: bool __cdecl CDataCache::Write(class CDateTime const & __ptr64) __ptr64 +?Write@?$CDataCache@VCDateTime@@@@QEAA_NAEBVCDateTime@@@Z +; public: void __cdecl CCritSec::WriteLock(void) __ptr64 +?WriteLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteLock(void) __ptr64 +?WriteLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRLinearHashTable@@QEAAXXZ +; public: void __cdecl CReaderWriterLock2::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::WriteLock(void) __ptr64 +?WriteLock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::WriteLock(void) __ptr64 +?WriteLock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSpinLock@@QEAAXXZ +; public: void __cdecl CCritSec::WriteUnlock(void) __ptr64 +?WriteUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::WriteUnlock(void) __ptr64 +?WriteUnlock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSpinLock@@QEAAXXZ +ZapRegistryKey +; protected: void __cdecl CLKRLinearHashTable_Iterator::_AddRef(int)const __ptr64 +?_AddRef@CLKRLinearHashTable_Iterator@@IEBAXH@Z +; private: void __cdecl CLKRLinearHashTable::_AddRefRecord(void const * __ptr64,int)const __ptr64 +?_AddRefRecord@CLKRLinearHashTable@@AEBAXPEBXH@Z +; private: static class CNodeClump * __ptr64 __cdecl CLKRLinearHashTable::_AllocateNodeClump(void) +?_AllocateNodeClump@CLKRLinearHashTable@@CAQEAVCNodeClump@@XZ +; private: class CSegment * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegment(void)const __ptr64 +?_AllocateSegment@CLKRLinearHashTable@@AEBAQEAVCSegment@@XZ +; private: static class CDirEntry * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegmentDirectory(unsigned __int64) +?_AllocateSegmentDirectory@CLKRLinearHashTable@@CAQEAVCDirEntry@@_K@Z +; private: static class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_AllocateSubTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64,bool) +?_AllocateSubTable@CLKRHashTable@@CAQEAVCLKRLinearHashTable@@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAV1@_N@Z +; private: static class CLKRLinearHashTable * __ptr64 * __ptr64 __cdecl CLKRHashTable::_AllocateSubTableArray(unsigned __int64) +?_AllocateSubTableArray@CLKRHashTable@@CAQEAPEAVCLKRLinearHashTable@@_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_Apply@CLKRLinearHashTable@@AEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@AEAW4LK_PREDICATE@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_ApplyIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@AEAW42@@Z +; private: class CBucket * __ptr64 __cdecl CLKRLinearHashTable::_Bucket(unsigned long)const __ptr64 +?_Bucket@CLKRLinearHashTable@@AEBAPEAVCBucket@@K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_BucketAddress(unsigned long)const __ptr64 +?_BucketAddress@CLKRLinearHashTable@@AEBAKK@Z +; private: unsigned long __cdecl CLKRHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRHashTable@@AEBAK_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRLinearHashTable@@AEBAK_K@Z +; private: void __cdecl CLKRLinearHashTable::_Clear(bool) __ptr64 +?_Clear@CLKRLinearHashTable@@AEAAX_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_CloseIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?_CloseIterator@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; private: bool __cdecl CReaderWriterLock2::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock2@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock3::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock3@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock@@AEAA_NJJ@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Contract(void) __ptr64 +?_Contract@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: static long __cdecl CReaderWriterLock3::_CurrentThreadId(void) +?_CurrentThreadId@CReaderWriterLock3@@CAJXZ +; private: static long __cdecl CSmallSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSmallSpinLock@@CAJXZ +; private: static long __cdecl CSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSpinLock@@CAJXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_PREDICATE & __ptr64) __ptr64 +?_DeleteIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1AEAW42@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteKey(unsigned __int64,unsigned long) __ptr64 +?_DeleteKey@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@_KK@Z +; private: bool __cdecl CLKRLinearHashTable::_DeleteNode(class CBucket * __ptr64,class CNodeClump * __ptr64 & __ptr64,class CNodeClump * __ptr64 & __ptr64,int & __ptr64) __ptr64 +?_DeleteNode@CLKRLinearHashTable@@AEAA_NPEAVCBucket@@AEAPEAVCNodeClump@@1AEAH@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteRecord(void const * __ptr64,unsigned long) __ptr64 +?_DeleteRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK@Z +; private: bool __cdecl CLKRLinearHashTable::_EqualKeys(unsigned __int64,unsigned __int64)const __ptr64 +?_EqualKeys@CLKRLinearHashTable@@AEBA_N_K0@Z +; private: bool __cdecl CLKRLinearHashTable::_Erase(class CLKRLinearHashTable_Iterator & __ptr64,unsigned long) __ptr64 +?_Erase@CLKRLinearHashTable@@AEAA_NAEAVCLKRLinearHashTable_Iterator@@K@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Expand(void) __ptr64 +?_Expand@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: unsigned __int64 const __cdecl CLKRHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRHashTable@@AEBA?B_KPEBX@Z +; private: unsigned __int64 const __cdecl CLKRLinearHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRLinearHashTable@@AEBA?B_KPEBX@Z +; private: class CBucket * __ptr64 __cdecl CLKRLinearHashTable::_FindBucket(unsigned long,bool)const __ptr64 +?_FindBucket@CLKRLinearHashTable@@AEBAPEAVCBucket@@K_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindKey(unsigned __int64,unsigned long,void const * __ptr64 * __ptr64,class CLKRLinearHashTable_Iterator * __ptr64)const __ptr64 +?_FindKey@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@_KKPEAPEBXPEAVCLKRLinearHashTable_Iterator@@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindRecord(void const * __ptr64,unsigned long)const __ptr64 +?_FindRecord@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@PEBXK@Z +; private: static bool __cdecl CLKRLinearHashTable::_FreeNodeClump(class CNodeClump * __ptr64) +?_FreeNodeClump@CLKRLinearHashTable@@CA_NPEAVCNodeClump@@@Z +; private: bool __cdecl CLKRLinearHashTable::_FreeSegment(class CSegment * __ptr64)const __ptr64 +?_FreeSegment@CLKRLinearHashTable@@AEBA_NPEAVCSegment@@@Z +; private: bool __cdecl CLKRLinearHashTable::_FreeSegmentDirectory(void) __ptr64 +?_FreeSegmentDirectory@CLKRLinearHashTable@@AEAA_NXZ +; private: static bool __cdecl CLKRHashTable::_FreeSubTable(class CLKRLinearHashTable * __ptr64) +?_FreeSubTable@CLKRHashTable@@CA_NPEAVCLKRLinearHashTable@@@Z +; private: static bool __cdecl CLKRHashTable::_FreeSubTableArray(class CLKRLinearHashTable * __ptr64 * __ptr64) +?_FreeSubTableArray@CLKRHashTable@@CA_NPEAPEAVCLKRLinearHashTable@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long)const __ptr64 +?_H0@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long,unsigned long) +?_H0@CLKRLinearHashTable@@CAKKK@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long)const __ptr64 +?_H1@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long,unsigned long) +?_H1@CLKRLinearHashTable@@CAKKK@Z +; protected: bool __cdecl CLKRHashTable_Iterator::_Increment(bool) __ptr64 +?_Increment@CLKRHashTable_Iterator@@IEAA_N_N@Z +; protected: bool __cdecl CLKRLinearHashTable_Iterator::_Increment(bool) __ptr64 +?_Increment@CLKRLinearHashTable_Iterator@@IEAA_N_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Initialize(unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),char const * __ptr64,double,unsigned long) __ptr64 +?_Initialize@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@P6A?B_KPEBX@ZP6AK_K@ZP6A_N22@ZP6AX0H@ZPEBDNK@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_InitializeIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?_InitializeIterator@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_InsertRecord(void const * __ptr64,unsigned long,bool,class CLKRLinearHashTable_Iterator * __ptr64) __ptr64 +?_InsertRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK_NPEAVCLKRLinearHashTable_Iterator@@@Z +; private: void __cdecl CLKRHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: bool __cdecl CSpinLock::_IsLocked(void)const __ptr64 +?_IsLocked@CSpinLock@@AEBA_NXZ +; private: int __cdecl CLKRLinearHashTable::_IsNodeCompact(class CBucket * __ptr64 const)const __ptr64 +?_IsNodeCompact@CLKRLinearHashTable@@AEBAHQEAVCBucket@@@Z +; private: bool __cdecl CLKRHashTable::_IsValidIterator(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +?_IsValidIterator@CLKRHashTable@@AEBA_NAEBVCLKRHashTable_Iterator@@@Z +; private: bool __cdecl CLKRLinearHashTable::_IsValidIterator(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +?_IsValidIterator@CLKRLinearHashTable@@AEBA_NAEBVCLKRLinearHashTable_Iterator@@@Z +; private: void __cdecl CSpinLock::_Lock(void) __ptr64 +?_Lock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock2@@AEAAX_N@Z +; private: void __cdecl CReaderWriterLock3::_LockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_LockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock@@AEAAX_N@Z +; private: void __cdecl CSmallSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSmallSpinLock@@AEAAXXZ +; private: void __cdecl CSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSpinLock@@AEAAXXZ +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_MergeRecordSets(class CBucket * __ptr64,class CNodeClump * __ptr64,class CNodeClump * __ptr64) __ptr64 +?_MergeRecordSets@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCBucket@@PEAVCNodeClump@@1@Z +; private: static enum LK_PREDICATE __cdecl CLKRLinearHashTable::_PredTrue(void const * __ptr64,void * __ptr64) +?_PredTrue@CLKRLinearHashTable@@CA?AW4LK_PREDICATE@@PEBXPEAX@Z +; private: void __cdecl CReaderWriterLock2::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_ReadLockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_ReadLockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock@@AEAAXXZ +; protected: static void __cdecl CDataCache::_ReadMemoryBarrier(void) +?_ReadMemoryBarrier@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@KAXXZ +; protected: static void __cdecl CDataCache::_ReadMemoryBarrier(void) +?_ReadMemoryBarrier@?$CDataCache@VCDateTime@@@@KAXXZ +; private: bool __cdecl CLKRLinearHashTable::_ReadOrWriteLock(void)const __ptr64 +?_ReadOrWriteLock@CLKRLinearHashTable@@AEBA_NXZ +; private: void __cdecl CLKRLinearHashTable::_ReadOrWriteUnlock(bool)const __ptr64 +?_ReadOrWriteUnlock@CLKRLinearHashTable@@AEBAX_N@Z +; protected: long __cdecl CDataCache::_ReadSequence(void)const __ptr64 +?_ReadSequence@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@IEBAJXZ +; protected: long __cdecl CDataCache::_ReadSequence(void)const __ptr64 +?_ReadSequence@?$CDataCache@VCDateTime@@@@IEBAJXZ +; private: void __cdecl CLKRHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_SegIndex(unsigned long)const __ptr64 +?_SegIndex@CLKRLinearHashTable@@AEBAKK@Z +; private: class CSegment * __ptr64 & __ptr64 __cdecl CLKRLinearHashTable::_Segment(unsigned long)const __ptr64 +?_Segment@CLKRLinearHashTable@@AEBAAEAPEAVCSegment@@K@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_SetSegVars(enum LK_TABLESIZE,unsigned long) __ptr64 +?_SetSegVars@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@W4LK_TABLESIZE@@K@Z +; protected: long __cdecl CDataCache::_SetSequence(long) __ptr64 +?_SetSequence@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@IEAAJJ@Z +; protected: long __cdecl CDataCache::_SetSequence(long) __ptr64 +?_SetSequence@?$CDataCache@VCDateTime@@@@IEAAJJ@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_SplitRecordSet(class CNodeClump * __ptr64,class CNodeClump * __ptr64,unsigned long,unsigned long,unsigned long,class CNodeClump * __ptr64) __ptr64 +?_SplitRecordSet@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCNodeClump@@0KKK0@Z +; private: class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_SubTable(unsigned long)const __ptr64 +?_SubTable@CLKRHashTable@@AEBAPEAVCLKRLinearHashTable@@K@Z +; private: int __cdecl CLKRHashTable::_SubTableIndex(class CLKRLinearHashTable * __ptr64)const __ptr64 +?_SubTableIndex@CLKRHashTable@@AEBAHPEAVCLKRLinearHashTable@@@Z +; private: bool __cdecl CSmallSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSmallSpinLock@@AEAA_NXZ +; private: bool __cdecl CSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSpinLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock2@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLockRecursive(void) __ptr64 +?_TryReadLockRecursive@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock2(void) __ptr64 +?_TryWriteLock2@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock2@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock3@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock::_TryWriteLock(void) __ptr64 +?_TryWriteLock@CReaderWriterLock@@AEAA_NXZ +; private: void __cdecl CSpinLock::_Unlock(void) __ptr64 +?_Unlock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock3@@AEAAXXZ +; private: void __cdecl CReaderWriterLock::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock@@AEAAXXZ +; long const * const `public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void)'::`2'::s_aBucketSizes +?s_aBucketSizes@?1??BucketSizes@CLKRHashTableStats@@SAPEBJXZ@4QBJB +; private: static struct _RTL_CRITICAL_SECTION ALLOC_CACHE_HANDLER::sm_csItems +?sm_csItems@ALLOC_CACHE_HANDLER@@0U_RTL_CRITICAL_SECTION@@A DATA +; protected: static double CCritSec::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CCritSec@@1NA DATA +; protected: static double CFakeLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CFakeLock@@1NA DATA +; protected: static double CReaderWriterLock2::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock2@@1NA DATA +; protected: static double CReaderWriterLock3::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock3@@1NA DATA +; protected: static double CReaderWriterLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock@@1NA DATA +; protected: static double CRtlResource::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CRtlResource@@1NA DATA +; protected: static double CShareLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CShareLock@@1NA DATA +; protected: static double CSmallSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSmallSpinLock@@1NA DATA +; protected: static double CSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSpinLock@@1NA DATA +; private: static int ALLOC_CACHE_HANDLER::sm_fInitCsItems +?sm_fInitCsItems@ALLOC_CACHE_HANDLER@@0HA DATA +; private: static void * __ptr64 __ptr64 ALLOC_CACHE_HANDLER::sm_hTimer +?sm_hTimer@ALLOC_CACHE_HANDLER@@0PEAXEA DATA +; private: static struct _LIST_ENTRY ALLOC_CACHE_HANDLER::sm_lItemsHead +?sm_lItemsHead@ALLOC_CACHE_HANDLER@@0U_LIST_ENTRY@@A DATA +; private: static class CLockedDoubleList CLKRHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRHashTable@@0VCLockedDoubleList@@A DATA +; private: static class CLockedDoubleList CLKRLinearHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRLinearHashTable@@0VCLockedDoubleList@@A DATA +; private: static long ALLOC_CACHE_HANDLER::sm_nFillPattern +?sm_nFillPattern@ALLOC_CACHE_HANDLER@@0JA DATA +; protected: static class ALLOC_CACHE_HANDLER * __ptr64 __ptr64 CLKRLinearHashTable::sm_palloc +?sm_palloc@CLKRLinearHashTable@@1PEAVALLOC_CACHE_HANDLER@@EA DATA +; protected: static unsigned short CCritSec::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CCritSec@@1GA DATA +; protected: static unsigned short CFakeLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CFakeLock@@1GA DATA +; protected: static unsigned short CReaderWriterLock2::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock2@@1GA DATA +; protected: static unsigned short CReaderWriterLock3::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock3@@1GA DATA +; protected: static unsigned short CReaderWriterLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock@@1GA DATA +; protected: static unsigned short CRtlResource::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CRtlResource@@1GA DATA +; protected: static unsigned short CShareLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CShareLock@@1GA DATA +; protected: static unsigned short CSmallSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSmallSpinLock@@1GA DATA +; protected: static unsigned short CSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSpinLock@@1GA DATA +CreateRefTraceLog +CreateTraceLog +DestroyRefTraceLog +DestroyTraceLog +DllMain +GetAllocCounters +GetCurrentTimeInMilliseconds +GetCurrentTimeInSeconds +GetQueryType +IISCaptureStackBackTrace +IISGetCurrentTime +IISGetPlatformType +IISInitializeCriticalSection +IISSetCriticalSectionSpinCount +IisCalloc +IisFree +IisHeap +IisMalloc +IisReAlloc +InetAcquireResourceExclusive +InetAcquireResourceShared +InetConvertExclusiveToShared +InetConvertSharedToExclusive +InetDeleteResource +InetInitializeResource +InetReleaseResource +InitializeIISRTL +InitializeSecondsTimer +IsNumberInUnicodeList +LKRHashTableInit +LKRHashTableUninit +MIDL_user_allocate +MIDL_user_free +MonBuildInstanceDefinition +PuCloseDbgPrintFile +PuCreateDebugPrintsObject +PuDbgAssertFailed +PuDbgCaptureContext +PuDbgCreateEvent +PuDbgCreateMutex +PuDbgCreateSemaphore +PuDbgDump +PuDbgPrint +PuDbgPrintW +PuDeleteDebugPrintsObject +PuLoadDebugFlagsFromReg +PuLoadDebugFlagsFromRegStr +ResetTraceLog +RpcBindHandleForServer +RpcBindHandleFree +RpcBindHandleOverLpc +RpcBindHandleOverNamedPipe +RpcBindHandleOverTcpIp +RpcuFindProtocolToUse +TerminateIISRTL +TerminateSecondsTimer +WriteRefTraceLog +WriteRefTraceLogEx +WriteTraceLog +stristr diff --git a/lib/libc/mingw/lib64/iissuba.def b/lib/libc/mingw/lib64/iissuba.def new file mode 100644 index 0000000000..d0349d52c7 --- /dev/null +++ b/lib/libc/mingw/lib64/iissuba.def @@ -0,0 +1,11 @@ +; +; Exports of file SUBAUTH.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SUBAUTH.dll +EXPORTS +Msv1_0SubAuthenticationRoutineEx +RegisterIISSUBA +UnregisterIISSUBA diff --git a/lib/libc/mingw/lib64/iisui.def b/lib/libc/mingw/lib64/iisui.def new file mode 100644 index 0000000000..6aae85ecb7 --- /dev/null +++ b/lib/libc/mingw/lib64/iisui.def @@ -0,0 +1,1901 @@ +; +; Exports of file iisui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iisui.dll +EXPORTS +InitCommonDll +; public: __cdecl CAccessEntry::CAccessEntry(class CAccessEntry & __ptr64) __ptr64 +??0CAccessEntry@@QEAA@AEAV0@@Z +; public: __cdecl CAccessEntry::CAccessEntry(unsigned long,void * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0CAccessEntry@@QEAA@KPEAXPEBGH@Z +; public: __cdecl CAccessEntry::CAccessEntry(void * __ptr64,int) __ptr64 +??0CAccessEntry@@QEAA@PEAXH@Z +; public: __cdecl CAccessEntry::CAccessEntry(void * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CAccessEntry@@QEAA@PEAXPEBG1@Z +; public: __cdecl CBlob::CBlob(class CBlob const & __ptr64) __ptr64 +??0CBlob@@QEAA@AEBV0@@Z +; public: __cdecl CBlob::CBlob(unsigned long,unsigned char * __ptr64,int) __ptr64 +??0CBlob@@QEAA@KPEAEH@Z +; public: __cdecl CBlob::CBlob(void) __ptr64 +??0CBlob@@QEAA@XZ +; public: __cdecl CComAuthInfo::CComAuthInfo(class CComAuthInfo & __ptr64) __ptr64 +??0CComAuthInfo@@QEAA@AEAV0@@Z +; public: __cdecl CComAuthInfo::CComAuthInfo(class CComAuthInfo * __ptr64) __ptr64 +??0CComAuthInfo@@QEAA@PEAV0@@Z +; public: __cdecl CComAuthInfo::CComAuthInfo(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CComAuthInfo@@QEAA@PEBG00@Z +; public: __cdecl CConfirmDlg::CConfirmDlg(class CWnd * __ptr64) __ptr64 +??0CConfirmDlg@@QEAA@PEAVCWnd@@@Z +; public: __cdecl CDirBrowseDlg::CDirBrowseDlg(class CDirBrowseDlg const & __ptr64) __ptr64 +??0CDirBrowseDlg@@QEAA@AEBV0@@Z +; public: __cdecl CDirBrowseDlg::CDirBrowseDlg(class CWnd * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CDirBrowseDlg@@QEAA@PEAVCWnd@@PEBG@Z +; public: __cdecl CDownButton::CDownButton(void) __ptr64 +??0CDownButton@@QEAA@XZ +; public: __cdecl CEmphasizedDialog::CEmphasizedDialog(unsigned int,class CWnd * __ptr64) __ptr64 +??0CEmphasizedDialog@@QEAA@IPEAVCWnd@@@Z +; public: __cdecl CEmphasizedDialog::CEmphasizedDialog(unsigned short const * __ptr64,class CWnd * __ptr64) __ptr64 +??0CEmphasizedDialog@@QEAA@PEBGPEAVCWnd@@@Z +; public: __cdecl CEmphasizedDialog::CEmphasizedDialog(void) __ptr64 +??0CEmphasizedDialog@@QEAA@XZ +; public: __cdecl CError::CError(long) __ptr64 +??0CError@@QEAA@J@Z +; public: __cdecl CError::CError(unsigned long) __ptr64 +??0CError@@QEAA@K@Z +; public: __cdecl CError::CError(void) __ptr64 +??0CError@@QEAA@XZ +; public: __cdecl CGetComputer::CGetComputer(class CGetComputer const & __ptr64) __ptr64 +??0CGetComputer@@QEAA@AEBV0@@Z +; public: __cdecl CGetComputer::CGetComputer(void) __ptr64 +??0CGetComputer@@QEAA@XZ +; public: __cdecl CGetUsers::CGetUsers(unsigned short const * __ptr64,int) __ptr64 +??0CGetUsers@@QEAA@PEBGH@Z +; public: __cdecl CHeaderListBox::CHeaderListBox(unsigned long,unsigned short const * __ptr64) __ptr64 +??0CHeaderListBox@@QEAA@KPEBG@Z +; public: __cdecl CIISAppPool::CIISAppPool(class CIISAppPool & __ptr64) __ptr64 +??0CIISAppPool@@QEAA@AEAV0@@Z +; public: __cdecl CIISAppPool::CIISAppPool(class CComAuthInfo * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CIISAppPool@@QEAA@PEAVCComAuthInfo@@PEBG@Z +; public: __cdecl CIISApplication::CIISApplication(class CIISApplication & __ptr64) __ptr64 +??0CIISApplication@@QEAA@AEAV0@@Z +; public: __cdecl CIISApplication::CIISApplication(class CComAuthInfo * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CIISApplication@@QEAA@PEAVCComAuthInfo@@PEBG@Z +; public: __cdecl CIISInterface::CIISInterface(class CIISInterface & __ptr64) __ptr64 +??0CIISInterface@@QEAA@AEAV0@@Z +; public: __cdecl CIISInterface::CIISInterface(class CComAuthInfo * __ptr64,long) __ptr64 +??0CIISInterface@@QEAA@PEAVCComAuthInfo@@J@Z +; public: __cdecl CIISSvcControl::CIISSvcControl(class CIISSvcControl & __ptr64) __ptr64 +??0CIISSvcControl@@QEAA@AEAV0@@Z +; public: __cdecl CIISSvcControl::CIISSvcControl(class CIISSvcControl * __ptr64) __ptr64 +??0CIISSvcControl@@QEAA@PEAV0@@Z +; public: __cdecl CIISSvcControl::CIISSvcControl(class CComAuthInfo * __ptr64) __ptr64 +??0CIISSvcControl@@QEAA@PEAVCComAuthInfo@@@Z +; public: __cdecl CIISWizardBookEnd::CIISWizardBookEnd(unsigned int,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0CIISWizardBookEnd@@QEAA@IIIII@Z +; public: __cdecl CIISWizardBookEnd::CIISWizardBookEnd(long * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0CIISWizardBookEnd@@QEAA@PEAJIIIIIII@Z +; public: __cdecl CIISWizardPage::CIISWizardPage(unsigned int,unsigned int,int,unsigned int,unsigned int) __ptr64 +??0CIISWizardPage@@QEAA@IIHII@Z +; public: __cdecl CIISWizardSheet::CIISWizardSheet(unsigned int,unsigned int,unsigned long,unsigned long) __ptr64 +??0CIISWizardSheet@@QEAA@IIKK@Z +; public: __cdecl CILong::CILong(long) __ptr64 +??0CILong@@QEAA@J@Z +; public: __cdecl CILong::CILong(unsigned short const * __ptr64) __ptr64 +??0CILong@@QEAA@PEBG@Z +; public: __cdecl CILong::CILong(void) __ptr64 +??0CILong@@QEAA@XZ +; protected: __cdecl CINumber::CINumber(void) __ptr64 +??0CINumber@@IEAA@XZ +; public: __cdecl CIPAccessDescriptor::CIPAccessDescriptor(class CIPAccessDescriptor const & __ptr64) __ptr64 +??0CIPAccessDescriptor@@QEAA@AEBV0@@Z +; public: __cdecl CIPAccessDescriptor::CIPAccessDescriptor(int) __ptr64 +??0CIPAccessDescriptor@@QEAA@H@Z +; public: __cdecl CIPAccessDescriptor::CIPAccessDescriptor(int,unsigned long,unsigned long,int) __ptr64 +??0CIPAccessDescriptor@@QEAA@HKKH@Z +; public: __cdecl CIPAccessDescriptor::CIPAccessDescriptor(int,unsigned short const * __ptr64) __ptr64 +??0CIPAccessDescriptor@@QEAA@HPEBG@Z +; public: __cdecl CIPAddress::CIPAddress(class CIPAddress const & __ptr64) __ptr64 +??0CIPAddress@@QEAA@AEBV0@@Z +; public: __cdecl CIPAddress::CIPAddress(class CString const & __ptr64) __ptr64 +??0CIPAddress@@QEAA@AEBVCString@@@Z +; public: __cdecl CIPAddress::CIPAddress(unsigned char,unsigned char,unsigned char,unsigned char) __ptr64 +??0CIPAddress@@QEAA@EEEE@Z +; public: __cdecl CIPAddress::CIPAddress(unsigned long,int) __ptr64 +??0CIPAddress@@QEAA@KH@Z +; public: __cdecl CIPAddress::CIPAddress(unsigned char * __ptr64,int) __ptr64 +??0CIPAddress@@QEAA@PEAEH@Z +; public: __cdecl CIPAddress::CIPAddress(unsigned short const * __ptr64,int) __ptr64 +??0CIPAddress@@QEAA@PEBGH@Z +; public: __cdecl CIPAddress::CIPAddress(void) __ptr64 +??0CIPAddress@@QEAA@XZ +; public: __cdecl CInheritanceDlg::CInheritanceDlg(int,unsigned long,unsigned long,unsigned long,unsigned long,unsigned short const * __ptr64,int,class CComAuthInfo * __ptr64,unsigned short const * __ptr64,class CWnd * __ptr64) __ptr64 +??0CInheritanceDlg@@QEAA@HKKKKPEBGHPEAVCComAuthInfo@@0PEAVCWnd@@@Z +; public: __cdecl CInheritanceDlg::CInheritanceDlg(unsigned long,int,class CComAuthInfo * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,class CWnd * __ptr64) __ptr64 +??0CInheritanceDlg@@QEAA@KHPEAVCComAuthInfo@@PEBG1PEAVCWnd@@@Z +; public: __cdecl CInheritanceDlg::CInheritanceDlg(unsigned long,int,class CComAuthInfo * __ptr64,unsigned short const * __ptr64,class CStringList & __ptr64,unsigned short const * __ptr64,class CWnd * __ptr64) __ptr64 +??0CInheritanceDlg@@QEAA@KHPEAVCComAuthInfo@@PEBGAEAVCStringList@@1PEAVCWnd@@@Z +; public: __cdecl CMappedBitmapButton::CMappedBitmapButton(void) __ptr64 +??0CMappedBitmapButton@@QEAA@XZ +; public: __cdecl CMetaBack::CMetaBack(class CMetaBack & __ptr64) __ptr64 +??0CMetaBack@@QEAA@AEAV0@@Z +; public: __cdecl CMetaBack::CMetaBack(class CComAuthInfo * __ptr64) __ptr64 +??0CMetaBack@@QEAA@PEAVCComAuthInfo@@@Z +; public: __cdecl CMetaEnumerator::CMetaEnumerator(class CMetaEnumerator & __ptr64) __ptr64 +??0CMetaEnumerator@@QEAA@AEAV0@@Z +; public: __cdecl CMetaEnumerator::CMetaEnumerator(int,class CMetaKey * __ptr64) __ptr64 +??0CMetaEnumerator@@QEAA@HPEAVCMetaKey@@@Z +; public: __cdecl CMetaEnumerator::CMetaEnumerator(class CComAuthInfo * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0CMetaEnumerator@@QEAA@PEAVCComAuthInfo@@PEBGK@Z +; public: __cdecl CMetaEnumerator::CMetaEnumerator(class CMetaInterface * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0CMetaEnumerator@@QEAA@PEAVCMetaInterface@@PEBGK@Z +; protected: __cdecl CMetaInterface::CMetaInterface(class CMetaInterface * __ptr64) __ptr64 +??0CMetaInterface@@IEAA@PEAV0@@Z +; protected: __cdecl CMetaInterface::CMetaInterface(class CComAuthInfo * __ptr64) __ptr64 +??0CMetaInterface@@IEAA@PEAVCComAuthInfo@@@Z +; public: __cdecl CMetaInterface::CMetaInterface(class CMetaInterface & __ptr64) __ptr64 +??0CMetaInterface@@QEAA@AEAV0@@Z +; public: __cdecl CMetaKey::CMetaKey(class CMetaKey & __ptr64) __ptr64 +??0CMetaKey@@QEAA@AEAV0@@Z +; public: __cdecl CMetaKey::CMetaKey(int,class CMetaKey * __ptr64) __ptr64 +??0CMetaKey@@QEAA@HPEAV0@@Z +; public: __cdecl CMetaKey::CMetaKey(class CComAuthInfo * __ptr64) __ptr64 +??0CMetaKey@@QEAA@PEAVCComAuthInfo@@@Z +; public: __cdecl CMetaKey::CMetaKey(class CComAuthInfo * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +??0CMetaKey@@QEAA@PEAVCComAuthInfo@@PEBGKK@Z +; public: __cdecl CMetaKey::CMetaKey(class CMetaInterface * __ptr64) __ptr64 +??0CMetaKey@@QEAA@PEAVCMetaInterface@@@Z +; public: __cdecl CMetaKey::CMetaKey(class CMetaInterface * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +??0CMetaKey@@QEAA@PEAVCMetaInterface@@PEBGKK@Z +; public: __cdecl CMetabasePath::CMetabasePath(class CMetabasePath const & __ptr64) __ptr64 +??0CMetabasePath@@QEAA@AEBV0@@Z +; public: __cdecl CMetabasePath::CMetabasePath(int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CMetabasePath@@QEAA@HPEBG000@Z +; public: __cdecl CMetabasePath::CMetabasePath(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CMetabasePath@@QEAA@PEBGK00@Z +; protected: __cdecl CODLBox::CODLBox(void) __ptr64 +??0CODLBox@@IEAA@XZ +; public: __cdecl CObListIter::CObListIter(class CObListPlus const & __ptr64) __ptr64 +??0CObListIter@@QEAA@AEBVCObListPlus@@@Z +; public: __cdecl CObListPlus::CObListPlus(int) __ptr64 +??0CObListPlus@@QEAA@H@Z +; protected: __cdecl CObjHelper::CObjHelper(void) __ptr64 +??0CObjHelper@@IEAA@XZ +; public: __cdecl CObjHelper::CObjHelper(class CObjHelper const & __ptr64) __ptr64 +??0CObjHelper@@QEAA@AEBV0@@Z +; public: __cdecl CObjectPlus::CObjectPlus(void) __ptr64 +??0CObjectPlus@@QEAA@XZ +; public: __cdecl CRMCComboBox::CRMCComboBox(void) __ptr64 +??0CRMCComboBox@@QEAA@XZ +; public: __cdecl CRMCListBox::CRMCListBox(void) __ptr64 +??0CRMCListBox@@QEAA@XZ +; public: __cdecl CRMCListBoxDrawStruct::CRMCListBoxDrawStruct(class CDC * __ptr64,struct tagRECT * __ptr64,int,unsigned __int64,int,class CRMCListBoxResources const * __ptr64) __ptr64 +??0CRMCListBoxDrawStruct@@QEAA@PEAVCDC@@PEAUtagRECT@@H_KHPEBVCRMCListBoxResources@@@Z +; public: __cdecl CRMCListBoxHeader::CRMCListBoxHeader(unsigned long) __ptr64 +??0CRMCListBoxHeader@@QEAA@K@Z +; public: __cdecl CRMCListBoxResources::CRMCListBoxResources(int,int,unsigned long) __ptr64 +??0CRMCListBoxResources@@QEAA@HHK@Z +; public: __cdecl CStrPassword::CStrPassword(class CStrPassword & __ptr64) __ptr64 +??0CStrPassword@@QEAA@AEAV0@@Z +; public: __cdecl CStrPassword::CStrPassword(unsigned short * __ptr64) __ptr64 +??0CStrPassword@@QEAA@PEAG@Z +; public: __cdecl CStrPassword::CStrPassword(unsigned short const * __ptr64) __ptr64 +??0CStrPassword@@QEAA@PEBG@Z +; public: __cdecl CStrPassword::CStrPassword(void) __ptr64 +??0CStrPassword@@QEAA@XZ +; public: __cdecl CStringListEx::CStringListEx(int) __ptr64 +??0CStringListEx@@QEAA@H@Z +; public: __cdecl CUpButton::CUpButton(void) __ptr64 +??0CUpButton@@QEAA@XZ +; protected: __cdecl CWamInterface::CWamInterface(class CWamInterface * __ptr64) __ptr64 +??0CWamInterface@@IEAA@PEAV0@@Z +; protected: __cdecl CWamInterface::CWamInterface(class CComAuthInfo * __ptr64) __ptr64 +??0CWamInterface@@IEAA@PEAVCComAuthInfo@@@Z +; public: __cdecl CWamInterface::CWamInterface(class CWamInterface & __ptr64) __ptr64 +??0CWamInterface@@QEAA@AEAV0@@Z +; public: virtual __cdecl CAccessEntry::~CAccessEntry(void) __ptr64 +??1CAccessEntry@@UEAA@XZ +; public: __cdecl CBlob::~CBlob(void) __ptr64 +??1CBlob@@QEAA@XZ +; public: __cdecl CComAuthInfo::~CComAuthInfo(void) __ptr64 +??1CComAuthInfo@@QEAA@XZ +; public: virtual __cdecl CConfirmDlg::~CConfirmDlg(void) __ptr64 +??1CConfirmDlg@@UEAA@XZ +; public: __cdecl CDirBrowseDlg::~CDirBrowseDlg(void) __ptr64 +??1CDirBrowseDlg@@QEAA@XZ +; public: virtual __cdecl CDownButton::~CDownButton(void) __ptr64 +??1CDownButton@@UEAA@XZ +; public: virtual __cdecl CEmphasizedDialog::~CEmphasizedDialog(void) __ptr64 +??1CEmphasizedDialog@@UEAA@XZ +; public: __cdecl CError::~CError(void) __ptr64 +??1CError@@QEAA@XZ +; public: __cdecl CGetComputer::~CGetComputer(void) __ptr64 +??1CGetComputer@@QEAA@XZ +; public: virtual __cdecl CGetUsers::~CGetUsers(void) __ptr64 +??1CGetUsers@@UEAA@XZ +; public: virtual __cdecl CHeaderListBox::~CHeaderListBox(void) __ptr64 +??1CHeaderListBox@@UEAA@XZ +; public: virtual __cdecl CIISAppPool::~CIISAppPool(void) __ptr64 +??1CIISAppPool@@UEAA@XZ +; public: virtual __cdecl CIISApplication::~CIISApplication(void) __ptr64 +??1CIISApplication@@UEAA@XZ +; public: __cdecl CIISInterface::~CIISInterface(void) __ptr64 +??1CIISInterface@@QEAA@XZ +; public: virtual __cdecl CIISSvcControl::~CIISSvcControl(void) __ptr64 +??1CIISSvcControl@@UEAA@XZ +; public: virtual __cdecl CIISWizardBookEnd::~CIISWizardBookEnd(void) __ptr64 +??1CIISWizardBookEnd@@UEAA@XZ +; public: virtual __cdecl CIISWizardPage::~CIISWizardPage(void) __ptr64 +??1CIISWizardPage@@UEAA@XZ +; public: virtual __cdecl CIISWizardSheet::~CIISWizardSheet(void) __ptr64 +??1CIISWizardSheet@@UEAA@XZ +; public: __cdecl CILong::~CILong(void) __ptr64 +??1CILong@@QEAA@XZ +; protected: __cdecl CINumber::~CINumber(void) __ptr64 +??1CINumber@@IEAA@XZ +; public: virtual __cdecl CIPAccessDescriptor::~CIPAccessDescriptor(void) __ptr64 +??1CIPAccessDescriptor@@UEAA@XZ +; public: virtual __cdecl CIPAddress::~CIPAddress(void) __ptr64 +??1CIPAddress@@UEAA@XZ +; public: virtual __cdecl CInheritanceDlg::~CInheritanceDlg(void) __ptr64 +??1CInheritanceDlg@@UEAA@XZ +; public: virtual __cdecl CMappedBitmapButton::~CMappedBitmapButton(void) __ptr64 +??1CMappedBitmapButton@@UEAA@XZ +; public: virtual __cdecl CMetaBack::~CMetaBack(void) __ptr64 +??1CMetaBack@@UEAA@XZ +; public: virtual __cdecl CMetaEnumerator::~CMetaEnumerator(void) __ptr64 +??1CMetaEnumerator@@UEAA@XZ +; public: virtual __cdecl CMetaInterface::~CMetaInterface(void) __ptr64 +??1CMetaInterface@@UEAA@XZ +; public: virtual __cdecl CMetaKey::~CMetaKey(void) __ptr64 +??1CMetaKey@@UEAA@XZ +; public: __cdecl CMetabasePath::~CMetabasePath(void) __ptr64 +??1CMetabasePath@@QEAA@XZ +; protected: __cdecl CODLBox::~CODLBox(void) __ptr64 +??1CODLBox@@IEAA@XZ +; public: virtual __cdecl CObListIter::~CObListIter(void) __ptr64 +??1CObListIter@@UEAA@XZ +; public: virtual __cdecl CObListPlus::~CObListPlus(void) __ptr64 +??1CObListPlus@@UEAA@XZ +; public: virtual __cdecl CObjectPlus::~CObjectPlus(void) __ptr64 +??1CObjectPlus@@UEAA@XZ +; public: virtual __cdecl CRMCComboBox::~CRMCComboBox(void) __ptr64 +??1CRMCComboBox@@UEAA@XZ +; public: virtual __cdecl CRMCListBox::~CRMCListBox(void) __ptr64 +??1CRMCListBox@@UEAA@XZ +; public: virtual __cdecl CRMCListBoxHeader::~CRMCListBoxHeader(void) __ptr64 +??1CRMCListBoxHeader@@UEAA@XZ +; public: __cdecl CRMCListBoxResources::~CRMCListBoxResources(void) __ptr64 +??1CRMCListBoxResources@@QEAA@XZ +; public: __cdecl CStrPassword::~CStrPassword(void) __ptr64 +??1CStrPassword@@QEAA@XZ +; public: virtual __cdecl CStringListEx::~CStringListEx(void) __ptr64 +??1CStringListEx@@UEAA@XZ +; public: virtual __cdecl CUpButton::~CUpButton(void) __ptr64 +??1CUpButton@@UEAA@XZ +; public: virtual __cdecl CWamInterface::~CWamInterface(void) __ptr64 +??1CWamInterface@@UEAA@XZ +; public: class CBlob & __ptr64 __cdecl CBlob::operator=(class CBlob const & __ptr64) __ptr64 +??4CBlob@@QEAAAEAV0@AEBV0@@Z +; public: class CComAuthInfo & __ptr64 __cdecl CComAuthInfo::operator=(class CComAuthInfo & __ptr64) __ptr64 +??4CComAuthInfo@@QEAAAEAV0@AEAV0@@Z +; public: class CComAuthInfo & __ptr64 __cdecl CComAuthInfo::operator=(class CComAuthInfo * __ptr64) __ptr64 +??4CComAuthInfo@@QEAAAEAV0@PEAV0@@Z +; public: class CComAuthInfo & __ptr64 __cdecl CComAuthInfo::operator=(unsigned short const * __ptr64) __ptr64 +??4CComAuthInfo@@QEAAAEAV0@PEBG@Z +; public: class CDirBrowseDlg & __ptr64 __cdecl CDirBrowseDlg::operator=(class CDirBrowseDlg const & __ptr64) __ptr64 +??4CDirBrowseDlg@@QEAAAEAV0@AEBV0@@Z +; public: class CError const & __ptr64 __cdecl CError::operator=(class CError const & __ptr64) __ptr64 +??4CError@@QEAAAEBV0@AEBV0@@Z +; public: class CError const & __ptr64 __cdecl CError::operator=(long) __ptr64 +??4CError@@QEAAAEBV0@J@Z +; public: class CGetComputer & __ptr64 __cdecl CGetComputer::operator=(class CGetComputer const & __ptr64) __ptr64 +??4CGetComputer@@QEAAAEAV0@AEBV0@@Z +; public: class CIISAppPool & __ptr64 __cdecl CIISAppPool::operator=(class CIISAppPool & __ptr64) __ptr64 +??4CIISAppPool@@QEAAAEAV0@AEAV0@@Z +; public: class CIISApplication & __ptr64 __cdecl CIISApplication::operator=(class CIISApplication & __ptr64) __ptr64 +??4CIISApplication@@QEAAAEAV0@AEAV0@@Z +; public: class CIISInterface & __ptr64 __cdecl CIISInterface::operator=(class CIISInterface & __ptr64) __ptr64 +??4CIISInterface@@QEAAAEAV0@AEAV0@@Z +; public: class CIISSvcControl & __ptr64 __cdecl CIISSvcControl::operator=(class CIISSvcControl & __ptr64) __ptr64 +??4CIISSvcControl@@QEAAAEAV0@AEAV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator=(class CILong const & __ptr64) __ptr64 +??4CILong@@QEAAAEAV0@AEBV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator=(long) __ptr64 +??4CILong@@QEAAAEAV0@J@Z +; public: class CILong & __ptr64 __cdecl CILong::operator=(unsigned short const * __ptr64) __ptr64 +??4CILong@@QEAAAEAV0@PEBG@Z +; public: class CINumber & __ptr64 __cdecl CINumber::operator=(class CINumber const & __ptr64) __ptr64 +??4CINumber@@QEAAAEAV0@AEBV0@@Z +; public: class CIPAddress const & __ptr64 __cdecl CIPAddress::operator=(class CIPAddress const & __ptr64) __ptr64 +??4CIPAddress@@QEAAAEBV0@AEBV0@@Z +; public: class CIPAddress const & __ptr64 __cdecl CIPAddress::operator=(class CString const & __ptr64) __ptr64 +??4CIPAddress@@QEAAAEBV0@AEBVCString@@@Z +; public: class CIPAddress const & __ptr64 __cdecl CIPAddress::operator=(unsigned long) __ptr64 +??4CIPAddress@@QEAAAEBV0@K@Z +; public: class CIPAddress const & __ptr64 __cdecl CIPAddress::operator=(unsigned short const * __ptr64) __ptr64 +??4CIPAddress@@QEAAAEBV0@PEBG@Z +; public: class CMetaBack & __ptr64 __cdecl CMetaBack::operator=(class CMetaBack & __ptr64) __ptr64 +??4CMetaBack@@QEAAAEAV0@AEAV0@@Z +; public: class CMetaEnumerator & __ptr64 __cdecl CMetaEnumerator::operator=(class CMetaEnumerator & __ptr64) __ptr64 +??4CMetaEnumerator@@QEAAAEAV0@AEAV0@@Z +; public: class CMetaInterface & __ptr64 __cdecl CMetaInterface::operator=(class CMetaInterface & __ptr64) __ptr64 +??4CMetaInterface@@QEAAAEAV0@AEAV0@@Z +; public: class CMetaKey & __ptr64 __cdecl CMetaKey::operator=(class CMetaKey & __ptr64) __ptr64 +??4CMetaKey@@QEAAAEAV0@AEAV0@@Z +; public: class CMetabasePath & __ptr64 __cdecl CMetabasePath::operator=(class CMetabasePath const & __ptr64) __ptr64 +??4CMetabasePath@@QEAAAEAV0@AEBV0@@Z +; public: class CObjHelper & __ptr64 __cdecl CObjHelper::operator=(class CObjHelper const & __ptr64) __ptr64 +??4CObjHelper@@QEAAAEAV0@AEBV0@@Z +; public: class CRMCListBoxDrawStruct & __ptr64 __cdecl CRMCListBoxDrawStruct::operator=(class CRMCListBoxDrawStruct const & __ptr64) __ptr64 +??4CRMCListBoxDrawStruct@@QEAAAEAV0@AEBV0@@Z +; public: class CStrPassword const & __ptr64 __cdecl CStrPassword::operator=(class CStrPassword & __ptr64) __ptr64 +??4CStrPassword@@QEAAAEBV0@AEAV0@@Z +; public: class CStrPassword const & __ptr64 __cdecl CStrPassword::operator=(unsigned short const * __ptr64) __ptr64 +??4CStrPassword@@QEAAAEBV0@PEBG@Z +; public: class CStringListEx & __ptr64 __cdecl CStringListEx::operator=(class CStringListEx const & __ptr64) __ptr64 +??4CStringListEx@@QEAAAEAV0@AEBV0@@Z +; public: class CStringListEx & __ptr64 __cdecl CStringListEx::operator=(class CStringList const & __ptr64) __ptr64 +??4CStringListEx@@QEAAAEAV0@AEBVCStringList@@@Z +; public: class CWamInterface & __ptr64 __cdecl CWamInterface::operator=(class CWamInterface & __ptr64) __ptr64 +??4CWamInterface@@QEAAAEAV0@AEAV0@@Z +; public: int __cdecl CAccessEntry::operator==(class CAccessEntry const & __ptr64)const __ptr64 +??8CAccessEntry@@QEBAHAEBV0@@Z +; public: int __cdecl CAccessEntry::operator==(void * __ptr64 const)const __ptr64 +??8CAccessEntry@@QEBAHQEAX@Z +; public: int __cdecl CBlob::operator==(class CBlob const & __ptr64)const __ptr64 +??8CBlob@@QEBAHAEBV0@@Z +; public: int const __cdecl CError::operator==(class CError & __ptr64) __ptr64 +??8CError@@QEAA?BHAEAV0@@Z +; public: int const __cdecl CError::operator==(long) __ptr64 +??8CError@@QEAA?BHJ@Z +; public: int __cdecl CILong::operator==(long) __ptr64 +??8CILong@@QEAAHJ@Z +; public: int __cdecl CIPAccessDescriptor::operator==(class CIPAccessDescriptor const & __ptr64)const __ptr64 +??8CIPAccessDescriptor@@QEBAHAEBV0@@Z +; public: int __cdecl CIPAddress::operator==(class CIPAddress const & __ptr64)const __ptr64 +??8CIPAddress@@QEBAHAEBV0@@Z +; public: int __cdecl CIPAddress::operator==(unsigned long)const __ptr64 +??8CIPAddress@@QEBAHK@Z +; public: bool __cdecl CStrPassword::operator==(class CStrPassword & __ptr64) __ptr64 +??8CStrPassword@@QEAA_NAEAV0@@Z +; public: int __cdecl CStringListEx::operator==(class CStringList const & __ptr64) __ptr64 +??8CStringListEx@@QEAAHAEBVCStringList@@@Z +; public: int __cdecl CBlob::operator!=(class CBlob const & __ptr64)const __ptr64 +??9CBlob@@QEBAHAEBV0@@Z +; public: int const __cdecl CError::operator!=(class CError & __ptr64) __ptr64 +??9CError@@QEAA?BHAEAV0@@Z +; public: int const __cdecl CError::operator!=(long) __ptr64 +??9CError@@QEAA?BHJ@Z +; public: int __cdecl CILong::operator!=(class CILong & __ptr64) __ptr64 +??9CILong@@QEAAHAEAV0@@Z +; public: int __cdecl CIPAddress::operator!=(class CIPAddress const & __ptr64)const __ptr64 +??9CIPAddress@@QEBAHAEBV0@@Z +; public: int __cdecl CIPAddress::operator!=(unsigned long)const __ptr64 +??9CIPAddress@@QEBAHK@Z +; public: bool __cdecl CStrPassword::operator!=(class CStrPassword & __ptr64) __ptr64 +??9CStrPassword@@QEAA_NAEAV0@@Z +; public: int __cdecl CStringListEx::operator!=(class CStringList const & __ptr64) __ptr64 +??9CStringListEx@@QEAAHAEBVCStringList@@@Z +; public: __cdecl CComAuthInfo::operator unsigned short * __ptr64(void) __ptr64 +??BCComAuthInfo@@QEAAPEAGXZ +; public: __cdecl CComAuthInfo::operator class CComAuthInfo * __ptr64(void) __ptr64 +??BCComAuthInfo@@QEAAPEAV0@XZ +; public: __cdecl CError::operator unsigned short * __ptr64(void) __ptr64 +??BCError@@QEAAPEAGXZ +; public: __cdecl CError::operator unsigned short const * __ptr64(void) __ptr64 +??BCError@@QEAAPEBGXZ +; public: __cdecl CError::operator int const (void)const __ptr64 +??BCError@@QEBA?BHXZ +; public: __cdecl CError::operator long const (void)const __ptr64 +??BCError@@QEBA?BJXZ +; public: __cdecl CError::operator unsigned long const (void)const __ptr64 +??BCError@@QEBA?BKXZ +; public: __cdecl CIISInterface::operator int(void)const __ptr64 +??BCIISInterface@@QEBAHXZ +; public: __cdecl CIISInterface::operator long(void)const __ptr64 +??BCIISInterface@@QEBAJXZ +; public: __cdecl CILong::operator long const (void)const __ptr64 +??BCILong@@QEBA?BJXZ +; public: __cdecl CILong::operator unsigned short const * __ptr64(void)const __ptr64 +??BCILong@@QEBAPEBGXZ +; public: __cdecl CIPAddress::operator class CString(void)const __ptr64 +??BCIPAddress@@QEBA?AVCString@@XZ +; public: __cdecl CIPAddress::operator unsigned long const (void)const __ptr64 +??BCIPAddress@@QEBA?BKXZ +; public: __cdecl CIPAddress::operator unsigned short const * __ptr64(void)const __ptr64 +??BCIPAddress@@QEBAPEBGXZ +; public: __cdecl CMetaKey::operator int(void)const __ptr64 +??BCMetaKey@@QEBAHXZ +; public: __cdecl CMetaKey::operator unsigned long(void)const __ptr64 +??BCMetaKey@@QEBAKXZ +; public: __cdecl CMetaKey::operator unsigned short const * __ptr64(void)const __ptr64 +??BCMetaKey@@QEBAPEBGXZ +; public: __cdecl CMetabasePath::operator unsigned short const * __ptr64(void)const __ptr64 +??BCMetabasePath@@QEBAPEBGXZ +; public: __cdecl CObjHelper::operator int(void) __ptr64 +??BCObjHelper@@QEAAHXZ +; public: __cdecl CStrPassword::operator class CString(void) __ptr64 +??BCStrPassword@@QEAA?AVCString@@XZ +; public: class CILong & __ptr64 __cdecl CILong::operator*=(class CILong const & __ptr64) __ptr64 +??XCILong@@QEAAAEAV0@AEBV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator*=(long) __ptr64 +??XCILong@@QEAAAEAV0@J@Z +; public: class CILong & __ptr64 __cdecl CILong::operator*=(unsigned short const * __ptr64 const) __ptr64 +??XCILong@@QEAAAEAV0@QEBG@Z +; public: class CILong & __ptr64 __cdecl CILong::operator+=(class CILong const & __ptr64) __ptr64 +??YCILong@@QEAAAEAV0@AEBV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator+=(long) __ptr64 +??YCILong@@QEAAAEAV0@J@Z +; public: class CILong & __ptr64 __cdecl CILong::operator+=(unsigned short const * __ptr64 const) __ptr64 +??YCILong@@QEAAAEAV0@QEBG@Z +; public: class CILong & __ptr64 __cdecl CILong::operator-=(class CILong const & __ptr64) __ptr64 +??ZCILong@@QEAAAEAV0@AEBV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator-=(long) __ptr64 +??ZCILong@@QEAAAEAV0@J@Z +; public: class CILong & __ptr64 __cdecl CILong::operator-=(unsigned short const * __ptr64 const) __ptr64 +??ZCILong@@QEAAAEAV0@QEBG@Z +; public: class CILong & __ptr64 __cdecl CILong::operator/=(class CILong const & __ptr64) __ptr64 +??_0CILong@@QEAAAEAV0@AEBV0@@Z +; public: class CILong & __ptr64 __cdecl CILong::operator/=(long) __ptr64 +??_0CILong@@QEAAAEAV0@J@Z +; public: class CILong & __ptr64 __cdecl CILong::operator/=(unsigned short const * __ptr64 const) __ptr64 +??_0CILong@@QEAAAEAV0@QEBG@Z +; const CAccessEntry::`vftable'{for `CObjHelper'} +??_7CAccessEntry@@6BCObjHelper@@@ +; const CAccessEntry::`vftable'{for `CObject'} +??_7CAccessEntry@@6BCObject@@@ +; const CConfirmDlg::`vftable' +??_7CConfirmDlg@@6B@ +; const CDirBrowseDlg::`vftable' +??_7CDirBrowseDlg@@6B@ +; const CDownButton::`vftable' +??_7CDownButton@@6B@ +; const CEmphasizedDialog::`vftable' +??_7CEmphasizedDialog@@6B@ +; const CGetUsers::`vftable' +??_7CGetUsers@@6B@ +; const CHeaderListBox::`vftable'{for `CListBox'} +??_7CHeaderListBox@@6BCListBox@@@ +; const CHeaderListBox::`vftable'{for `CODLBox'} +??_7CHeaderListBox@@6BCODLBox@@@ +; const CIISAppPool::`vftable'{for `CMetaKey'} +??_7CIISAppPool@@6BCMetaKey@@@ +; const CIISAppPool::`vftable'{for `CWamInterface'} +??_7CIISAppPool@@6BCWamInterface@@@ +; const CIISApplication::`vftable'{for `CMetaKey'} +??_7CIISApplication@@6BCMetaKey@@@ +; const CIISApplication::`vftable'{for `CWamInterface'} +??_7CIISApplication@@6BCWamInterface@@@ +; const CIISInterface::`vftable' +??_7CIISInterface@@6B@ +; const CIISSvcControl::`vftable' +??_7CIISSvcControl@@6B@ +; const CIISWizardBookEnd::`vftable' +??_7CIISWizardBookEnd@@6B@ +; const CIISWizardPage::`vftable' +??_7CIISWizardPage@@6B@ +; const CIISWizardSheet::`vftable' +??_7CIISWizardSheet@@6B@ +; const CIPAccessDescriptor::`vftable'{for `CObjHelper'} +??_7CIPAccessDescriptor@@6BCObjHelper@@@ +; const CIPAccessDescriptor::`vftable'{for `CObject'} +??_7CIPAccessDescriptor@@6BCObject@@@ +; const CIPAddress::`vftable'{for `CObjHelper'} +??_7CIPAddress@@6BCObjHelper@@@ +; const CIPAddress::`vftable'{for `CObject'} +??_7CIPAddress@@6BCObject@@@ +; const CInheritanceDlg::`vftable' +??_7CInheritanceDlg@@6B@ +; const CMappedBitmapButton::`vftable' +??_7CMappedBitmapButton@@6B@ +; const CMetaBack::`vftable'{for `CMetaInterface'} +??_7CMetaBack@@6BCMetaInterface@@@ +; const CMetaBack::`vftable'{for `CWamInterface'} +??_7CMetaBack@@6BCWamInterface@@@ +; const CMetaEnumerator::`vftable' +??_7CMetaEnumerator@@6B@ +; const CMetaInterface::`vftable' +??_7CMetaInterface@@6B@ +; const CMetaKey::`vftable' +??_7CMetaKey@@6B@ +; const CODLBox::`vftable' +??_7CODLBox@@6B@ +; const CObListIter::`vftable'{for `CObjHelper'} +??_7CObListIter@@6BCObjHelper@@@ +; const CObListIter::`vftable'{for `CObject'} +??_7CObListIter@@6BCObject@@@ +; const CObListPlus::`vftable'{for `CObList'} +??_7CObListPlus@@6BCObList@@@ +; const CObListPlus::`vftable'{for `CObjHelper'} +??_7CObListPlus@@6BCObjHelper@@@ +; const CObjHelper::`vftable' +??_7CObjHelper@@6B@ +; const CObjectPlus::`vftable'{for `CObjHelper'} +??_7CObjectPlus@@6BCObjHelper@@@ +; const CObjectPlus::`vftable'{for `CObject'} +??_7CObjectPlus@@6BCObject@@@ +; const CRMCComboBox::`vftable'{for `CComboBox'} +??_7CRMCComboBox@@6BCComboBox@@@ +; const CRMCComboBox::`vftable'{for `CODLBox'} +??_7CRMCComboBox@@6BCODLBox@@@ +; const CRMCListBox::`vftable'{for `CListBox'} +??_7CRMCListBox@@6BCListBox@@@ +; const CRMCListBox::`vftable'{for `CODLBox'} +??_7CRMCListBox@@6BCODLBox@@@ +; const CRMCListBoxHeader::`vftable' +??_7CRMCListBoxHeader@@6B@ +; const CStringListEx::`vftable' +??_7CStringListEx@@6B@ +; const CUpButton::`vftable' +??_7CUpButton@@6B@ +; const CWamInterface::`vftable' +??_7CWamInterface@@6B@ +; public: void __cdecl CComAuthInfo::`default constructor closure'(void) __ptr64 +??_FCComAuthInfo@@QEAAXXZ +; public: void __cdecl CConfirmDlg::`default constructor closure'(void) __ptr64 +??_FCConfirmDlg@@QEAAXXZ +; public: void __cdecl CDirBrowseDlg::`default constructor closure'(void) __ptr64 +??_FCDirBrowseDlg@@QEAAXXZ +; public: void __cdecl CHeaderListBox::`default constructor closure'(void) __ptr64 +??_FCHeaderListBox@@QEAAXXZ +; public: void __cdecl CIISWizardBookEnd::`default constructor closure'(void) __ptr64 +??_FCIISWizardBookEnd@@QEAAXXZ +; public: void __cdecl CIISWizardPage::`default constructor closure'(void) __ptr64 +??_FCIISWizardPage@@QEAAXXZ +; public: void __cdecl CIISWizardSheet::`default constructor closure'(void) __ptr64 +??_FCIISWizardSheet@@QEAAXXZ +; public: void __cdecl CIPAccessDescriptor::`default constructor closure'(void) __ptr64 +??_FCIPAccessDescriptor@@QEAAXXZ +; public: void __cdecl CMetabasePath::`default constructor closure'(void) __ptr64 +??_FCMetabasePath@@QEAAXXZ +; public: void __cdecl CObListPlus::`default constructor closure'(void) __ptr64 +??_FCObListPlus@@QEAAXXZ +; public: void __cdecl CRMCListBoxHeader::`default constructor closure'(void) __ptr64 +??_FCRMCListBoxHeader@@QEAAXXZ +; public: void __cdecl CStringListEx::`default constructor closure'(void) __ptr64 +??_FCStringListEx@@QEAAXXZ +; void __cdecl ActivateControl(class CWnd & __ptr64,int) +?ActivateControl@@YAXAEAVCWnd@@H@Z +; protected: long __cdecl CMetaInterface::AddKey(unsigned long,unsigned short const * __ptr64) __ptr64 +?AddKey@CMetaInterface@@IEAAJKPEBG@Z +; public: long __cdecl CMetaKey::AddKey(unsigned short const * __ptr64) __ptr64 +?AddKey@CMetaKey@@QEAAJPEBG@Z +; public: unsigned int __cdecl CError::AddOverride(long,unsigned int) __ptr64 +?AddOverride@CError@@QEAAIJI@Z +; public: void __cdecl CAccessEntry::AddPermissions(unsigned long) __ptr64 +?AddPermissions@CAccessEntry@@QEAAXK@Z +; public: int __cdecl CODLBox::AddTab(unsigned int) __ptr64 +?AddTab@CODLBox@@QEAAHI@Z +; public: int __cdecl CODLBox::AddTabFromHeaders(class CWnd & __ptr64,class CWnd & __ptr64) __ptr64 +?AddTabFromHeaders@CODLBox@@QEAAHAEAVCWnd@@0@Z +; public: int __cdecl CODLBox::AddTabFromHeaders(unsigned int,unsigned int) __ptr64 +?AddTabFromHeaders@CODLBox@@QEAAHII@Z +; char * __ptr64 __cdecl AllocAnsiString(unsigned short const * __ptr64) +?AllocAnsiString@@YAPEADPEBG@Z +; unsigned short * __ptr64 __cdecl AllocString(unsigned short const * __ptr64,int) +?AllocString@@YAPEAGPEBGH@Z +; protected: static int __cdecl CINumber::Allocate(void) +?Allocate@CINumber@@KAHXZ +; protected: static int __cdecl CError::AllocateStatics(void) +?AllocateStatics@CError@@KAHXZ +; protected: long __cdecl CWamInterface::AppCreate(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppCreate@CWamInterface@@IEAAJPEBGK@Z +; protected: long __cdecl CWamInterface::AppDelete(unsigned short const * __ptr64,int) __ptr64 +?AppDelete@CWamInterface@@IEAAJPEBGH@Z +; protected: long __cdecl CWamInterface::AppDeleteRecoverable(unsigned short const * __ptr64,int) __ptr64 +?AppDeleteRecoverable@CWamInterface@@IEAAJPEBGH@Z +; protected: long __cdecl CWamInterface::AppGetStatus(unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?AppGetStatus@CWamInterface@@IEAAJPEBGPEAK@Z +; protected: long __cdecl CWamInterface::AppRecover(unsigned short const * __ptr64,int) __ptr64 +?AppRecover@CWamInterface@@IEAAJPEBGH@Z +; protected: long __cdecl CWamInterface::AppUnLoad(unsigned short const * __ptr64,int) __ptr64 +?AppUnLoad@CWamInterface@@IEAAJPEBGH@Z +; protected: void __cdecl CMetabasePath::AppendPath(unsigned long) __ptr64 +?AppendPath@CMetabasePath@@IEAAXK@Z +; protected: void __cdecl CMetabasePath::AppendPath(unsigned short const * __ptr64) __ptr64 +?AppendPath@CMetabasePath@@IEAAXPEBG@Z +; class CString __cdecl AppendToDevicePath(class CString,unsigned short const * __ptr64) +?AppendToDevicePath@@YA?AVCString@@V1@PEBG@Z +; void __cdecl ApplyFontToControls(class CWnd * __ptr64,class CFont * __ptr64,unsigned int,unsigned int) +?ApplyFontToControls@@YAXPEAVCWnd@@PEAVCFont@@II@Z +; public: long __cdecl CComAuthInfo::ApplyProxyBlanket(struct IUnknown * __ptr64) __ptr64 +?ApplyProxyBlanket@CComAuthInfo@@QEAAJPEAUIUnknown@@@Z +; public: long __cdecl CComAuthInfo::ApplyProxyBlanket(struct IUnknown * __ptr64,unsigned long) __ptr64 +?ApplyProxyBlanket@CComAuthInfo@@QEAAJPEAUIUnknown@@K@Z +; protected: virtual long __cdecl CIISSvcControl::ApplyProxyBlanket(void) __ptr64 +?ApplyProxyBlanket@CIISSvcControl@@MEAAJXZ +; protected: virtual long __cdecl CMetaBack::ApplyProxyBlanket(void) __ptr64 +?ApplyProxyBlanket@CMetaBack@@MEAAJXZ +; protected: virtual long __cdecl CMetaInterface::ApplyProxyBlanket(void) __ptr64 +?ApplyProxyBlanket@CMetaInterface@@MEAAJXZ +; protected: virtual long __cdecl CWamInterface::ApplyProxyBlanket(void) __ptr64 +?ApplyProxyBlanket@CWamInterface@@MEAAJXZ +; protected: static int __cdecl CError::AreStaticsAllocated(void) +?AreStaticsAllocated@CError@@KAHXZ +; public: void __cdecl CODLBox::AttachResources(class CRMCListBoxResources const * __ptr64) __ptr64 +?AttachResources@CODLBox@@QEAAXPEBVCRMCListBoxResources@@@Z +; protected: void __cdecl CODLBox::AttachWindow(class CWnd * __ptr64) __ptr64 +?AttachWindow@CODLBox@@IEAAXPEAVCWnd@@@Z +; public: long __cdecl CMetaBack::Backup(unsigned short const * __ptr64) __ptr64 +?Backup@CMetaBack@@QEAAJPEBG@Z +; protected: long __cdecl CMetaInterface::Backup(unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +?Backup@CMetaInterface@@IEAAJPEBGKK@Z +; public: long __cdecl CMetaBack::BackupWithPassword(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?BackupWithPassword@CMetaBack@@QEAAJPEBG0@Z +; protected: long __cdecl CMetaInterface::BackupWithPassword(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned short const * __ptr64) __ptr64 +?BackupWithPassword@CMetaInterface@@IEAAJPEBGKK0@Z +; public: int __cdecl CRMCListBoxResources::BitmapHeight(void)const __ptr64 +?BitmapHeight@CRMCListBoxResources@@QEBAHXZ +; public: int __cdecl CRMCListBoxResources::BitmapWidth(void)const __ptr64 +?BitmapWidth@CRMCListBoxResources@@QEBAHXZ +; int __cdecl BuildAclBlob(class CObListPlus & __ptr64,class CBlob & __ptr64) +?BuildAclBlob@@YAHAEAVCObListPlus@@AEAVCBlob@@@Z +; unsigned long __cdecl BuildAclOblistFromBlob(class CBlob & __ptr64,class CObListPlus & __ptr64) +?BuildAclOblistFromBlob@@YAKAEAVCBlob@@AEAVCObListPlus@@@Z +; public: static double __cdecl CINumber::BuildFloat(long,long) +?BuildFloat@CINumber@@SANJJ@Z +; void __cdecl BuildIplBlob(class CObListPlus & __ptr64,int,class CBlob & __ptr64) +?BuildIplBlob@@YAXAEAVCObListPlus@@HAEAVCBlob@@@Z +; unsigned long __cdecl BuildIplOblistFromBlob(class CBlob & __ptr64,class CObListPlus & __ptr64,int & __ptr64) +?BuildIplOblistFromBlob@@YAKAEAVCBlob@@AEAVCObListPlus@@AEAH@Z +; protected: void __cdecl CMetabasePath::BuildMetaPath(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?BuildMetaPath@CMetabasePath@@IEAAXPEBG000@Z +; protected: void __cdecl CMetabasePath::BuildMetaPath(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?BuildMetaPath@CMetabasePath@@IEAAXPEBGK00@Z +; int __cdecl CStringFindNoCase(class CString const & __ptr64,unsigned short const * __ptr64) +?CStringFindNoCase@@YAHAEBVCString@@PEBG@Z +; protected: void __cdecl CODLBox::CalculateTextHeight(class CFont * __ptr64) __ptr64 +?CalculateTextHeight@CODLBox@@IEAAXPEAVCFont@@@Z +; public: int __cdecl CODLBox::ChangeFont(class CFont * __ptr64) __ptr64 +?ChangeFont@CODLBox@@QEAAHPEAVCFont@@@Z +; public: virtual long __cdecl CIISInterface::ChangeProxyBlanket(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?ChangeProxyBlanket@CIISInterface@@UEAAJPEBG0@Z +; public: long __cdecl CMetaKey::CheckDescendants(unsigned long,class CComAuthInfo * __ptr64,unsigned short const * __ptr64) __ptr64 +?CheckDescendants@CMetaKey@@QEAAJKPEAVCComAuthInfo@@PEBG@Z +; protected: class CString & __ptr64 __cdecl CInheritanceDlg::CleanDescendantPath(class CString & __ptr64) __ptr64 +?CleanDescendantPath@CInheritanceDlg@@IEAAAEAVCString@@AEAV2@@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::CleanMetaPath(class CString & __ptr64) +?CleanMetaPath@CMetabasePath@@SAPEBGAEAVCString@@@Z +; public: void __cdecl CBlob::CleanUp(void) __ptr64 +?CleanUp@CBlob@@QEAAXXZ +; private: void __cdecl CStrPassword::ClearPasswordBuffers(void) __ptr64 +?ClearPasswordBuffers@CStrPassword@@AEAAXXZ +; public: long __cdecl CMetaKey::Close(void) __ptr64 +?Close@CMetaKey@@QEAAJXZ +; protected: long __cdecl CMetaInterface::CloseKey(unsigned long) __ptr64 +?CloseKey@CMetaInterface@@IEAAJK@Z +; public: unsigned long __cdecl CRMCListBoxResources::ColorHighlight(void)const __ptr64 +?ColorHighlight@CRMCListBoxResources@@QEBAKXZ +; public: unsigned long __cdecl CRMCListBoxResources::ColorHighlightText(void)const __ptr64 +?ColorHighlightText@CRMCListBoxResources@@QEBAKXZ +; public: unsigned long __cdecl CRMCListBoxResources::ColorWindow(void)const __ptr64 +?ColorWindow@CRMCListBoxResources@@QEBAKXZ +; public: unsigned long __cdecl CRMCListBoxResources::ColorWindowText(void)const __ptr64 +?ColorWindowText@CRMCListBoxResources@@QEBAKXZ +; protected: int __cdecl CODLBox::ColumnText(class CRMCListBoxDrawStruct & __ptr64,int,int,unsigned short const * __ptr64) __ptr64 +?ColumnText@CODLBox@@IEAAHAEAVCRMCListBoxDrawStruct@@HHPEBG@Z +; protected: static int __cdecl CODLBox::ColumnText(class CDC * __ptr64,int,int,int,int,unsigned short const * __ptr64) +?ColumnText@CODLBox@@KAHPEAVCDC@@HHHHPEBG@Z +; protected: void __cdecl CIISApplication::CommonConstruct(void) __ptr64 +?CommonConstruct@CIISApplication@@IEAAXXZ +; public: virtual int __cdecl CObjectPlus::Compare(class CObjectPlus const * __ptr64)const __ptr64 +?Compare@CObjectPlus@@UEBAHPEBV1@@Z +; public: int __cdecl CStrPassword::Compare(class CStrPassword & __ptr64)const __ptr64 +?Compare@CStrPassword@@QEBAHAEAV1@@Z +; public: int __cdecl CStrPassword::Compare(class CString & __ptr64)const __ptr64 +?Compare@CStrPassword@@QEBAHAEAVCString@@@Z +; public: int __cdecl CStrPassword::Compare(unsigned short const * __ptr64)const __ptr64 +?Compare@CStrPassword@@QEBAHPEBG@Z +; public: int __cdecl CIPAddress::CompareItem(class CIPAddress const & __ptr64)const __ptr64 +?CompareItem@CIPAddress@@QEBAHAEBV1@@Z +; protected: void __cdecl CODLBox::ComputeMargins(class CRMCListBoxDrawStruct & __ptr64,int,int & __ptr64,int & __ptr64) __ptr64 +?ComputeMargins@CODLBox@@IEAAXAEAVCRMCListBoxDrawStruct@@HAEAH1@Z +; protected: class CError const & __ptr64 __cdecl CError::Construct(class CError const & __ptr64) __ptr64 +?Construct@CError@@IEAAAEBV1@AEBV1@@Z +; protected: class CError const & __ptr64 __cdecl CError::Construct(long) __ptr64 +?Construct@CError@@IEAAAEBV1@J@Z +; unsigned long __cdecl ConvertDoubleNullListToStringList(unsigned short const * __ptr64,class CStringList & __ptr64,int) +?ConvertDoubleNullListToStringList@@YAKPEBGAEAVCStringList@@H@Z +; public: static unsigned short const * __ptr64 __cdecl CINumber::ConvertFloatToString(double,int,class CString & __ptr64) +?ConvertFloatToString@CINumber@@SAPEBGNHAEAVCString@@@Z +; public: static unsigned short const * __ptr64 __cdecl CINumber::ConvertLongToString(long,class CString & __ptr64) +?ConvertLongToString@CINumber@@SAPEBGJAEAVCString@@@Z +; int __cdecl ConvertSepLineToStringList(unsigned short const * __ptr64,class CStringList & __ptr64,unsigned short const * __ptr64) +?ConvertSepLineToStringList@@YAHPEBGAEAVCStringList@@0@Z +; unsigned long __cdecl ConvertStringListToDoubleNullList(class CStringList & __ptr64,unsigned long & __ptr64,unsigned short * __ptr64 & __ptr64) +?ConvertStringListToDoubleNullList@@YAKAEAVCStringList@@AEAKAEAPEAG@Z +; unsigned short const * __ptr64 __cdecl ConvertStringListToSepLine(class CStringList & __ptr64,class CString & __ptr64,unsigned short const * __ptr64) +?ConvertStringListToSepLine@@YAPEBGAEAVCStringList@@AEAVCString@@PEBG@Z +; public: static int __cdecl CINumber::ConvertStringToFloat(unsigned short const * __ptr64,double & __ptr64) +?ConvertStringToFloat@CINumber@@SAHPEBGAEAN@Z +; public: static int __cdecl CINumber::ConvertStringToLong(unsigned short const * __ptr64,long & __ptr64) +?ConvertStringToLong@CINumber@@SAHPEBGAEAJ@Z +; public: long __cdecl CMetaKey::ConvertToParentPath(int) __ptr64 +?ConvertToParentPath@CMetaKey@@QEAAJH@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::ConvertToParentPath(class CString & __ptr64) +?ConvertToParentPath@CMetabasePath@@SAPEBGAEAVCString@@@Z +; protected: long __cdecl CMetaInterface::CopyData(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,int) __ptr64 +?CopyData@CMetaInterface@@IEAAJKPEBGK0KKKH@Z +; protected: long __cdecl CMetaInterface::CopyKey(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,int,int) __ptr64 +?CopyKey@CMetaInterface@@IEAAJKPEBGK0HH@Z +; public: void __cdecl CStrPassword::CopyTo(class CStrPassword & __ptr64) __ptr64 +?CopyTo@CStrPassword@@QEAAXAEAV1@@Z +; public: void __cdecl CStrPassword::CopyTo(class CString & __ptr64) __ptr64 +?CopyTo@CStrPassword@@QEAAXAEAVCString@@@Z +; public: long __cdecl CIISAppPool::Create(unsigned short const * __ptr64) __ptr64 +?Create@CIISAppPool@@QEAAJPEBG@Z +; public: long __cdecl CIISApplication::Create(unsigned short const * __ptr64,unsigned long) __ptr64 +?Create@CIISApplication@@QEAAJPEBGK@Z +; protected: long __cdecl CIISInterface::Create(int,struct _GUID const * __ptr64 const,struct _GUID const * __ptr64 const,int * __ptr64,struct IUnknown * __ptr64 * __ptr64) __ptr64 +?Create@CIISInterface@@IEAAJHQEBU_GUID@@0PEAHPEAPEAUIUnknown@@@Z +; protected: long __cdecl CIISSvcControl::Create(void) __ptr64 +?Create@CIISSvcControl@@IEAAJXZ +; protected: long __cdecl CMetaInterface::Create(void) __ptr64 +?Create@CMetaInterface@@IEAAJXZ +; public: int __cdecl CRMCListBoxHeader::Create(unsigned long,struct tagRECT const & __ptr64,class CWnd * __ptr64,class CHeaderListBox * __ptr64,unsigned int) __ptr64 +?Create@CRMCListBoxHeader@@QEAAHKAEBUtagRECT@@PEAVCWnd@@PEAVCHeaderListBox@@I@Z +; protected: long __cdecl CWamInterface::Create(void) __ptr64 +?Create@CWamInterface@@IEAAJXZ +; protected: long __cdecl CWamInterface::CreateApplication(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,int) __ptr64 +?CreateApplication@CWamInterface@@IEAAJPEBGK0H@Z +; protected: long __cdecl CWamInterface::CreateApplicationPool(unsigned short const * __ptr64) __ptr64 +?CreateApplicationPool@CWamInterface@@IEAAJPEBG@Z +; public: static class CObject * __ptr64 __cdecl CEmphasizedDialog::CreateObject(void) +?CreateObject@CEmphasizedDialog@@SAPEAVCObject@@XZ +; public: static class CObject * __ptr64 __cdecl CIISWizardBookEnd::CreateObject(void) +?CreateObject@CIISWizardBookEnd@@SAPEAVCObject@@XZ +; public: static class CObject * __ptr64 __cdecl CIISWizardPage::CreateObject(void) +?CreateObject@CIISWizardPage@@SAPEAVCObject@@XZ +; public: static class CObject * __ptr64 __cdecl CIISWizardSheet::CreateObject(void) +?CreateObject@CIISWizardSheet@@SAPEAVCObject@@XZ +; public: long __cdecl CMetaKey::CreatePathFromFailedOpen(void) __ptr64 +?CreatePathFromFailedOpen@CMetaKey@@QEAAJXZ +; public: long __cdecl CIISApplication::CreatePooled(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,int) __ptr64 +?CreatePooled@CIISApplication@@QEAAJPEBGK0H@Z +; public: struct _COSERVERINFO * __ptr64 __cdecl CComAuthInfo::CreateServerInfoStruct(unsigned long)const __ptr64 +?CreateServerInfoStruct@CComAuthInfo@@QEBAPEAU_COSERVERINFO@@K@Z +; public: struct _COSERVERINFO * __ptr64 __cdecl CComAuthInfo::CreateServerInfoStruct(void)const __ptr64 +?CreateServerInfoStruct@CComAuthInfo@@QEBAPEAU_COSERVERINFO@@XZ +; public: long __cdecl CMetaInterface::CreateSite(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?CreateSite@CMetaInterface@@QEAAJPEBG000PEAK1@Z +; int __cdecl CreateSpecialDialogFont(class CWnd * __ptr64,class CFont * __ptr64,long,long,long,int,int) +?CreateSpecialDialogFont@@YAHPEAVCWnd@@PEAVCFont@@JJJHH@Z +; int __cdecl CvtGMTStringToInternal(unsigned short const * __ptr64,__int64 * __ptr64) +?CvtGMTStringToInternal@@YAHPEBGPEA_J@Z +; void __cdecl CvtInternalToGMTString(__int64,class CString & __ptr64) +?CvtInternalToGMTString@@YAX_JAEAVCString@@@Z +; int __cdecl CvtStringToLong(unsigned short const * __ptr64,unsigned long * __ptr64) +?CvtStringToLong@@YAHPEBGPEAK@Z +; protected: static long __cdecl CError::CvtToInternalFormat(long) +?CvtToInternalFormat@CError@@KAJJ@Z +; void __cdecl DDV_FilePath(class CDataExchange * __ptr64,class CString & __ptr64,int) +?DDV_FilePath@@YAXPEAVCDataExchange@@AEAVCString@@H@Z +; void __cdecl DDV_FolderPath(class CDataExchange * __ptr64,class CString & __ptr64,int) +?DDV_FolderPath@@YAXPEAVCDataExchange@@AEAVCString@@H@Z +; void __cdecl DDV_MaxCharsBalloon(class CDataExchange * __ptr64,class CString const & __ptr64,int) +?DDV_MaxCharsBalloon@@YAXPEAVCDataExchange@@AEBVCString@@H@Z +; void __cdecl DDV_MaxCharsBalloon_SecuredString(class CDataExchange * __ptr64,class CStrPassword const & __ptr64,int) +?DDV_MaxCharsBalloon_SecuredString@@YAXPEAVCDataExchange@@AEBVCStrPassword@@H@Z +; void __cdecl DDV_MaxChars_SecuredString(class CDataExchange * __ptr64,class CStrPassword const & __ptr64,int) +?DDV_MaxChars_SecuredString@@YAXPEAVCDataExchange@@AEBVCStrPassword@@H@Z +; void __cdecl DDV_MinChars(class CDataExchange * __ptr64,class CString const & __ptr64,int) +?DDV_MinChars@@YAXPEAVCDataExchange@@AEBVCString@@H@Z +; void __cdecl DDV_MinChars_SecuredString(class CDataExchange * __ptr64,class CStrPassword const & __ptr64,int) +?DDV_MinChars_SecuredString@@YAXPEAVCDataExchange@@AEBVCStrPassword@@H@Z +; void __cdecl DDV_MinMaxBalloon(class CDataExchange * __ptr64,int,unsigned long,unsigned long) +?DDV_MinMaxBalloon@@YAXPEAVCDataExchange@@HKK@Z +; void __cdecl DDV_MinMaxChars(class CDataExchange * __ptr64,class CString const & __ptr64,int,int) +?DDV_MinMaxChars@@YAXPEAVCDataExchange@@AEBVCString@@HH@Z +; void __cdecl DDV_MinMaxChars_SecuredString(class CDataExchange * __ptr64,class CStrPassword const & __ptr64,int,int) +?DDV_MinMaxChars_SecuredString@@YAXPEAVCDataExchange@@AEBVCStrPassword@@HH@Z +; void __cdecl DDV_MinMaxSpin(class CDataExchange * __ptr64,struct HWND__ * __ptr64,int,int) +?DDV_MinMaxSpin@@YAXPEAVCDataExchange@@PEAUHWND__@@HH@Z +; void __cdecl DDV_ShowBalloonAndFail(class CDataExchange * __ptr64,unsigned int) +?DDV_ShowBalloonAndFail@@YAXPEAVCDataExchange@@I@Z +; void __cdecl DDV_ShowBalloonAndFail(class CDataExchange * __ptr64,class CString) +?DDV_ShowBalloonAndFail@@YAXPEAVCDataExchange@@VCString@@@Z +; void __cdecl DDV_UNCFolderPath(class CDataExchange * __ptr64,class CString & __ptr64,int) +?DDV_UNCFolderPath@@YAXPEAVCDataExchange@@AEAVCString@@H@Z +; void __cdecl DDV_Url(class CDataExchange * __ptr64,class CString & __ptr64) +?DDV_Url@@YAXPEAVCDataExchange@@AEAVCString@@@Z +; void __cdecl DDX_Password(class CDataExchange * __ptr64,int,class CString & __ptr64,unsigned short const * __ptr64) +?DDX_Password@@YAXPEAVCDataExchange@@HAEAVCString@@PEBG@Z +; void __cdecl DDX_Password_SecuredString(class CDataExchange * __ptr64,int,class CStrPassword & __ptr64,unsigned short const * __ptr64) +?DDX_Password_SecuredString@@YAXPEAVCDataExchange@@HAEAVCStrPassword@@PEBG@Z +; void __cdecl DDX_Spin(class CDataExchange * __ptr64,int,int & __ptr64) +?DDX_Spin@@YAXPEAVCDataExchange@@HAEAH@Z +; void __cdecl DDX_Text(class CDataExchange * __ptr64,int,class CILong & __ptr64) +?DDX_Text@@YAXPEAVCDataExchange@@HAEAVCILong@@@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,unsigned char & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAE@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,short & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAF@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,int & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAH@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,unsigned int & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAI@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,long & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAJ@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,unsigned long & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEAK@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,__int64 & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEA_J@Z +; void __cdecl DDX_TextBalloon(class CDataExchange * __ptr64,int,unsigned __int64 & __ptr64) +?DDX_TextBalloon@@YAXPEAVCDataExchange@@HAEA_K@Z +; void __cdecl DDX_Text_SecuredString(class CDataExchange * __ptr64,int,class CStrPassword & __ptr64) +?DDX_Text_SecuredString@@YAXPEAVCDataExchange@@HAEAVCStrPassword@@@Z +; public: static unsigned char * __ptr64 __cdecl CIPAddress::DWORDtoLPBYTE(unsigned long,unsigned char * __ptr64) +?DWORDtoLPBYTE@CIPAddress@@SAPEAEKPEAE@Z +; protected: static void __cdecl CINumber::DeAllocate(void) +?DeAllocate@CINumber@@KAXXZ +; protected: static void __cdecl CError::DeAllocateStatics(void) +?DeAllocateStatics@CError@@KAXXZ +; unsigned long __cdecl DeflateEnvironmentVariablePath(unsigned short const * __ptr64,class CString & __ptr64) +?DeflateEnvironmentVariablePath@@YAKPEBGAEAVCString@@@Z +; public: long __cdecl CIISAppPool::Delete(unsigned short const * __ptr64) __ptr64 +?Delete@CIISAppPool@@QEAAJPEBG@Z +; public: long __cdecl CIISApplication::Delete(int) __ptr64 +?Delete@CIISApplication@@QEAAJH@Z +; public: long __cdecl CMetaBack::Delete(unsigned short const * __ptr64,unsigned long) __ptr64 +?Delete@CMetaBack@@QEAAJPEBGK@Z +; protected: long __cdecl CMetaInterface::DeleteAllData(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +?DeleteAllData@CMetaInterface@@IEAAJKPEBGKK@Z +; protected: long __cdecl CWamInterface::DeleteApplication(unsigned short const * __ptr64,int) __ptr64 +?DeleteApplication@CWamInterface@@IEAAJPEBGH@Z +; protected: long __cdecl CWamInterface::DeleteApplicationPool(unsigned short const * __ptr64) __ptr64 +?DeleteApplicationPool@CWamInterface@@IEAAJPEBG@Z +; protected: long __cdecl CMetaInterface::DeleteBackup(unsigned short const * __ptr64,unsigned long) __ptr64 +?DeleteBackup@CMetaInterface@@IEAAJPEBGK@Z +; protected: long __cdecl CMetaInterface::DeleteChildKeys(unsigned long,unsigned short const * __ptr64) __ptr64 +?DeleteChildKeys@CMetaInterface@@IEAAJKPEBG@Z +; protected: long __cdecl CMetaInterface::DeleteData(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +?DeleteData@CMetaInterface@@IEAAJKPEBGKK@Z +; protected: int __cdecl CHeaderListBox::DeleteHeaderItem(int) __ptr64 +?DeleteHeaderItem@CHeaderListBox@@IEAAHH@Z +; public: int __cdecl CRMCListBoxHeader::DeleteItem(int) __ptr64 +?DeleteItem@CRMCListBoxHeader@@QEAAHH@Z +; protected: long __cdecl CMetaInterface::DeleteKey(unsigned long,unsigned short const * __ptr64) __ptr64 +?DeleteKey@CMetaInterface@@IEAAJKPEBG@Z +; public: long __cdecl CMetaKey::DeleteKey(unsigned short const * __ptr64) __ptr64 +?DeleteKey@CMetaKey@@QEAAJPEBG@Z +; public: long __cdecl CIISApplication::DeleteRecoverable(int) __ptr64 +?DeleteRecoverable@CIISApplication@@QEAAJH@Z +; public: long __cdecl CMetaKey::DeleteValue(unsigned long,unsigned short const * __ptr64) __ptr64 +?DeleteValue@CMetaKey@@QEAAJKPEBG@Z +; public: void __cdecl CStrPassword::DestroyClearTextPassword(unsigned short * __ptr64)const __ptr64 +?DestroyClearTextPassword@CStrPassword@@QEBAXPEAG@Z +; protected: void __cdecl CHeaderListBox::DistributeColumns(void) __ptr64 +?DistributeColumns@CHeaderListBox@@IEAAXXZ +; protected: virtual void __cdecl CConfirmDlg::DoDataExchange(class CDataExchange * __ptr64) __ptr64 +?DoDataExchange@CConfirmDlg@@MEAAXPEAVCDataExchange@@@Z +; protected: virtual void __cdecl CInheritanceDlg::DoDataExchange(class CDataExchange * __ptr64) __ptr64 +?DoDataExchange@CInheritanceDlg@@MEAAXPEAVCDataExchange@@@Z +; public: virtual int __cdecl CDirBrowseDlg::DoModal(void) __ptr64 +?DoModal@CDirBrowseDlg@@UEAAHXZ +; public: virtual __int64 __cdecl CInheritanceDlg::DoModal(void) __ptr64 +?DoModal@CInheritanceDlg@@UEAA_JXZ +; public: long __cdecl CMetaKey::DoesPathExist(unsigned short const * __ptr64) __ptr64 +?DoesPathExist@CMetaKey@@QEAAJPEBG@Z +; public: int __cdecl CRMCListBoxHeader::DoesRespondToColumnWidthChanges(void)const __ptr64 +?DoesRespondToColumnWidthChanges@CRMCListBoxHeader@@QEBAHXZ +; int __cdecl DoesUNCShareExist(class CString & __ptr64) +?DoesUNCShareExist@@YAHAEAVCString@@@Z +; protected: int __cdecl CODLBox::DrawBitmap(class CRMCListBoxDrawStruct & __ptr64,int,int) __ptr64 +?DrawBitmap@CODLBox@@IEAAHAEAVCRMCListBoxDrawStruct@@HH@Z +; protected: virtual void __cdecl CRMCComboBox::DrawItem(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?DrawItem@CRMCComboBox@@MEAAXPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual void __cdecl CRMCListBox::DrawItem(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?DrawItem@CRMCListBox@@MEAAXPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual void __cdecl CRMCComboBox::DrawItemEx(class CRMCListBoxDrawStruct & __ptr64) __ptr64 +?DrawItemEx@CRMCComboBox@@MEAAXAEAVCRMCListBoxDrawStruct@@@Z +; protected: virtual void __cdecl CRMCListBox::DrawItemEx(class CRMCListBoxDrawStruct & __ptr64) __ptr64 +?DrawItemEx@CRMCListBox@@MEAAXAEAVCRMCListBoxDrawStruct@@@Z +; public: int __cdecl CIPAccessDescriptor::DuplicateInList(class CObListPlus & __ptr64) __ptr64 +?DuplicateInList@CIPAccessDescriptor@@QEAAHAEAVCObListPlus@@@Z +; void __cdecl EditHideBalloon(void) +?EditHideBalloon@@YAXXZ +; void __cdecl EditShowBalloon(struct HWND__ * __ptr64,unsigned int) +?EditShowBalloon@@YAXPEAUHWND__@@I@Z +; void __cdecl EditShowBalloon(struct HWND__ * __ptr64,class CString) +?EditShowBalloon@@YAXPEAUHWND__@@VCString@@@Z +; public: void __cdecl CStrPassword::Empty(void) __ptr64 +?Empty@CStrPassword@@QEAAXXZ +; public: void __cdecl CIISWizardSheet::EnableButton(int,int) __ptr64 +?EnableButton@CIISWizardSheet@@QEAAXHH@Z +; protected: void __cdecl CIISWizardPage::EnableSheetButton(int,int) __ptr64 +?EnableSheetButton@CIISWizardPage@@IEAAXHH@Z +; public: int __cdecl CHeaderListBox::EnableWindow(int) __ptr64 +?EnableWindow@CHeaderListBox@@QEAAHH@Z +; protected: long __cdecl CMetaInterface::EnumBackups(unsigned short * __ptr64,unsigned long * __ptr64,struct _FILETIME * __ptr64,unsigned long) __ptr64 +?EnumBackups@CMetaInterface@@IEAAJPEAGPEAKPEAU_FILETIME@@K@Z +; protected: long __cdecl CMetaInterface::EnumData(unsigned long,unsigned short const * __ptr64,struct _METADATA_RECORD * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?EnumData@CMetaInterface@@IEAAJKPEBGPEAU_METADATA_RECORD@@KPEAK@Z +; protected: long __cdecl CMetaInterface::EnumHistory(unsigned short * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,struct _FILETIME * __ptr64,unsigned long) __ptr64 +?EnumHistory@CMetaInterface@@IEAAJPEAGPEAK1PEAU_FILETIME@@K@Z +; protected: long __cdecl CMetaInterface::EnumKeys(unsigned long,unsigned short const * __ptr64,unsigned short * __ptr64,unsigned long) __ptr64 +?EnumKeys@CMetaInterface@@IEAAJKPEBGPEAGK@Z +; public: long __cdecl CIISAppPool::EnumerateApplications(class CStringListEx & __ptr64) __ptr64 +?EnumerateApplications@CIISAppPool@@QEAAJAEAVCStringListEx@@@Z +; protected: long __cdecl CWamInterface::EnumerateApplicationsInPool(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) __ptr64 +?EnumerateApplicationsInPool@CWamInterface@@IEAAJPEBGPEAPEAG@Z +; protected: int __cdecl CError::ExpandEscapeCode(unsigned short * __ptr64,unsigned long,unsigned short * __ptr64 & __ptr64,class CString & __ptr64,long & __ptr64)const __ptr64 +?ExpandEscapeCode@CError@@IEBAHPEAGKAEAPEAGAEAVCString@@AEAJ@Z +; public: int __cdecl CError::Failed(void)const __ptr64 +?Failed@CError@@QEBAHXZ +; public: static int __cdecl CError::Failed(long) +?Failed@CError@@SAHJ@Z +; int __cdecl FetchIpAddressFromCombo(class CComboBox & __ptr64,class CObListPlus & __ptr64,class CIPAddress & __ptr64) +?FetchIpAddressFromCombo@@YAHAEAVCComboBox@@AEAVCObListPlus@@AEAVCIPAddress@@@Z +; public: int __cdecl CObListPlus::FindElement(class CObject * __ptr64)const __ptr64 +?FindElement@CObListPlus@@QEBAHPEAVCObject@@@Z +; protected: static unsigned short const * __ptr64 __cdecl CError::FindFacility(unsigned long) +?FindFacility@CError@@KAPEBGK@Z +; void __cdecl FitPathToControl(class CWnd & __ptr64,unsigned short const * __ptr64,int) +?FitPathToControl@@YAXAEAVCWnd@@PEBGH@Z +; public: void __cdecl CAccessEntry::FlagForDeletion(int) __ptr64 +?FlagForDeletion@CAccessEntry@@QEAAXH@Z +; public: void __cdecl CComAuthInfo::FreeServerInfoStruct(struct _COSERVERINFO * __ptr64)const __ptr64 +?FreeServerInfoStruct@CComAuthInfo@@QEBAXPEAU_COSERVERINFO@@@Z +; protected: int __cdecl CInheritanceDlg::FriendlyInstance(class CString & __ptr64,class CString & __ptr64) __ptr64 +?FriendlyInstance@CInheritanceDlg@@IEAAHAEAVCString@@0@Z +; unsigned short const * __ptr64 __cdecl GUIDToCString(struct _GUID const & __ptr64,class CString & __ptr64) +?GUIDToCString@@YAPEBGAEBU_GUID@@AEAVCString@@@Z +; unsigned short const * __ptr64 __cdecl GenerateRegistryKey(class CString & __ptr64,unsigned short const * __ptr64) +?GenerateRegistryKey@@YAPEBGAEAVCString@@PEBG@Z +; public: long __cdecl CMetaInterface::GetAdminInterface2(struct IMSAdminBase2W * __ptr64 * __ptr64) __ptr64 +?GetAdminInterface2@CMetaInterface@@QEAAJPEAPEAUIMSAdminBase2W@@@Z +; public: long __cdecl CMetaInterface::GetAdminInterface3(struct IMSAdminBase3W * __ptr64 * __ptr64) __ptr64 +?GetAdminInterface3@CMetaInterface@@QEAAJPEAPEAUIMSAdminBase3W@@@Z +; protected: long __cdecl CMetaInterface::GetAllData(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?GetAllData@CMetaInterface@@IEAAJKPEBGKKKPEAK1KPEAE1@Z +; protected: long __cdecl CMetaKey::GetAllData(unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long * __ptr64,unsigned char * __ptr64 * __ptr64,unsigned short const * __ptr64) __ptr64 +?GetAllData@CMetaKey@@IEAAJKKKPEAK0PEAPEAEPEBG@Z +; public: long __cdecl CWamInterface::GetAppAdminInterface(struct IIISApplicationAdmin * __ptr64 * __ptr64) __ptr64 +?GetAppAdminInterface@CWamInterface@@QEAAJPEAPEAUIIISApplicationAdmin@@@Z +; protected: struct HBRUSH__ * __ptr64 __cdecl CIISWizardPage::GetBackgroundBrush(void)const __ptr64 +?GetBackgroundBrush@CIISWizardPage@@IEBAPEAUHBRUSH__@@XZ +; public: struct HBRUSH__ * __ptr64 __cdecl CIISWizardSheet::GetBackgroundBrush(void)const __ptr64 +?GetBackgroundBrush@CIISWizardSheet@@QEBAPEAUHBRUSH__@@XZ +; public: unsigned long __cdecl CMetaKey::GetBase(void)const __ptr64 +?GetBase@CMetaKey@@QEBAKXZ +; protected: class CFont * __ptr64 __cdecl CIISWizardPage::GetBigFont(void) __ptr64 +?GetBigFont@CIISWizardPage@@IEAAPEAVCFont@@XZ +; public: class CFont * __ptr64 __cdecl CIISWizardSheet::GetBigFont(void) __ptr64 +?GetBigFont@CIISWizardSheet@@QEAAPEAVCFont@@XZ +; protected: class CDC * __ptr64 __cdecl CIISWizardPage::GetBitmapMemDC(void) __ptr64 +?GetBitmapMemDC@CIISWizardPage@@IEAAPEAVCDC@@XZ +; public: class CDC * __ptr64 __cdecl CIISWizardSheet::GetBitmapMemDC(int) __ptr64 +?GetBitmapMemDC@CIISWizardSheet@@QEAAPEAVCDC@@H@Z +; protected: class CFont * __ptr64 __cdecl CIISWizardPage::GetBoldFont(void) __ptr64 +?GetBoldFont@CIISWizardPage@@IEAAPEAVCFont@@XZ +; public: class CFont * __ptr64 __cdecl CIISWizardSheet::GetBoldFont(void) __ptr64 +?GetBoldFont@CIISWizardSheet@@QEAAPEAVCFont@@XZ +; public: int __cdecl CStrPassword::GetByteLength(void)const __ptr64 +?GetByteLength@CStrPassword@@QEBAHXZ +; protected: long __cdecl CMetaInterface::GetChildPaths(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned short * __ptr64,unsigned long * __ptr64) __ptr64 +?GetChildPaths@CMetaInterface@@IEAAJKPEBGKPEAGPEAK@Z +; public: long __cdecl CMetaKey::GetChildPaths(class CStringListEx & __ptr64,unsigned short const * __ptr64) __ptr64 +?GetChildPaths@CMetaKey@@QEAAJAEAVCStringListEx@@PEBG@Z +; public: unsigned short * __ptr64 __cdecl CStrPassword::GetClearTextPassword(void) __ptr64 +?GetClearTextPassword@CStrPassword@@QEAAPEAGXZ +; public: int __cdecl CRMCListBoxHeader::GetColumnWidth(int)const __ptr64 +?GetColumnWidth@CRMCListBoxHeader@@QEBAHH@Z +; public: int __cdecl CGetComputer::GetComputer(struct HWND__ * __ptr64) __ptr64 +?GetComputer@CGetComputer@@QEAAHPEAUHWND__@@@Z +; public: int __cdecl CRMCListBox::GetCurSel(void)const __ptr64 +?GetCurSel@CRMCListBox@@QEBAHXZ +; public: unsigned char * __ptr64 __cdecl CBlob::GetData(void) __ptr64 +?GetData@CBlob@@QEAAPEAEXZ +; protected: long __cdecl CMetaInterface::GetData(unsigned long,unsigned short const * __ptr64,struct _METADATA_RECORD * __ptr64,unsigned long * __ptr64) __ptr64 +?GetData@CMetaInterface@@IEAAJKPEBGPEAU_METADATA_RECORD@@PEAK@Z +; protected: long __cdecl CInheritanceDlg::GetDataPaths(void) __ptr64 +?GetDataPaths@CInheritanceDlg@@IEAAJXZ +; protected: long __cdecl CMetaInterface::GetDataPaths(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned short * __ptr64,unsigned long * __ptr64) __ptr64 +?GetDataPaths@CMetaInterface@@IEAAJKPEBGKKKPEAGPEAK@Z +; public: long __cdecl CMetaKey::GetDataPaths(class CStringListEx & __ptr64,unsigned long,unsigned long,unsigned short const * __ptr64) __ptr64 +?GetDataPaths@CMetaKey@@QEAAJAEAVCStringListEx@@KKPEBG@Z +; void __cdecl GetDlgCtlRect(struct HWND__ * __ptr64,struct HWND__ * __ptr64,struct tagRECT * __ptr64) +?GetDlgCtlRect@@YAXPEAUHWND__@@0PEAUtagRECT@@@Z +; public: unsigned short const * __ptr64 __cdecl CDirBrowseDlg::GetFullPath(class CString & __ptr64,int)const __ptr64 +?GetFullPath@CDirBrowseDlg@@QEBAPEBGAEAVCString@@H@Z +; void __cdecl GetFullPathLocalOrRemote(unsigned short const * __ptr64,unsigned short const * __ptr64,class CString & __ptr64) +?GetFullPathLocalOrRemote@@YAXPEBG0AEAVCString@@@Z +; public: unsigned long __cdecl CMetaKey::GetHandle(void)const __ptr64 +?GetHandle@CMetaKey@@QEBAKXZ +; protected: class CRMCListBoxHeader * __ptr64 __cdecl CHeaderListBox::GetHeader(void) __ptr64 +?GetHeader@CHeaderListBox@@IEAAPEAVCRMCListBoxHeader@@XZ +; protected: int __cdecl CHeaderListBox::GetHeaderItem(int,struct _HD_ITEMW * __ptr64)const __ptr64 +?GetHeaderItem@CHeaderListBox@@IEBAHHPEAU_HD_ITEMW@@@Z +; protected: int __cdecl CHeaderListBox::GetHeaderItemCount(void)const __ptr64 +?GetHeaderItemCount@CHeaderListBox@@IEBAHXZ +; int __cdecl GetIUsrAccount(unsigned short const * __ptr64,class CWnd * __ptr64,class CString & __ptr64) +?GetIUsrAccount@@YAHPEBGPEAVCWnd@@AEAVCString@@@Z +; int __cdecl GetIUsrAccount(unsigned short const * __ptr64,class CWnd * __ptr64,unsigned short * __ptr64,int) +?GetIUsrAccount@@YAHPEBGPEAVCWnd@@PEAGH@Z +; public: static unsigned long __cdecl CMetabasePath::GetInstanceNumber(unsigned short const * __ptr64) +?GetInstanceNumber@CMetabasePath@@SAKPEBG@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetInstancePath(unsigned short const * __ptr64,class CString & __ptr64,class CString * __ptr64) +?GetInstancePath@CMetabasePath@@SAPEBGPEBGAEAVCString@@PEAV2@@Z +; public: struct IMSAdminBaseW * __ptr64 __cdecl CMetaInterface::GetInterface(void) __ptr64 +?GetInterface@CMetaInterface@@QEAAPEAUIMSAdminBaseW@@XZ +; public: int __cdecl CRMCListBoxHeader::GetItem(int,struct _HD_ITEMW * __ptr64)const __ptr64 +?GetItem@CRMCListBoxHeader@@QEBAHHPEAU_HD_ITEMW@@@Z +; public: int __cdecl CRMCListBoxHeader::GetItemCount(void)const __ptr64 +?GetItemCount@CRMCListBoxHeader@@QEBAHXZ +; protected: long __cdecl CMetaInterface::GetLastChangeTime(unsigned long,unsigned short const * __ptr64,struct _FILETIME * __ptr64,int) __ptr64 +?GetLastChangeTime@CMetaInterface@@IEAAJKPEBGPEAU_FILETIME@@H@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetLastNodeName(unsigned short const * __ptr64,class CString & __ptr64) +?GetLastNodeName@CMetabasePath@@SAPEBGPEBGAEAVCString@@@Z +; public: void __cdecl CError::GetLastWinError(void) __ptr64 +?GetLastWinError@CError@@QEAAXXZ +; public: int __cdecl CStrPassword::GetLength(void)const __ptr64 +?GetLength@CStrPassword@@QEBAHXZ +; public: static int __cdecl CMetaKey::GetMDFieldDef(unsigned long,unsigned long & __ptr64,unsigned long & __ptr64,unsigned long & __ptr64,unsigned long & __ptr64) +?GetMDFieldDef@CMetaKey@@SAHKAEAK000@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetMachinePath(unsigned short const * __ptr64,class CString & __ptr64,class CString * __ptr64) +?GetMachinePath@CMetabasePath@@SAPEBGPEBGAEAVCString@@PEAV2@@Z +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CConfirmDlg::GetMessageMap(void)const __ptr64 +?GetMessageMap@CConfirmDlg@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CEmphasizedDialog::GetMessageMap(void)const __ptr64 +?GetMessageMap@CEmphasizedDialog@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CHeaderListBox::GetMessageMap(void)const __ptr64 +?GetMessageMap@CHeaderListBox@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardBookEnd::GetMessageMap(void)const __ptr64 +?GetMessageMap@CIISWizardBookEnd@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardPage::GetMessageMap(void)const __ptr64 +?GetMessageMap@CIISWizardPage@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardSheet::GetMessageMap(void)const __ptr64 +?GetMessageMap@CIISWizardSheet@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CInheritanceDlg::GetMessageMap(void)const __ptr64 +?GetMessageMap@CInheritanceDlg@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CRMCComboBox::GetMessageMap(void)const __ptr64 +?GetMessageMap@CRMCComboBox@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CRMCListBox::GetMessageMap(void)const __ptr64 +?GetMessageMap@CRMCListBox@@MEBAPEBUAFX_MSGMAP@@XZ +; protected: virtual struct AFX_MSGMAP const * __ptr64 __cdecl CRMCListBoxHeader::GetMessageMap(void)const __ptr64 +?GetMessageMap@CRMCListBoxHeader@@MEBAPEBUAFX_MSGMAP@@XZ +; public: static struct CMetaKey::tagMDFIELDDEF const * __ptr64 __cdecl CMetaKey::GetMetaProp(unsigned long) +?GetMetaProp@CMetaKey@@SAPEBUtagMDFIELDDEF@1@K@Z +; public: void * __ptr64 __cdecl CRMCListBox::GetNextSelectedItem(int * __ptr64) __ptr64 +?GetNextSelectedItem@CRMCListBox@@QEAAPEAXPEAH@Z +; public: class CString & __ptr64 __cdecl CConfirmDlg::GetPassword(void) __ptr64 +?GetPassword@CConfirmDlg@@QEAAAEAVCString@@XZ +; public: long __cdecl CIISAppPool::GetProcessMode(unsigned long * __ptr64) __ptr64 +?GetProcessMode@CIISAppPool@@QEAAJPEAK@Z +; protected: long __cdecl CWamInterface::GetProcessMode(unsigned long * __ptr64) __ptr64 +?GetProcessMode@CWamInterface@@IEAAJPEAK@Z +; public: static int __cdecl CMetaKey::GetPropertyDescription(unsigned long,class CString & __ptr64) +?GetPropertyDescription@CMetaKey@@SAHKAEAVCString@@@Z +; protected: long __cdecl CMetaKey::GetPropertyValue(unsigned long,unsigned long & __ptr64,void * __ptr64 & __ptr64,unsigned long * __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?GetPropertyValue@CMetaKey@@IEAAJKAEAKAEAPEAXPEAKPEAHPEBG2@Z +; protected: static int __cdecl CODLBox::GetRequiredWidth(class CDC * __ptr64,class CRect const & __ptr64,unsigned short const * __ptr64,int) +?GetRequiredWidth@CODLBox@@KAHPEAVCDC@@AEBVCRect@@PEBGH@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetRootPath(unsigned short const * __ptr64,class CString & __ptr64,class CString * __ptr64) +?GetRootPath@CMetabasePath@@SAPEBGPEBGAEAVCString@@PEAV2@@Z +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CEmphasizedDialog::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CEmphasizedDialog@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CHeaderListBox::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CHeaderListBox@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CIISWizardBookEnd::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CIISWizardBookEnd@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CIISWizardPage::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CIISWizardPage@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CIISWizardSheet::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CIISWizardSheet@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CRMCComboBox::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CRMCComboBox@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CRMCListBox::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CRMCListBox@@UEBAPEAUCRuntimeClass@@XZ +; public: virtual struct CRuntimeClass * __ptr64 __cdecl CRMCListBoxHeader::GetRuntimeClass(void)const __ptr64 +?GetRuntimeClass@CRMCListBoxHeader@@UEBAPEAUCRuntimeClass@@XZ +; public: int __cdecl CRMCListBox::GetSel(int)const __ptr64 +?GetSel@CRMCListBox@@QEBAHH@Z +; public: int __cdecl CRMCListBox::GetSelCount(void)const __ptr64 +?GetSelCount@CRMCListBox@@QEBAHXZ +; public: void * __ptr64 __cdecl CRMCListBox::GetSelectedListItem(int * __ptr64) __ptr64 +?GetSelectedListItem@CRMCListBox@@QEAAPEAXPEAH@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetServiceInfoPath(unsigned short const * __ptr64,class CString & __ptr64,unsigned short const * __ptr64) +?GetServiceInfoPath@CMetabasePath@@SAPEBGPEBGAEAVCString@@0@Z +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::GetServicePath(unsigned short const * __ptr64,class CString & __ptr64,class CString * __ptr64) +?GetServicePath@CMetabasePath@@SAPEBGPEBGAEAVCString@@PEAV2@@Z +; protected: class CIISWizardSheet * __ptr64 __cdecl CIISWizardPage::GetSheet(void)const __ptr64 +?GetSheet@CIISWizardPage@@IEBAPEAVCIISWizardSheet@@XZ +; public: void * __ptr64 __cdecl CAccessEntry::GetSid(void) __ptr64 +?GetSid@CAccessEntry@@QEAAPEAXXZ +; public: unsigned long __cdecl CBlob::GetSize(void)const __ptr64 +?GetSize@CBlob@@QEBAKXZ +; protected: class CFont * __ptr64 __cdecl CIISWizardPage::GetSpecialFont(void) __ptr64 +?GetSpecialFont@CIISWizardPage@@IEAAPEAVCFont@@XZ +; public: class CFont * __ptr64 __cdecl CIISWizardSheet::GetSpecialFont(int) __ptr64 +?GetSpecialFont@CIISWizardSheet@@QEAAPEAVCFont@@H@Z +; int __cdecl GetSpecialPathRealPath(int,class CString const & __ptr64,class CString & __ptr64) +?GetSpecialPathRealPath@@YAHHAEBVCString@@AEAV1@@Z +; protected: void __cdecl CRMCListBoxResources::GetSysColors(void) __ptr64 +?GetSysColors@CRMCListBoxResources@@IEAAXXZ +; public: long __cdecl CMetaInterface::GetSystemChangeNumber(unsigned long * __ptr64) __ptr64 +?GetSystemChangeNumber@CMetaInterface@@QEAAJPEAK@Z +; public: unsigned int __cdecl CODLBox::GetTab(int)const __ptr64 +?GetTab@CODLBox@@QEBAIH@Z +; public: int __cdecl CGetUsers::GetUsers(struct HWND__ * __ptr64,int) __ptr64 +?GetUsers@CGetUsers@@QEAAHPEAUHWND__@@H@Z +; int __cdecl GetVolumeInformationSystemFlags(unsigned short const * __ptr64,unsigned long * __ptr64) +?GetVolumeInformationSystemFlags@@YAHPEBGPEAK@Z +; protected: class CBrush * __ptr64 __cdecl CIISWizardPage::GetWindowBrush(void) __ptr64 +?GetWindowBrush@CIISWizardPage@@IEAAPEAVCBrush@@XZ +; public: class CBrush * __ptr64 __cdecl CIISWizardSheet::GetWindowBrush(void) __ptr64 +?GetWindowBrush@CIISWizardSheet@@QEAAPEAVCBrush@@XZ +; public: void __cdecl CIPAccessDescriptor::GrantAccess(int) __ptr64 +?GrantAccess@CIPAccessDescriptor@@QEAAXH@Z +; public: long __cdecl CError::HResult(void)const __ptr64 +?HResult@CError@@QEBAJXZ +; public: static long __cdecl CError::HResult(long) +?HResult@CError@@SAJJ@Z +; public: int __cdecl CIPAccessDescriptor::HasAccess(void)const __ptr64 +?HasAccess@CIPAccessDescriptor@@QEBAHXZ +; public: int __cdecl CAccessEntry::HasAppropriateAccess(unsigned long)const __ptr64 +?HasAppropriateAccess@CAccessEntry@@QEBAHK@Z +; protected: int __cdecl CIISSvcControl::HasInterface(void)const __ptr64 +?HasInterface@CIISSvcControl@@IEBAHXZ +; protected: int __cdecl CMetaInterface::HasInterface(void)const __ptr64 +?HasInterface@CMetaInterface@@IEBAHXZ +; protected: int __cdecl CWamInterface::HasInterface(void)const __ptr64 +?HasInterface@CWamInterface@@IEBAHXZ +; protected: int __cdecl CError::HasOverride(unsigned int * __ptr64)const __ptr64 +?HasOverride@CError@@IEBAHPEAI@Z +; public: int __cdecl CAccessEntry::HasSomeAccess(void)const __ptr64 +?HasSomeAccess@CAccessEntry@@QEBAHXZ +; public: class CObject * __ptr64 __cdecl CObListPlus::Index(int) __ptr64 +?Index@CObListPlus@@QEAAPEAVCObject@@H@Z +; public: virtual int __cdecl CHeaderListBox::Initialize(void) __ptr64 +?Initialize@CHeaderListBox@@UEAAHXZ +; public: static int __cdecl CINumber::Initialize(int) +?Initialize@CINumber@@SAHH@Z +; protected: void __cdecl CInheritanceDlg::Initialize(void) __ptr64 +?Initialize@CInheritanceDlg@@IEAAXXZ +; protected: virtual int __cdecl CODLBox::Initialize(void) __ptr64 +?Initialize@CODLBox@@MEAAHXZ +; public: virtual int __cdecl CRMCComboBox::Initialize(void) __ptr64 +?Initialize@CRMCComboBox@@UEAAHXZ +; public: virtual int __cdecl CRMCListBox::Initialize(void) __ptr64 +?Initialize@CRMCListBox@@UEAAHXZ +; protected: int __cdecl CHeaderListBox::InsertColumn(int,int,unsigned int,struct HINSTANCE__ * __ptr64) __ptr64 +?InsertColumn@CHeaderListBox@@IEAAHHHIPEAUHINSTANCE__@@@Z +; protected: int __cdecl CHeaderListBox::InsertHeaderItem(int,struct _HD_ITEMW * __ptr64) __ptr64 +?InsertHeaderItem@CHeaderListBox@@IEAAHHPEAU_HD_ITEMW@@@Z +; public: int __cdecl CRMCListBoxHeader::InsertItem(int,struct _HD_ITEMW * __ptr64) __ptr64 +?InsertItem@CRMCListBoxHeader@@QEAAHHPEAU_HD_ITEMW@@@Z +; public: void __cdecl CODLBox::InsertTab(int,unsigned int) __ptr64 +?InsertTab@CODLBox@@QEAAXHI@Z +; public: void __cdecl CRMCListBox::InvalidateSelection(int) __ptr64 +?InvalidateSelection@CRMCListBox@@QEAAXH@Z +; long __cdecl IsAllNumHostHeader(unsigned short const * __ptr64) +?IsAllNumHostHeader@@YAJPEBG@Z +; protected: static int __cdecl CINumber::IsAllocated(void) +?IsAllocated@CINumber@@KAHXZ +; public: int __cdecl CIPAddress::IsBadValue(void)const __ptr64 +?IsBadValue@CIPAddress@@QEBAHXZ +; int __cdecl IsBiDiLocalizedSystem(void) +?IsBiDiLocalizedSystem@@YAHXZ +; public: int __cdecl CAccessEntry::IsDeletable(void)const __ptr64 +?IsDeletable@CAccessEntry@@QEBAHXZ +; public: int __cdecl CAccessEntry::IsDeleted(void)const __ptr64 +?IsDeleted@CAccessEntry@@QEBAHXZ +; int __cdecl IsDevicePath(class CString const & __ptr64) +?IsDevicePath@@YAHAEBVCString@@@Z +; public: int __cdecl CAccessEntry::IsDirty(void)const __ptr64 +?IsDirty@CAccessEntry@@QEBAHXZ +; public: int __cdecl CObjHelper::IsDirty(void)const __ptr64 +?IsDirty@CObjHelper@@QEBAHXZ +; public: int __cdecl CIPAccessDescriptor::IsDomainName(void)const __ptr64 +?IsDomainName@CIPAccessDescriptor@@QEBAHXZ +; public: int __cdecl CBlob::IsEmpty(void)const __ptr64 +?IsEmpty@CBlob@@QEBAHXZ +; public: int __cdecl CInheritanceDlg::IsEmpty(void)const __ptr64 +?IsEmpty@CInheritanceDlg@@QEBAHXZ +; public: int __cdecl CStrPassword::IsEmpty(void)const __ptr64 +?IsEmpty@CStrPassword@@QEBAHXZ +; public: int __cdecl CIISApplication::IsEnabledApplication(void)const __ptr64 +?IsEnabledApplication@CIISApplication@@QEBAHXZ +; int __cdecl IsFullyQualifiedPath(class CString const & __ptr64) +?IsFullyQualifiedPath@@YAHAEBVCString@@@Z +; protected: int __cdecl CIISWizardPage::IsHeaderPage(void)const __ptr64 +?IsHeaderPage@CIISWizardPage@@IEBAHXZ +; public: int __cdecl CMetaKey::IsHomeDirectoryPath(void)const __ptr64 +?IsHomeDirectoryPath@CMetaKey@@QEBAHXZ +; public: int __cdecl CMetabasePath::IsHomeDirectoryPath(void)const __ptr64 +?IsHomeDirectoryPath@CMetabasePath@@QEBAHXZ +; public: static int __cdecl CMetabasePath::IsHomeDirectoryPath(unsigned short const * __ptr64) +?IsHomeDirectoryPath@CMetabasePath@@SAHPEBG@Z +; public: static int __cdecl CINumber::IsInitialized(void) +?IsInitialized@CINumber@@SAHXZ +; public: int __cdecl CIISApplication::IsInproc(void)const __ptr64 +?IsInproc@CIISApplication@@QEBAHXZ +; public: int __cdecl CComAuthInfo::IsLocal(void)const __ptr64 +?IsLocal@CComAuthInfo@@QEBAHXZ +; public: int __cdecl CIISInterface::IsLocal(void)const __ptr64 +?IsLocal@CIISInterface@@QEBAHXZ +; int __cdecl IsLocalComputer(unsigned short const * __ptr64) +?IsLocalComputer@@YAHPEBG@Z +; public: static int __cdecl CMetabasePath::IsMasterInstance(unsigned short const * __ptr64) +?IsMasterInstance@CMetabasePath@@SAHPEBG@Z +; protected: int __cdecl CRMCListBox::IsMultiSelect(void)const __ptr64 +?IsMultiSelect@CRMCListBox@@IEBAHXZ +; public: int __cdecl CIPAccessDescriptor::IsMultiple(void)const __ptr64 +?IsMultiple@CIPAccessDescriptor@@QEBAHXZ +; int __cdecl IsNetworkPath(class CString const & __ptr64,class CString * __ptr64,class CString * __ptr64) +?IsNetworkPath@@YAHAEBVCString@@PEAV1@1@Z +; public: int __cdecl CMetaKey::IsOpen(void)const __ptr64 +?IsOpen@CMetaKey@@QEBAHXZ +; public: int __cdecl CIISApplication::IsOutOfProc(void)const __ptr64 +?IsOutOfProc@CIISApplication@@QEBAHXZ +; public: int __cdecl CIISApplication::IsPooledProc(void)const __ptr64 +?IsPooledProc@CIISApplication@@QEBAHXZ +; public: static int __cdecl CMetaKey::IsPropertyInheritable(unsigned long) +?IsPropertyInheritable@CMetaKey@@SAHK@Z +; int __cdecl IsRestrictedFilename(class CString const & __ptr64) +?IsRestrictedFilename@@YAHAEBVCString@@@Z +; public: int __cdecl CAccessEntry::IsSIDResolved(void)const __ptr64 +?IsSIDResolved@CAccessEntry@@QEBAHXZ +; int __cdecl IsServerLocal(unsigned short const * __ptr64) +?IsServerLocal@@YAHPEBG@Z +; public: int __cdecl CIPAccessDescriptor::IsSingle(void)const __ptr64 +?IsSingle@CIPAccessDescriptor@@QEBAHXZ +; int __cdecl IsSpecialPath(class CString const & __ptr64,int,int) +?IsSpecialPath@@YAHAEBVCString@@HH@Z +; int __cdecl IsUNCName(class CString const & __ptr64) +?IsUNCName@@YAHAEBVCString@@@Z +; int __cdecl IsURLName(class CString const & __ptr64) +?IsURLName@@YAHAEBVCString@@@Z +; public: virtual int __cdecl CObjHelper::IsValid(void)const __ptr64 +?IsValid@CObjHelper@@UEBAHXZ +; long __cdecl IsValidHostHeader(unsigned short const * __ptr64) +?IsValidHostHeader@@YAJPEBG@Z +; public: int __cdecl CAccessEntry::IsVisible(void)const __ptr64 +?IsVisible@CAccessEntry@@QEBAHXZ +; protected: int __cdecl CIISWizardBookEnd::IsWelcomePage(void)const __ptr64 +?IsWelcomePage@CIISWizardBookEnd@@IEBAHXZ +; protected: int __cdecl CIISWizardPage::IsWizard97(void)const __ptr64 +?IsWizard97@CIISWizardPage@@IEBAHXZ +; public: int __cdecl CIISWizardSheet::IsWizard97(void)const __ptr64 +?IsWizard97@CIISWizardSheet@@QEBAHXZ +; public: int __cdecl CIPAddress::IsZeroValue(void)const __ptr64 +?IsZeroValue@CIPAddress@@QEBAHXZ +; public: long __cdecl CIISSvcControl::Kill(void) __ptr64 +?Kill@CIISSvcControl@@QEAAJXZ +; long __cdecl LimitInputDomainName(struct HWND__ * __ptr64) +?LimitInputDomainName@@YAJPEAUHWND__@@@Z +; long __cdecl LimitInputPath(struct HWND__ * __ptr64,int) +?LimitInputPath@@YAJPEAUHWND__@@H@Z +; protected: int __cdecl CMappedBitmapButton::LoadMappedBitmaps(unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +?LoadMappedBitmaps@CMappedBitmapButton@@IEAAHIIII@Z +; public: static unsigned short * __ptr64 __cdecl CIPAddress::LongToString(unsigned long,unsigned short * __ptr64,int) +?LongToString@CIPAddress@@SAPEAGKPEAGH@Z +; public: static unsigned short const * __ptr64 __cdecl CIPAddress::LongToString(unsigned long,class ATL::CComBSTR & __ptr64) +?LongToString@CIPAddress@@SAPEBGKAEAVCComBSTR@ATL@@@Z +; public: static unsigned short const * __ptr64 __cdecl CIPAddress::LongToString(unsigned long,class CString & __ptr64) +?LongToString@CIPAddress@@SAPEBGKAEAVCString@@@Z +; int __cdecl LooksLikeIPAddress(unsigned short const * __ptr64) +?LooksLikeIPAddress@@YAHPEBG@Z +; public: static int __cdecl CAccessEntry::LookupAccountSidW(class CString & __ptr64,int & __ptr64,void * __ptr64,unsigned short const * __ptr64) +?LookupAccountSidW@CAccessEntry@@SAHAEAVCString@@AEAHPEAXPEBG@Z +; unsigned short const * __ptr64 __cdecl MakeUNCPath(class CString & __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) +?MakeUNCPath@@YAPEBGAEAVCString@@PEBG1@Z +; public: static int __cdecl CMetaKey::MapMDIDToTableIndex(unsigned long) +?MapMDIDToTableIndex@CMetaKey@@SAHK@Z +; public: void __cdecl CAccessEntry::MarkEntryAsChanged(void) __ptr64 +?MarkEntryAsChanged@CAccessEntry@@QEAAXXZ +; public: void __cdecl CAccessEntry::MarkEntryAsClean(void) __ptr64 +?MarkEntryAsClean@CAccessEntry@@QEAAXXZ +; public: void __cdecl CAccessEntry::MarkEntryAsNew(void) __ptr64 +?MarkEntryAsNew@CAccessEntry@@QEAAXXZ +; protected: virtual void __cdecl CRMCComboBox::MeasureItem(struct tagMEASUREITEMSTRUCT * __ptr64) __ptr64 +?MeasureItem@CRMCComboBox@@MEAAXPEAUtagMEASUREITEMSTRUCT@@@Z +; protected: virtual void __cdecl CRMCListBox::MeasureItem(struct tagMEASUREITEMSTRUCT * __ptr64) __ptr64 +?MeasureItem@CRMCListBox@@MEAAXPEAUtagMEASUREITEMSTRUCT@@@Z +; public: int __cdecl CError::MessageBoxFormat(struct HWND__ * __ptr64,unsigned int,unsigned int,unsigned int,...)const __ptr64 +?MessageBoxFormat@CError@@QEBAHPEAUHWND__@@IIIZZ +; public: int __cdecl CError::MessageBoxOnFailure(struct HWND__ * __ptr64,unsigned int,unsigned int)const __ptr64 +?MessageBoxOnFailure@CError@@QEBAHPEAUHWND__@@II@Z +; public: int __cdecl CError::MessageBoxW(struct HWND__ * __ptr64,unsigned int,unsigned int)const __ptr64 +?MessageBoxW@CError@@QEBAHPEAUHWND__@@II@Z +; unsigned long __cdecl MyGetHostName(unsigned long,class CString & __ptr64) +?MyGetHostName@@YAKKAEAVCString@@@Z +; long __cdecl MyValidatePath(unsigned short const * __ptr64,int,int,unsigned long,unsigned long) +?MyValidatePath@@YAJPEBGHHKK@Z +; public: long __cdecl CMetaBack::Next(unsigned long * __ptr64,unsigned short * __ptr64,struct _FILETIME * __ptr64) __ptr64 +?Next@CMetaBack@@QEAAJPEAKPEAGPEAU_FILETIME@@@Z +; public: long __cdecl CMetaEnumerator::Next(unsigned long & __ptr64,class CString & __ptr64,unsigned short const * __ptr64) __ptr64 +?Next@CMetaEnumerator@@QEAAJAEAKAEAVCString@@PEBG@Z +; public: long __cdecl CMetaEnumerator::Next(class CString & __ptr64,unsigned short const * __ptr64) __ptr64 +?Next@CMetaEnumerator@@QEAAJAEAVCString@@PEBG@Z +; public: class CObject * __ptr64 __cdecl CObListIter::Next(void) __ptr64 +?Next@CObListIter@@QEAAPEAVCObject@@XZ +; public: long __cdecl CMetaBack::NextHistory(unsigned long * __ptr64,unsigned long * __ptr64,unsigned short * __ptr64,struct _FILETIME * __ptr64) __ptr64 +?NextHistory@CMetaBack@@QEAAJPEAK0PEAGPEAU_FILETIME@@@Z +; public: int __cdecl CODLBox::NumTabs(void)const __ptr64 +?NumTabs@CODLBox@@QEBAHXZ +; protected: void __cdecl CInheritanceDlg::OnButtonSelectAll(void) __ptr64 +?OnButtonSelectAll@CInheritanceDlg@@IEAAXXZ +; protected: int __cdecl CHeaderListBox::OnCreate(struct tagCREATESTRUCTW * __ptr64) __ptr64 +?OnCreate@CHeaderListBox@@IEAAHPEAUtagCREATESTRUCTW@@@Z +; protected: int __cdecl CRMCComboBox::OnCreate(struct tagCREATESTRUCTW * __ptr64) __ptr64 +?OnCreate@CRMCComboBox@@IEAAHPEAUtagCREATESTRUCTW@@@Z +; protected: int __cdecl CRMCListBox::OnCreate(struct tagCREATESTRUCTW * __ptr64) __ptr64 +?OnCreate@CRMCListBox@@IEAAHPEAUtagCREATESTRUCTW@@@Z +; protected: struct HBRUSH__ * __ptr64 __cdecl CIISWizardPage::OnCtlColor(class CDC * __ptr64,class CWnd * __ptr64,unsigned int) __ptr64 +?OnCtlColor@CIISWizardPage@@IEAAPEAUHBRUSH__@@PEAVCDC@@PEAVCWnd@@I@Z +; protected: void __cdecl CEmphasizedDialog::OnDestroy(void) __ptr64 +?OnDestroy@CEmphasizedDialog@@IEAAXXZ +; protected: void __cdecl CHeaderListBox::OnDestroy(void) __ptr64 +?OnDestroy@CHeaderListBox@@IEAAXXZ +; protected: void __cdecl CIISWizardSheet::OnDestroy(void) __ptr64 +?OnDestroy@CIISWizardSheet@@IEAAXXZ +; protected: void __cdecl CRMCListBoxHeader::OnDestroy(void) __ptr64 +?OnDestroy@CRMCListBoxHeader@@IEAAXXZ +; protected: int __cdecl CIISWizardPage::OnEraseBkgnd(class CDC * __ptr64) __ptr64 +?OnEraseBkgnd@CIISWizardPage@@IEAAHPEAVCDC@@@Z +; protected: void __cdecl CRMCListBoxHeader::OnHeaderEndTrack(unsigned int,struct tagNMHDR * __ptr64,__int64 * __ptr64) __ptr64 +?OnHeaderEndTrack@CRMCListBoxHeader@@IEAAXIPEAUtagNMHDR@@PEA_J@Z +; protected: void __cdecl CRMCListBoxHeader::OnHeaderItemChanged(unsigned int,struct tagNMHDR * __ptr64,__int64 * __ptr64) __ptr64 +?OnHeaderItemChanged@CRMCListBoxHeader@@IEAAXIPEAUtagNMHDR@@PEA_J@Z +; protected: void __cdecl CRMCListBoxHeader::OnHeaderItemClick(unsigned int,struct tagNMHDR * __ptr64,__int64 * __ptr64) __ptr64 +?OnHeaderItemClick@CRMCListBoxHeader@@IEAAXIPEAUtagNMHDR@@PEA_J@Z +; protected: void __cdecl CInheritanceDlg::OnHelp(void) __ptr64 +?OnHelp@CInheritanceDlg@@IEAAXXZ +; protected: virtual int __cdecl CEmphasizedDialog::OnInitDialog(void) __ptr64 +?OnInitDialog@CEmphasizedDialog@@MEAAHXZ +; protected: virtual int __cdecl CIISWizardBookEnd::OnInitDialog(void) __ptr64 +?OnInitDialog@CIISWizardBookEnd@@MEAAHXZ +; protected: virtual int __cdecl CIISWizardPage::OnInitDialog(void) __ptr64 +?OnInitDialog@CIISWizardPage@@MEAAHXZ +; protected: virtual int __cdecl CIISWizardSheet::OnInitDialog(void) __ptr64 +?OnInitDialog@CIISWizardSheet@@MEAAHXZ +; protected: virtual int __cdecl CInheritanceDlg::OnInitDialog(void) __ptr64 +?OnInitDialog@CInheritanceDlg@@MEAAHXZ +; protected: virtual void __cdecl CInheritanceDlg::OnOK(void) __ptr64 +?OnOK@CInheritanceDlg@@MEAAXXZ +; public: virtual int __cdecl CIISWizardBookEnd::OnSetActive(void) __ptr64 +?OnSetActive@CIISWizardBookEnd@@UEAAHXZ +; protected: void __cdecl CRMCListBoxHeader::OnSetFocus(class CWnd * __ptr64) __ptr64 +?OnSetFocus@CRMCListBoxHeader@@IEAAXPEAVCWnd@@@Z +; public: long __cdecl CMetaKey::Open(unsigned long,unsigned short const * __ptr64,unsigned long) __ptr64 +?Open@CMetaKey@@QEAAJKPEBGK@Z +; protected: long __cdecl CMetaInterface::OpenKey(unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?OpenKey@CMetaInterface@@IEAAJKPEBGKPEAK@Z +; public: int __cdecl CIPAccessDescriptor::OrderByAddress(class CObjectPlus const * __ptr64)const __ptr64 +?OrderByAddress@CIPAccessDescriptor@@QEBAHPEBVCObjectPlus@@@Z +; int __cdecl PCToUnixText(unsigned short * __ptr64 & __ptr64,class CString) +?PCToUnixText@@YAHAEAPEAGVCString@@@Z +; int __cdecl PathIsValid(unsigned short const * __ptr64,int) +?PathIsValid@@YAHPEBGH@Z +; unsigned long __cdecl PopulateComboWithKnownIpAddresses(unsigned short const * __ptr64,class CComboBox & __ptr64,class CIPAddress & __ptr64,class CObListPlus & __ptr64,int & __ptr64) +?PopulateComboWithKnownIpAddresses@@YAKPEBGAEAVCComboBox@@AEAVCIPAddress@@AEAVCObListPlus@@AEAH@Z +; protected: void __cdecl CRMCListBoxResources::PrepareBitmaps(void) __ptr64 +?PrepareBitmaps@CRMCListBoxResources@@IEAAXXZ +; protected: void __cdecl CGetComputer::ProcessSelectedObjects(struct IDataObject * __ptr64) __ptr64 +?ProcessSelectedObjects@CGetComputer@@IEAAXPEAUIDataObject@@@Z +; protected: void __cdecl CGetUsers::ProcessSelectedObjects(struct IDataObject * __ptr64) __ptr64 +?ProcessSelectedObjects@CGetUsers@@IEAAXPEAUIDataObject@@@Z +; public: unsigned long __cdecl CAccessEntry::QueryAccessMask(void)const __ptr64 +?QueryAccessMask@CAccessEntry@@QEBAKXZ +; public: unsigned long __cdecl CObjHelper::QueryAge(void)const __ptr64 +?QueryAge@CObjHelper@@QEBAKXZ +; public: long __cdecl CObjHelper::QueryApiErr(void)const __ptr64 +?QueryApiErr@CObjHelper@@QEBAJXZ +; public: unsigned long __cdecl CIISApplication::QueryAppState(void)const __ptr64 +?QueryAppState@CIISApplication@@QEBAKXZ +; public: class CComAuthInfo * __ptr64 __cdecl CIISInterface::QueryAuthInfo(void) __ptr64 +?QueryAuthInfo@CIISInterface@@QEAAPEAVCComAuthInfo@@XZ +; protected: long __cdecl CIISWizardPage::QueryBitmapHeight(void)const __ptr64 +?QueryBitmapHeight@CIISWizardPage@@IEBAJXZ +; public: long __cdecl CIISWizardSheet::QueryBitmapHeight(int)const __ptr64 +?QueryBitmapHeight@CIISWizardSheet@@QEBAJH@Z +; protected: long __cdecl CIISWizardPage::QueryBitmapWidth(void)const __ptr64 +?QueryBitmapWidth@CIISWizardPage@@IEBAJXZ +; public: long __cdecl CIISWizardSheet::QueryBitmapWidth(int)const __ptr64 +?QueryBitmapWidth@CIISWizardSheet@@QEBAJH@Z +; public: int __cdecl CHeaderListBox::QueryColumnWidth(int)const __ptr64 +?QueryColumnWidth@CHeaderListBox@@QEBAHH@Z +; public: unsigned long __cdecl CObjHelper::QueryCreationTime(void)const __ptr64 +?QueryCreationTime@CObjHelper@@QEBAKXZ +; public: static unsigned short const * __ptr64 __cdecl CINumber::QueryCurrency(void) +?QueryCurrency@CINumber@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CINumber::QueryDecimalPoint(void) +?QueryDecimalPoint@CINumber@@SAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl CIPAccessDescriptor::QueryDomainName(void)const __ptr64 +?QueryDomainName@CIPAccessDescriptor@@QEBAPEBGXZ +; public: long __cdecl CObjHelper::QueryError(void)const __ptr64 +?QueryError@CObjHelper@@QEBAJXZ +; public: unsigned long __cdecl CMetaKey::QueryFlags(void)const __ptr64 +?QueryFlags@CMetaKey@@QEBAKXZ +; public: unsigned long __cdecl CIPAddress::QueryHostOrderIPAddress(void)const __ptr64 +?QueryHostOrderIPAddress@CIPAddress@@QEBAKXZ +; public: class CIPAddress __cdecl CIPAccessDescriptor::QueryIPAddress(void)const __ptr64 +?QueryIPAddress@CIPAccessDescriptor@@QEBA?AVCIPAddress@@XZ +; public: unsigned long __cdecl CIPAccessDescriptor::QueryIPAddress(int)const __ptr64 +?QueryIPAddress@CIPAccessDescriptor@@QEBAKH@Z +; public: unsigned long __cdecl CIPAddress::QueryIPAddress(int)const __ptr64 +?QueryIPAddress@CIPAddress@@QEBAKH@Z +; public: unsigned short const * __ptr64 __cdecl CIPAddress::QueryIPAddress(class ATL::CComBSTR & __ptr64)const __ptr64 +?QueryIPAddress@CIPAddress@@QEBAPEBGAEAVCComBSTR@ATL@@@Z +; public: unsigned short const * __ptr64 __cdecl CIPAddress::QueryIPAddress(class CString & __ptr64)const __ptr64 +?QueryIPAddress@CIPAddress@@QEBAPEBGAEAVCString@@@Z +; public: unsigned short const * __ptr64 __cdecl CMetaKey::QueryMetaPath(void)const __ptr64 +?QueryMetaPath@CMetaKey@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl CMetabasePath::QueryMetaPath(void)const __ptr64 +?QueryMetaPath@CMetabasePath@@QEBAPEBGXZ +; public: unsigned long __cdecl CIPAddress::QueryNetworkOrderIPAddress(void)const __ptr64 +?QueryNetworkOrderIPAddress@CIPAddress@@QEBAKXZ +; public: int __cdecl CHeaderListBox::QueryNumColumns(void)const __ptr64 +?QueryNumColumns@CHeaderListBox@@QEBAHXZ +; public: int __cdecl CRMCListBoxHeader::QueryNumColumns(void)const __ptr64 +?QueryNumColumns@CRMCListBoxHeader@@QEBAHXZ +; public: unsigned short * __ptr64 __cdecl CComAuthInfo::QueryPassword(void)const __ptr64 +?QueryPassword@CComAuthInfo@@QEBAPEAGXZ +; public: int __cdecl CAccessEntry::QueryPictureID(void)const __ptr64 +?QueryPictureID@CAccessEntry@@QEBAHXZ +; public: unsigned long __cdecl CIISAppPool::QueryPoolState(void)const __ptr64 +?QueryPoolState@CIISAppPool@@QEBAKXZ +; public: struct __POSITION * __ptr64 __cdecl CObListIter::QueryPosition(void)const __ptr64 +?QueryPosition@CObListIter@@QEBAPEAU__POSITION@@XZ +; public: virtual long __cdecl CIISAppPool::QueryResult(void)const __ptr64 +?QueryResult@CIISAppPool@@UEBAJXZ +; public: virtual long __cdecl CIISApplication::QueryResult(void)const __ptr64 +?QueryResult@CIISApplication@@UEBAJXZ +; public: virtual long __cdecl CIISInterface::QueryResult(void)const __ptr64 +?QueryResult@CIISInterface@@UEBAJXZ +; public: virtual long __cdecl CMetaBack::QueryResult(void)const __ptr64 +?QueryResult@CMetaBack@@UEBAJXZ +; public: virtual long __cdecl CMetaKey::QueryResult(void)const __ptr64 +?QueryResult@CMetaKey@@UEBAJXZ +; public: unsigned short * __ptr64 __cdecl CComAuthInfo::QueryServerName(void)const __ptr64 +?QueryServerName@CComAuthInfo@@QEBAPEAGXZ +; public: unsigned short const * __ptr64 __cdecl CIISInterface::QueryServerName(void)const __ptr64 +?QueryServerName@CIISInterface@@QEBAPEBGXZ +; public: class CIPAddress __cdecl CIPAccessDescriptor::QuerySubnetMask(void)const __ptr64 +?QuerySubnetMask@CIPAccessDescriptor@@QEBA?AVCIPAddress@@XZ +; public: unsigned long __cdecl CIPAccessDescriptor::QuerySubnetMask(int)const __ptr64 +?QuerySubnetMask@CIPAccessDescriptor@@QEBAKH@Z +; public: static unsigned short const * __ptr64 __cdecl CINumber::QueryThousandSeparator(void) +?QueryThousandSeparator@CINumber@@SAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl CAccessEntry::QueryUserName(void)const __ptr64 +?QueryUserName@CAccessEntry@@QEBAPEBGXZ +; public: unsigned short * __ptr64 __cdecl CComAuthInfo::QueryUserName(void)const __ptr64 +?QueryUserName@CComAuthInfo@@QEBAPEAGXZ +; public: long __cdecl CMetaKey::QueryValue(unsigned long,int & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAHPEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,unsigned long & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAKPEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,class CBlob & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAVCBlob@@PEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,class ATL::CComBSTR & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAVCComBSTR@ATL@@PEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,class CStrPassword & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAVCStrPassword@@PEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,class CString & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAVCString@@PEAHPEBGPEAK@Z +; public: long __cdecl CMetaKey::QueryValue(unsigned long,class CStringListEx & __ptr64,int * __ptr64,unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@CMetaKey@@QEAAJKAEAVCStringListEx@@PEAHPEBGPEAK@Z +; public: unsigned short const * __ptr64 __cdecl CIISAppPool::QueryWamPath(void)const __ptr64 +?QueryWamPath@CIISAppPool@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl CIISApplication::QueryWamPath(void)const __ptr64 +?QueryWamPath@CIISApplication@@QEBAPEBGXZ +; protected: unsigned long __cdecl CIISWizardPage::QueryWindowColor(void)const __ptr64 +?QueryWindowColor@CIISWizardPage@@IEBAKXZ +; public: unsigned long __cdecl CIISWizardSheet::QueryWindowColor(void)const __ptr64 +?QueryWindowColor@CIISWizardSheet@@QEBAKXZ +; protected: unsigned long __cdecl CIISWizardPage::QueryWindowTextColor(void)const __ptr64 +?QueryWindowTextColor@CIISWizardPage@@IEBAKXZ +; public: unsigned long __cdecl CIISWizardSheet::QueryWindowTextColor(void)const __ptr64 +?QueryWindowTextColor@CIISWizardSheet@@QEBAKXZ +; public: long __cdecl CMetaKey::ReOpen(unsigned long) __ptr64 +?ReOpen@CMetaKey@@QEAAJK@Z +; public: long __cdecl CMetaKey::ReOpen(void) __ptr64 +?ReOpen@CMetaKey@@QEAAJXZ +; public: long __cdecl CIISSvcControl::Reboot(unsigned long,int) __ptr64 +?Reboot@CIISSvcControl@@QEAAJKH@Z +; public: long __cdecl CIISApplication::Recover(int) __ptr64 +?Recover@CIISApplication@@QEAAJH@Z +; public: long __cdecl CIISAppPool::Recycle(unsigned short const * __ptr64) __ptr64 +?Recycle@CIISAppPool@@QEAAJPEBG@Z +; protected: long __cdecl CWamInterface::RecycleApplicationPool(unsigned short const * __ptr64) __ptr64 +?RecycleApplicationPool@CWamInterface@@IEAAJPEBG@Z +; public: long __cdecl CIISApplication::RefreshAppState(void) __ptr64 +?RefreshAppState@CIISApplication@@QEAAJXZ +; public: long __cdecl CIISAppPool::RefreshState(void) __ptr64 +?RefreshState@CIISAppPool@@QEAAJXZ +; public: long __cdecl CMetaInterface::Regenerate(void) __ptr64 +?Regenerate@CMetaInterface@@QEAAJXZ +; public: static void __cdecl CError::RegisterFacility(unsigned long,char const * __ptr64) +?RegisterFacility@CError@@SAXKPEBD@Z +; public: int __cdecl CObListPlus::Remove(class CObject * __ptr64) __ptr64 +?Remove@CObListPlus@@QEAAHPEAVCObject@@@Z +; public: void __cdecl CObListPlus::RemoveAll(void) __ptr64 +?RemoveAll@CObListPlus@@QEAAXXZ +; public: void __cdecl CError::RemoveAllOverrides(void) __ptr64 +?RemoveAllOverrides@CError@@QEAAXXZ +; public: void __cdecl CODLBox::RemoveAllTabs(void) __ptr64 +?RemoveAllTabs@CODLBox@@QEAAXXZ +; public: void __cdecl CObListPlus::RemoveAt(struct __POSITION * __ptr64 & __ptr64) __ptr64 +?RemoveAt@CObListPlus@@QEAAXAEAPEAU__POSITION@@@Z +; public: void __cdecl CComAuthInfo::RemoveImpersonation(void) __ptr64 +?RemoveImpersonation@CComAuthInfo@@QEAAXXZ +; public: int __cdecl CObListPlus::RemoveIndex(int) __ptr64 +?RemoveIndex@CObListPlus@@QEAAHH@Z +; public: void __cdecl CError::RemoveOverride(long) __ptr64 +?RemoveOverride@CError@@QEAAXJ@Z +; public: void __cdecl CAccessEntry::RemovePermissions(unsigned long) __ptr64 +?RemovePermissions@CAccessEntry@@QEAAXK@Z +; public: void __cdecl CODLBox::RemoveTab(int,int) __ptr64 +?RemoveTab@CODLBox@@QEAAXHH@Z +; protected: long __cdecl CMetaInterface::RenameKey(unsigned long,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?RenameKey@CMetaInterface@@IEAAJKPEBG0@Z +; public: long __cdecl CMetaKey::RenameKey(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?RenameKey@CMetaKey@@QEAAJPEBG0@Z +; unsigned long __cdecl ReplaceStringInString(class CString & __ptr64,class CString & __ptr64,class CString & __ptr64,int) +?ReplaceStringInString@@YAKAEAVCString@@00H@Z +; public: void __cdecl CObjHelper::ReportError(long) __ptr64 +?ReportError@CObjHelper@@QEAAXJ@Z +; public: void __cdecl CError::Reset(void) __ptr64 +?Reset@CError@@QEAAXXZ +; public: void __cdecl CMetaBack::Reset(void) __ptr64 +?Reset@CMetaBack@@QEAAXXZ +; public: void __cdecl CMetaEnumerator::Reset(void) __ptr64 +?Reset@CMetaEnumerator@@QEAAXXZ +; public: void __cdecl CObListIter::Reset(void) __ptr64 +?Reset@CObListIter@@QEAAXXZ +; public: void __cdecl CObjHelper::ResetErrors(void) __ptr64 +?ResetErrors@CObjHelper@@QEAAXXZ +; public: int __cdecl CAccessEntry::ResolveSID(void) __ptr64 +?ResolveSID@CAccessEntry@@QEAAHXZ +; public: void __cdecl CRMCListBoxHeader::RespondToColumnWidthChanges(int) __ptr64 +?RespondToColumnWidthChanges@CRMCListBoxHeader@@QEAAXH@Z +; public: long __cdecl CMetaBack::Restore(unsigned short const * __ptr64,unsigned long) __ptr64 +?Restore@CMetaBack@@QEAAJPEBGK@Z +; protected: long __cdecl CMetaInterface::Restore(unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +?Restore@CMetaInterface@@IEAAJPEBGKK@Z +; protected: long __cdecl CMetaInterface::RestoreHistory(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long) __ptr64 +?RestoreHistory@CMetaInterface@@IEAAJPEBGKKK@Z +; public: long __cdecl CMetaBack::RestoreHistoryBackup(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long) __ptr64 +?RestoreHistoryBackup@CMetaBack@@QEAAJPEBGKKK@Z +; public: long __cdecl CMetaBack::RestoreWithPassword(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64) __ptr64 +?RestoreWithPassword@CMetaBack@@QEAAJPEBGK0@Z +; protected: long __cdecl CMetaInterface::RestoreWithPassword(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned short const * __ptr64) __ptr64 +?RestoreWithPassword@CMetaInterface@@IEAAJPEBGKK0@Z +; public: long __cdecl CMetaInterface::SaveData(void) __ptr64 +?SaveData@CMetaInterface@@QEAAJXZ +; public: int __cdecl CRMCListBox::SelectItem(void * __ptr64) __ptr64 +?SelectItem@CRMCListBox@@QEAAHPEAX@Z +; public: int __cdecl CObListPlus::SetAll(int) __ptr64 +?SetAll@CObListPlus@@QEAAHH@Z +; public: long __cdecl CObjHelper::SetApiErr(long) __ptr64 +?SetApiErr@CObjHelper@@QEAAJJ@Z +; public: int __cdecl CHeaderListBox::SetColumnWidth(int,int) __ptr64 +?SetColumnWidth@CHeaderListBox@@QEAAHHH@Z +; public: void __cdecl CRMCListBoxHeader::SetColumnWidth(int,int) __ptr64 +?SetColumnWidth@CRMCListBoxHeader@@QEAAXHH@Z +; protected: void __cdecl CComAuthInfo::SetComputerNameW(unsigned short const * __ptr64) __ptr64 +?SetComputerNameW@CComAuthInfo@@IEAAXPEBG@Z +; public: int __cdecl CRMCListBox::SetCurSel(int) __ptr64 +?SetCurSel@CRMCListBox@@QEAAHH@Z +; protected: long __cdecl CMetaInterface::SetData(unsigned long,unsigned short const * __ptr64,struct _METADATA_RECORD * __ptr64) __ptr64 +?SetData@CMetaInterface@@IEAAJKPEBGPEAU_METADATA_RECORD@@@Z +; public: void __cdecl CObjHelper::SetDirty(int) __ptr64 +?SetDirty@CObjHelper@@QEAAXH@Z +; protected: int __cdecl CHeaderListBox::SetHeaderItem(int,struct _HD_ITEMW * __ptr64) __ptr64 +?SetHeaderItem@CHeaderListBox@@IEAAHHPEAU_HD_ITEMW@@@Z +; public: void __cdecl CComAuthInfo::SetImpersonation(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetImpersonation@CComAuthInfo@@QEAAXPEBG0@Z +; public: int __cdecl CRMCListBoxHeader::SetItem(int,struct _HD_ITEMW * __ptr64) __ptr64 +?SetItem@CRMCListBoxHeader@@QEAAHHPEAU_HD_ITEMW@@@Z +; protected: long __cdecl CMetaInterface::SetLastChangeTime(unsigned long,unsigned short const * __ptr64,struct _FILETIME * __ptr64,int) __ptr64 +?SetLastChangeTime@CMetaInterface@@IEAAJKPEBGPEAU_FILETIME@@H@Z +; public: void __cdecl CError::SetLastWinError(void)const __ptr64 +?SetLastWinError@CError@@QEBAXXZ +; public: int __cdecl CObListPlus::SetOwnership(int) __ptr64 +?SetOwnership@CObListPlus@@QEAAHH@Z +; public: void __cdecl CObListIter::SetPosition(struct __POSITION * __ptr64) __ptr64 +?SetPosition@CObListIter@@QEAAXPEAU__POSITION@@@Z +; protected: long __cdecl CMetaKey::SetPropertyValue(unsigned long,unsigned long,void * __ptr64,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetPropertyValue@CMetaKey@@IEAAJKKPEAXPEAHPEBG@Z +; public: void __cdecl CConfirmDlg::SetReference(class CString & __ptr64) __ptr64 +?SetReference@CConfirmDlg@@QEAAXAEAVCString@@@Z +; public: void __cdecl CODLBox::SetTab(int,unsigned int) __ptr64 +?SetTab@CODLBox@@QEAAXHI@Z +; protected: void __cdecl CRMCListBoxHeader::SetTabsFromHeader(void) __ptr64 +?SetTabsFromHeader@CRMCListBoxHeader@@IEAAXXZ +; public: void __cdecl CBlob::SetValue(unsigned long,unsigned char * __ptr64,int) __ptr64 +?SetValue@CBlob@@QEAAXKPEAEH@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,class CBlob & __ptr64,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKAEAVCBlob@@PEAHPEBG@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,class CStrPassword & __ptr64,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKAEAVCStrPassword@@PEAHPEBG@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,class CString & __ptr64,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKAEAVCString@@PEAHPEBG@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,class CStringListEx & __ptr64,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKAEAVCStringListEx@@PEAHPEBG@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,int,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKHPEAHPEBG@Z +; public: long __cdecl CMetaKey::SetValue(unsigned long,unsigned long,int * __ptr64,unsigned short const * __ptr64) __ptr64 +?SetValue@CMetaKey@@QEAAJKKPEAHPEBG@Z +; public: void __cdecl CIPAccessDescriptor::SetValues(int,unsigned long,unsigned long,int) __ptr64 +?SetValues@CIPAccessDescriptor@@QEAAXHKKH@Z +; public: void __cdecl CIPAccessDescriptor::SetValues(int,unsigned short const * __ptr64) __ptr64 +?SetValues@CIPAccessDescriptor@@QEAAXHPEBG@Z +; protected: int __cdecl CHeaderListBox::SetWidthsFromReg(void) __ptr64 +?SetWidthsFromReg@CHeaderListBox@@IEAAHXZ +; protected: void __cdecl CIISWizardPage::SetWizardButtons(unsigned long) __ptr64 +?SetWizardButtons@CIISWizardPage@@IEAAXK@Z +; public: void __cdecl CIPAddress::SetZeroValue(void) __ptr64 +?SetZeroValue@CIPAddress@@QEAAXXZ +; public: int __cdecl CHeaderListBox::ShowWindow(int) __ptr64 +?ShowWindow@CHeaderListBox@@QEAAHH@Z +; public: unsigned long __cdecl CObListPlus::Sort(int (__cdecl CObjectPlus::*)(class CObjectPlus const * __ptr64)const __ptr64) __ptr64 +?Sort@CObListPlus@@QEAAKP8CObjectPlus@@EBAHPEBV2@@Z@Z +; protected: static int __cdecl CObListPlus::SortHelper(void const * __ptr64,void const * __ptr64) +?SortHelper@CObListPlus@@KAHPEBX0@Z +; public: static void __cdecl CMetabasePath::SplitMetaPathAtInstance(unsigned short const * __ptr64,class CString & __ptr64,class CString & __ptr64) +?SplitMetaPathAtInstance@CMetabasePath@@SAXPEBGAEAVCString@@1@Z +; public: static int __cdecl CComAuthInfo::SplitUserNameAndDomain(class CString & __ptr64,class CString & __ptr64) +?SplitUserNameAndDomain@CComAuthInfo@@SAHAEAVCString@@0@Z +; public: long __cdecl CIISSvcControl::Start(unsigned long) __ptr64 +?Start@CIISSvcControl@@QEAAJK@Z +; public: long __cdecl CIISSvcControl::Status(unsigned long,unsigned char * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?Status@CIISSvcControl@@QEAAJKPEAEPEAK1@Z +; public: long __cdecl CIISSvcControl::Stop(unsigned long,int) __ptr64 +?Stop@CIISSvcControl@@QEAAJKH@Z +; public: void __cdecl CComAuthInfo::StorePassword(unsigned short const * __ptr64) __ptr64 +?StorePassword@CComAuthInfo@@QEAAXPEBG@Z +; public: static unsigned long __cdecl CIPAddress::StringToLong(class ATL::CComBSTR const & __ptr64) +?StringToLong@CIPAddress@@SAKAEBVCComBSTR@ATL@@@Z +; public: static unsigned long __cdecl CIPAddress::StringToLong(class CString const & __ptr64) +?StringToLong@CIPAddress@@SAKAEBVCString@@@Z +; public: static unsigned long __cdecl CIPAddress::StringToLong(unsigned short const * __ptr64,int) +?StringToLong@CIPAddress@@SAKPEBGH@Z +; public: int __cdecl CError::Succeeded(void)const __ptr64 +?Succeeded@CError@@QEBAHXZ +; public: static int __cdecl CError::Succeeded(long) +?Succeeded@CError@@SAHJ@Z +; public: virtual int __cdecl CIISAppPool::Succeeded(void)const __ptr64 +?Succeeded@CIISAppPool@@UEBAHXZ +; public: virtual int __cdecl CIISApplication::Succeeded(void)const __ptr64 +?Succeeded@CIISApplication@@UEBAHXZ +; public: virtual int __cdecl CIISInterface::Succeeded(void)const __ptr64 +?Succeeded@CIISInterface@@UEBAHXZ +; public: virtual int __cdecl CMetaBack::Succeeded(void)const __ptr64 +?Succeeded@CMetaBack@@UEBAHXZ +; public: virtual int __cdecl CMetaKey::Succeeded(void)const __ptr64 +?Succeeded@CMetaKey@@UEBAHXZ +; public: int __cdecl CWamInterface::SupportsPooledProc(void)const __ptr64 +?SupportsPooledProc@CWamInterface@@QEBAHXZ +; int __cdecl SupportsSecurityACLs(unsigned short const * __ptr64) +?SupportsSecurityACLs@@YAHPEBG@Z +; public: void __cdecl CRMCListBoxResources::SysColorChanged(void) __ptr64 +?SysColorChanged@CRMCListBoxResources@@QEAAXXZ +; public: long __cdecl CError::TextFromHRESULT(class CString & __ptr64)const __ptr64 +?TextFromHRESULT@CError@@QEBAJAEAVCString@@@Z +; public: long __cdecl CError::TextFromHRESULT(unsigned short * __ptr64,unsigned long)const __ptr64 +?TextFromHRESULT@CError@@QEBAJPEAGK@Z +; public: unsigned short const * __ptr64 __cdecl CError::TextFromHRESULTExpand(class CString & __ptr64)const __ptr64 +?TextFromHRESULTExpand@CError@@QEBAPEBGAEAVCString@@@Z +; public: unsigned short const * __ptr64 __cdecl CError::TextFromHRESULTExpand(unsigned short * __ptr64,unsigned long,long * __ptr64)const __ptr64 +?TextFromHRESULTExpand@CError@@QEBAPEBGPEAGKPEAJ@Z +; public: int __cdecl CODLBox::TextHeight(void)const __ptr64 +?TextHeight@CODLBox@@QEBAHXZ +; public: static unsigned short const * __ptr64 __cdecl CMetabasePath::TruncatePath(int,unsigned short const * __ptr64,class CString & __ptr64,class CString * __ptr64) +?TruncatePath@CMetabasePath@@SAPEBGHPEBGAEAVCString@@PEAV2@@Z +; int __cdecl UnixToPCText(class CString & __ptr64,unsigned short const * __ptr64) +?UnixToPCText@@YAHAEAVCString@@PEBG@Z +; public: long __cdecl CIISApplication::Unload(int) __ptr64 +?Unload@CIISApplication@@QEAAJH@Z +; protected: void __cdecl CRMCListBoxResources::UnprepareBitmaps(void) __ptr64 +?UnprepareBitmaps@CRMCListBoxResources@@IEAAXXZ +; public: static void __cdecl CError::UnregisterFacility(unsigned long) +?UnregisterFacility@CError@@SAXK@Z +; protected: int __cdecl CRMCListBoxHeader::UseButtons(void)const __ptr64 +?UseButtons@CRMCListBoxHeader@@IEBAHXZ +; protected: int __cdecl CRMCListBoxHeader::UseStretch(void)const __ptr64 +?UseStretch@CRMCListBoxHeader@@IEBAHXZ +; public: static int __cdecl CINumber::UseSystemDefault(void) +?UseSystemDefault@CINumber@@SAHXZ +; public: static int __cdecl CINumber::UseUserDefault(void) +?UseUserDefault@CINumber@@SAHXZ +; public: int __cdecl CComAuthInfo::UsesImpersonation(void)const __ptr64 +?UsesImpersonation@CComAuthInfo@@QEBAHXZ +; public: int __cdecl CIISWizardPage::ValidateString(class CEdit & __ptr64,class CString & __ptr64,int,int) __ptr64 +?ValidateString@CIISWizardPage@@QEAAHAEAVCEdit@@AEAVCString@@HH@Z +; int __cdecl VerifyState(void) +?VerifyState@@YAHXZ +; public: static unsigned long __cdecl CComAuthInfo::VerifyUserPassword(unsigned short const * __ptr64,unsigned short const * __ptr64) +?VerifyUserPassword@CComAuthInfo@@SAKPEBG0@Z +; public: unsigned long __cdecl CError::Win32Error(void)const __ptr64 +?Win32Error@CError@@QEBAKXZ +; public: static unsigned long __cdecl CError::Win32Error(long) +?Win32Error@CError@@SAKJ@Z +; protected: virtual void __cdecl CIISWizardSheet::WinHelpW(unsigned long,unsigned int) __ptr64 +?WinHelpW@CIISWizardSheet@@MEAAXKI@Z +; public: long __cdecl CIISApplication::WriteFriendlyName(unsigned short const * __ptr64) __ptr64 +?WriteFriendlyName@CIISApplication@@QEAAJPEBG@Z +; public: long __cdecl CIISApplication::WritePoolId(unsigned short const * __ptr64) __ptr64 +?WritePoolId@CIISApplication@@QEAAJPEBG@Z +; protected: static struct CRuntimeClass * __ptr64 __cdecl CEmphasizedDialog::_GetBaseClass(void) +?_GetBaseClass@CEmphasizedDialog@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CHeaderListBox::_GetBaseClass(void) +?_GetBaseClass@CHeaderListBox@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CIISWizardBookEnd::_GetBaseClass(void) +?_GetBaseClass@CIISWizardBookEnd@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CIISWizardPage::_GetBaseClass(void) +?_GetBaseClass@CIISWizardPage@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CIISWizardSheet::_GetBaseClass(void) +?_GetBaseClass@CIISWizardSheet@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CRMCComboBox::_GetBaseClass(void) +?_GetBaseClass@CRMCComboBox@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CRMCListBox::_GetBaseClass(void) +?_GetBaseClass@CRMCListBox@@KAPEAUCRuntimeClass@@XZ +; protected: static struct CRuntimeClass * __ptr64 __cdecl CRMCListBoxHeader::_GetBaseClass(void) +?_GetBaseClass@CRMCListBoxHeader@@KAPEAUCRuntimeClass@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CConfirmDlg::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CConfirmDlg@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CEmphasizedDialog::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CEmphasizedDialog@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CHeaderListBox::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CHeaderListBox@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardBookEnd::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CIISWizardBookEnd@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardPage::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CIISWizardPage@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CIISWizardSheet::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CIISWizardSheet@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CInheritanceDlg::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CInheritanceDlg@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CRMCComboBox::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CRMCComboBox@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CRMCListBox::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CRMCListBox@@KAPEBUAFX_MSGMAP@@XZ +; protected: static struct AFX_MSGMAP const * __ptr64 __cdecl CRMCListBoxHeader::_GetBaseMessageMap(void) +?_GetBaseMessageMap@CRMCListBoxHeader@@KAPEBUAFX_MSGMAP@@XZ +; protected: void __cdecl CODLBox::__DrawItem(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?__DrawItem@CODLBox@@IEAAXPEAUtagDRAWITEMSTRUCT@@@Z +; public: virtual int __cdecl CRMCComboBox::__GetCount(void)const __ptr64 +?__GetCount@CRMCComboBox@@UEBAHXZ +; public: virtual int __cdecl CRMCListBox::__GetCount(void)const __ptr64 +?__GetCount@CRMCListBox@@UEBAHXZ +; protected: void __cdecl CODLBox::__MeasureItem(struct tagMEASUREITEMSTRUCT * __ptr64) __ptr64 +?__MeasureItem@CODLBox@@IEAAXPEAUtagMEASUREITEMSTRUCT@@@Z +; public: virtual int __cdecl CRMCComboBox::__SetItemHeight(int,unsigned int) __ptr64 +?__SetItemHeight@CRMCComboBox@@UEAAHHI@Z +; public: virtual int __cdecl CRMCListBox::__SetItemHeight(int,unsigned int) __ptr64 +?__SetItemHeight@CRMCListBox@@UEAAHHI@Z +; protected: static unsigned short const CMetabasePath::_chSep +?_chSep@CMetabasePath@@1GB +; protected: static unsigned short const * __ptr64 const __ptr64 CMetabasePath::_cszMachine +?_cszMachine@CMetabasePath@@1QEBGEB +; protected: static unsigned short const * __ptr64 const __ptr64 CMetabasePath::_cszRoot +?_cszRoot@CMetabasePath@@1QEBGEB +; protected: static unsigned short const * __ptr64 const __ptr64 CMetabasePath::_cszSep +?_cszSep@CMetabasePath@@1QEBGEB +; private: static int CINumber::_fAllocated +?_fAllocated@CINumber@@0HA DATA +; private: static int CINumber::_fCurrencyPrefix +?_fCurrencyPrefix@CINumber@@0HA DATA +; private: static int CINumber::_fInitialized +?_fInitialized@CINumber@@0HA DATA +; private: static struct AFX_MSGMAP_ENTRY const * const CConfirmDlg::_messageEntries +?_messageEntries@CConfirmDlg@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CEmphasizedDialog::_messageEntries +?_messageEntries@CEmphasizedDialog@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CHeaderListBox::_messageEntries +?_messageEntries@CHeaderListBox@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CIISWizardBookEnd::_messageEntries +?_messageEntries@CIISWizardBookEnd@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CIISWizardPage::_messageEntries +?_messageEntries@CIISWizardPage@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CIISWizardSheet::_messageEntries +?_messageEntries@CIISWizardSheet@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CInheritanceDlg::_messageEntries +?_messageEntries@CInheritanceDlg@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CRMCComboBox::_messageEntries +?_messageEntries@CRMCComboBox@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CRMCListBox::_messageEntries +?_messageEntries@CRMCListBox@@0QBUAFX_MSGMAP_ENTRY@@B +; private: static struct AFX_MSGMAP_ENTRY const * const CRMCListBoxHeader::_messageEntries +?_messageEntries@CRMCListBoxHeader@@0QBUAFX_MSGMAP_ENTRY@@B +; protected: static class CString * __ptr64 __ptr64 CINumber::_pstr +?_pstr@CINumber@@1PEAVCString@@EA DATA +; public: static class CString * __ptr64 __ptr64 CINumber::_pstrBadNumber +?_pstrBadNumber@CINumber@@2PEAVCString@@EA DATA +; private: static class CString * __ptr64 __ptr64 CINumber::_pstrCurrency +?_pstrCurrency@CINumber@@0PEAVCString@@EA DATA +; private: static class CString * __ptr64 __ptr64 CINumber::_pstrDecimalPoint +?_pstrDecimalPoint@CINumber@@0PEAVCString@@EA DATA +; private: static class CString * __ptr64 __ptr64 CINumber::_pstrThousandSeparator +?_pstrThousandSeparator@CINumber@@0PEAVCString@@EA DATA +; public: static struct CRuntimeClass const CEmphasizedDialog::classCEmphasizedDialog +?classCEmphasizedDialog@CEmphasizedDialog@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CHeaderListBox::classCHeaderListBox +?classCHeaderListBox@CHeaderListBox@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CIISWizardBookEnd::classCIISWizardBookEnd +?classCIISWizardBookEnd@CIISWizardBookEnd@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CIISWizardPage::classCIISWizardPage +?classCIISWizardPage@CIISWizardPage@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CIISWizardSheet::classCIISWizardSheet +?classCIISWizardSheet@CIISWizardSheet@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CRMCComboBox::classCRMCComboBox +?classCRMCComboBox@CRMCComboBox@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CRMCListBox::classCRMCListBox +?classCRMCListBox@CRMCListBox@@2UCRuntimeClass@@B +; public: static struct CRuntimeClass const CRMCListBoxHeader::classCRMCListBoxHeader +?classCRMCListBoxHeader@CRMCListBoxHeader@@2UCRuntimeClass@@B +; public: class CDC const & __ptr64 __cdecl CRMCListBoxResources::dcBitMap(void)const __ptr64 +?dcBitMap@CRMCListBoxResources@@QEBAAEBVCDC@@XZ +; unsigned short const * __ptr64 const __ptr64 g_lpszDummyPassword +?g_lpszDummyPassword@@3PEBGEB DATA +; protected: static struct AFX_MSGMAP const CConfirmDlg::messageMap +?messageMap@CConfirmDlg@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CEmphasizedDialog::messageMap +?messageMap@CEmphasizedDialog@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CHeaderListBox::messageMap +?messageMap@CHeaderListBox@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CIISWizardBookEnd::messageMap +?messageMap@CIISWizardBookEnd@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CIISWizardPage::messageMap +?messageMap@CIISWizardPage@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CIISWizardSheet::messageMap +?messageMap@CIISWizardSheet@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CInheritanceDlg::messageMap +?messageMap@CInheritanceDlg@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CRMCComboBox::messageMap +?messageMap@CRMCComboBox@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CRMCListBox::messageMap +?messageMap@CRMCListBox@@1UAFX_MSGMAP@@B +; protected: static struct AFX_MSGMAP const CRMCListBoxHeader::messageMap +?messageMap@CRMCListBoxHeader@@1UAFX_MSGMAP@@B +; protected: static int const CMetaKey::s_MetaTableSize +?s_MetaTableSize@CMetaKey@@1HB +; protected: static unsigned long CError::s_cdwFacilities +?s_cdwFacilities@CError@@1KA DATA +; protected: static long CError::s_cdwMaxLMErr +?s_cdwMaxLMErr@CError@@1JA DATA +; protected: static long CError::s_cdwMaxWSErr +?s_cdwMaxWSErr@CError@@1JA DATA +; protected: static long CError::s_cdwMinLMErr +?s_cdwMinLMErr@CError@@1JA DATA +; protected: static long CError::s_cdwMinWSErr +?s_cdwMinWSErr@CError@@1JA DATA +; protected: static unsigned short const CError::s_chEscNumber +?s_chEscNumber@CError@@1GB +; protected: static unsigned short const CError::s_chEscText +?s_chEscText@CError@@1GB +; protected: static unsigned short const CError::s_chEscape +?s_chEscape@CError@@1GB +; protected: static int const CIISWizardSheet::s_cnBoldDeltaFont +?s_cnBoldDeltaFont@CIISWizardSheet@@1HB +; protected: static int const CIISWizardSheet::s_cnBoldDeltaHeight +?s_cnBoldDeltaHeight@CIISWizardSheet@@1HB +; protected: static int const CIISWizardSheet::s_cnBoldDeltaWidth +?s_cnBoldDeltaWidth@CIISWizardSheet@@1HB +; protected: static int const CIISWizardPage::s_cnHeaderOffset +?s_cnHeaderOffset@CIISWizardPage@@1HB +; protected: static unsigned short const * __ptr64 * CError::s_cszFacility +?s_cszFacility@CError@@1PAPEBGA DATA +; protected: static unsigned short const * __ptr64 const __ptr64 CError::s_cszLMDLL +?s_cszLMDLL@CError@@1PEBGEB DATA +; protected: static unsigned short const * __ptr64 const __ptr64 CError::s_cszWSDLL +?s_cszWSDLL@CError@@1PEBGEB DATA +; protected: static int CError::s_fAllocated +?s_fAllocated@CError@@1HA DATA +; protected: static class CMap * __ptr64 __ptr64 CError::s_pmapFacilities +?s_pmapFacilities@CError@@1PEAV?$CMap@KAEAKVCString@@AEAV1@@@EA DATA +; protected: static class CString * __ptr64 __ptr64 CError::s_pstrDefError +?s_pstrDefError@CError@@1PEAVCString@@EA DATA +; protected: static class CString * __ptr64 __ptr64 CError::s_pstrDefSuccs +?s_pstrDefSuccs@CError@@1PEAVCString@@EA DATA +; protected: static struct CMetaKey::tagMDFIELDDEF const * const CMetaKey::s_rgMetaTable +?s_rgMetaTable@CMetaKey@@1QBUtagMDFIELDDEF@1@B +; protected: static unsigned short const * __ptr64 const __ptr64 CMetaBack::s_szMasterAppRoot +?s_szMasterAppRoot@CMetaBack@@1QEBGEB +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/iisutil.def b/lib/libc/mingw/lib64/iisutil.def new file mode 100644 index 0000000000..d4c648716c --- /dev/null +++ b/lib/libc/mingw/lib64/iisutil.def @@ -0,0 +1,2029 @@ +; +; Exports of file IISUTIL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IISUTIL.dll +EXPORTS +; public: __cdecl CDataCache::CDataCache(void) __ptr64 +??0?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAA@XZ +; public: __cdecl CDataCache::CDataCache(void) __ptr64 +??0?$CDataCache@VCDateTime@@@@QEAA@XZ +; public: __cdecl ALLOC_CACHE_HANDLER::ALLOC_CACHE_HANDLER(char const * __ptr64,struct _ALLOC_CACHE_CONFIGURATION const * __ptr64,int) __ptr64 +??0ALLOC_CACHE_HANDLER@@QEAA@PEBDPEBU_ALLOC_CACHE_CONFIGURATION@@H@Z +; public: __cdecl ASCLOG_DATETIME_CACHE::ASCLOG_DATETIME_CACHE(void) __ptr64 +??0ASCLOG_DATETIME_CACHE@@QEAA@XZ +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER::BUFFER(unsigned char * __ptr64,unsigned int) __ptr64 +??0BUFFER@@QEAA@PEAEI@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl CACHED_DATETIME_FORMATS::CACHED_DATETIME_FORMATS(void) __ptr64 +??0CACHED_DATETIME_FORMATS@@QEAA@XZ +; public: __cdecl CCritSec::CCritSec(void) __ptr64 +??0CCritSec@@QEAA@XZ +; public: __cdecl CDFTCache::CDFTCache(void) __ptr64 +??0CDFTCache@@QEAA@XZ +; public: __cdecl CDateTime::CDateTime(struct _FILETIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_FILETIME@@@Z +; public: __cdecl CDateTime::CDateTime(struct _FILETIME const & __ptr64,struct _SYSTEMTIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_FILETIME@@AEBU_SYSTEMTIME@@@Z +; public: __cdecl CDateTime::CDateTime(struct _SYSTEMTIME const & __ptr64) __ptr64 +??0CDateTime@@QEAA@AEBU_SYSTEMTIME@@@Z +; public: __cdecl CDateTime::CDateTime(void) __ptr64 +??0CDateTime@@QEAA@XZ +; public: __cdecl CDoubleList::CDoubleList(void) __ptr64 +??0CDoubleList@@QEAA@XZ +; public: __cdecl CEtwTracer::CEtwTracer(void) __ptr64 +??0CEtwTracer@@QEAA@XZ +; public: __cdecl CFakeLock::CFakeLock(void) __ptr64 +??0CFakeLock@@QEAA@XZ +; public: __cdecl CHUNK_BUFFER::CHUNK_BUFFER(void) __ptr64 +??0CHUNK_BUFFER@@QEAA@XZ +; public: __cdecl CLKRHashTable::CLKRHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long,bool) __ptr64 +??0CLKRHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK_N@Z +; public: __cdecl CLKRHashTableStats::CLKRHashTableStats(void) __ptr64 +??0CLKRHashTableStats@@QEAA@XZ +; protected: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(class CLKRHashTable * __ptr64,short) __ptr64 +??0CLKRHashTable_Iterator@@IEAA@PEAVCLKRHashTable@@F@Z +; public: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(class CLKRHashTable_Iterator const & __ptr64) __ptr64 +??0CLKRHashTable_Iterator@@QEAA@AEBV0@@Z +; public: __cdecl CLKRHashTable_Iterator::CLKRHashTable_Iterator(void) __ptr64 +??0CLKRHashTable_Iterator@@QEAA@XZ +; private: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64,bool) __ptr64 +??0CLKRLinearHashTable@@AEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAVCLKRHashTable@@_N@Z +; public: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long,bool) __ptr64 +??0CLKRLinearHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK_N@Z +; protected: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(class CLKRLinearHashTable * __ptr64,class CNodeClump * __ptr64,unsigned long,short) __ptr64 +??0CLKRLinearHashTable_Iterator@@IEAA@PEAVCLKRLinearHashTable@@PEAVCNodeClump@@KF@Z +; public: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(class CLKRLinearHashTable_Iterator const & __ptr64) __ptr64 +??0CLKRLinearHashTable_Iterator@@QEAA@AEBV0@@Z +; public: __cdecl CLKRLinearHashTable_Iterator::CLKRLinearHashTable_Iterator(void) __ptr64 +??0CLKRLinearHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLockedDoubleList::CLockedDoubleList(void) __ptr64 +??0CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::CLockedSingleList(void) __ptr64 +??0CLockedSingleList@@QEAA@XZ +; public: __cdecl CReaderWriterLock2::CReaderWriterLock2(void) __ptr64 +??0CReaderWriterLock2@@QEAA@XZ +; public: __cdecl CReaderWriterLock3::CReaderWriterLock3(void) __ptr64 +??0CReaderWriterLock3@@QEAA@XZ +; public: __cdecl CReaderWriterLock::CReaderWriterLock(void) __ptr64 +??0CReaderWriterLock@@QEAA@XZ +; public: __cdecl CRtlResource::CRtlResource(void) __ptr64 +??0CRtlResource@@QEAA@XZ +; public: __cdecl CSecurityDispenser::CSecurityDispenser(void) __ptr64 +??0CSecurityDispenser@@QEAA@XZ +; public: __cdecl CShareLock::CShareLock(void) __ptr64 +??0CShareLock@@QEAA@XZ +; public: __cdecl CSharelock::CSharelock(int,int) __ptr64 +??0CSharelock@@QEAA@HH@Z +; public: __cdecl CSingleList::CSingleList(void) __ptr64 +??0CSingleList@@QEAA@XZ +; public: __cdecl CSmallSpinLock::CSmallSpinLock(void) __ptr64 +??0CSmallSpinLock@@QEAA@XZ +; public: __cdecl CSpinLock::CSpinLock(void) __ptr64 +??0CSpinLock@@QEAA@XZ +; public: __cdecl EVENT_LOG::EVENT_LOG(unsigned short const * __ptr64) __ptr64 +??0EVENT_LOG@@QEAA@PEBG@Z +; public: __cdecl EXTLOG_DATETIME_CACHE::EXTLOG_DATETIME_CACHE(void) __ptr64 +??0EXTLOG_DATETIME_CACHE@@QEAA@XZ +; private: __cdecl IPM_MESSAGE_PIPE::IPM_MESSAGE_PIPE(void) __ptr64 +??0IPM_MESSAGE_PIPE@@AEAA@XZ +; public: __cdecl MB::MB(struct IMSAdminBaseW * __ptr64) __ptr64 +??0MB@@QEAA@PEAUIMSAdminBaseW@@@Z +; public: __cdecl MB_BASE_NOTIFICATION_SINK::MB_BASE_NOTIFICATION_SINK(void) __ptr64 +??0MB_BASE_NOTIFICATION_SINK@@QEAA@XZ +; public: __cdecl MULTISZ::MULTISZ(class MULTISZ const & __ptr64) __ptr64 +??0MULTISZ@@QEAA@AEBV0@@Z +; public: __cdecl MULTISZ::MULTISZ(unsigned short * __ptr64,unsigned long) __ptr64 +??0MULTISZ@@QEAA@PEAGK@Z +; public: __cdecl MULTISZ::MULTISZ(unsigned short const * __ptr64) __ptr64 +??0MULTISZ@@QEAA@PEBG@Z +; public: __cdecl MULTISZ::MULTISZ(void) __ptr64 +??0MULTISZ@@QEAA@XZ +; public: __cdecl MULTISZA::MULTISZA(class MULTISZA const & __ptr64) __ptr64 +??0MULTISZA@@QEAA@AEBV0@@Z +; public: __cdecl MULTISZA::MULTISZA(char * __ptr64,unsigned long) __ptr64 +??0MULTISZA@@QEAA@PEADK@Z +; public: __cdecl MULTISZA::MULTISZA(char const * __ptr64) __ptr64 +??0MULTISZA@@QEAA@PEBD@Z +; public: __cdecl MULTISZA::MULTISZA(void) __ptr64 +??0MULTISZA@@QEAA@XZ +; private: __cdecl STRA::STRA(class STRA const & __ptr64) __ptr64 +??0STRA@@AEAA@AEBV0@@Z +; private: __cdecl STRA::STRA(char * __ptr64) __ptr64 +??0STRA@@AEAA@PEAD@Z +; private: __cdecl STRA::STRA(char const * __ptr64) __ptr64 +??0STRA@@AEAA@PEBD@Z +; public: __cdecl STRA::STRA(char * __ptr64,unsigned long) __ptr64 +??0STRA@@QEAA@PEADK@Z +; public: __cdecl STRA::STRA(void) __ptr64 +??0STRA@@QEAA@XZ +; public: __cdecl STRAU::STRAU(class STRAU & __ptr64) __ptr64 +??0STRAU@@QEAA@AEAV0@@Z +; public: __cdecl STRAU::STRAU(char const * __ptr64) __ptr64 +??0STRAU@@QEAA@PEBD@Z +; public: __cdecl STRAU::STRAU(char const * __ptr64,int) __ptr64 +??0STRAU@@QEAA@PEBDH@Z +; public: __cdecl STRAU::STRAU(unsigned short const * __ptr64) __ptr64 +??0STRAU@@QEAA@PEBG@Z +; public: __cdecl STRAU::STRAU(void) __ptr64 +??0STRAU@@QEAA@XZ +; private: __cdecl STRU::STRU(class STRU const & __ptr64) __ptr64 +??0STRU@@AEAA@AEBV0@@Z +; private: __cdecl STRU::STRU(unsigned short * __ptr64) __ptr64 +??0STRU@@AEAA@PEAG@Z +; private: __cdecl STRU::STRU(unsigned short const * __ptr64) __ptr64 +??0STRU@@AEAA@PEBG@Z +; public: __cdecl STRU::STRU(unsigned short * __ptr64,unsigned long) __ptr64 +??0STRU@@QEAA@PEAGK@Z +; public: __cdecl STRU::STRU(void) __ptr64 +??0STRU@@QEAA@XZ +; public: __cdecl TS_RESOURCE::TS_RESOURCE(void) __ptr64 +??0TS_RESOURCE@@QEAA@XZ +; public: __cdecl W3_DATETIME_CACHE::W3_DATETIME_CACHE(void) __ptr64 +??0W3_DATETIME_CACHE@@QEAA@XZ +; public: __cdecl W3_TRACE_LOG::W3_TRACE_LOG(class W3_TRACE_LOG_FACTORY * __ptr64) __ptr64 +??0W3_TRACE_LOG@@QEAA@PEAVW3_TRACE_LOG_FACTORY@@@Z +; private: __cdecl W3_TRACE_LOG_FACTORY::W3_TRACE_LOG_FACTORY(void) __ptr64 +??0W3_TRACE_LOG_FACTORY@@AEAA@XZ +; public: __cdecl ALLOC_CACHE_HANDLER::~ALLOC_CACHE_HANDLER(void) __ptr64 +??1ALLOC_CACHE_HANDLER@@QEAA@XZ +; public: virtual __cdecl ASCLOG_DATETIME_CACHE::~ASCLOG_DATETIME_CACHE(void) __ptr64 +??1ASCLOG_DATETIME_CACHE@@UEAA@XZ +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: virtual __cdecl CACHED_DATETIME_FORMATS::~CACHED_DATETIME_FORMATS(void) __ptr64 +??1CACHED_DATETIME_FORMATS@@UEAA@XZ +; public: __cdecl CCritSec::~CCritSec(void) __ptr64 +??1CCritSec@@QEAA@XZ +; public: __cdecl CDoubleList::~CDoubleList(void) __ptr64 +??1CDoubleList@@QEAA@XZ +; public: __cdecl CEtwTracer::~CEtwTracer(void) __ptr64 +??1CEtwTracer@@QEAA@XZ +; public: __cdecl CFakeLock::~CFakeLock(void) __ptr64 +??1CFakeLock@@QEAA@XZ +; public: __cdecl CHUNK_BUFFER::~CHUNK_BUFFER(void) __ptr64 +??1CHUNK_BUFFER@@QEAA@XZ +; public: __cdecl CLKRHashTable::~CLKRHashTable(void) __ptr64 +??1CLKRHashTable@@QEAA@XZ +; public: __cdecl CLKRHashTable_Iterator::~CLKRHashTable_Iterator(void) __ptr64 +??1CLKRHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLKRLinearHashTable::~CLKRLinearHashTable(void) __ptr64 +??1CLKRLinearHashTable@@QEAA@XZ +; public: __cdecl CLKRLinearHashTable_Iterator::~CLKRLinearHashTable_Iterator(void) __ptr64 +??1CLKRLinearHashTable_Iterator@@QEAA@XZ +; public: __cdecl CLockedDoubleList::~CLockedDoubleList(void) __ptr64 +??1CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::~CLockedSingleList(void) __ptr64 +??1CLockedSingleList@@QEAA@XZ +; public: __cdecl CRtlResource::~CRtlResource(void) __ptr64 +??1CRtlResource@@QEAA@XZ +; public: __cdecl CSecurityDispenser::~CSecurityDispenser(void) __ptr64 +??1CSecurityDispenser@@QEAA@XZ +; public: __cdecl CShareLock::~CShareLock(void) __ptr64 +??1CShareLock@@QEAA@XZ +; public: __cdecl CSharelock::~CSharelock(void) __ptr64 +??1CSharelock@@QEAA@XZ +; public: __cdecl CSingleList::~CSingleList(void) __ptr64 +??1CSingleList@@QEAA@XZ +; public: __cdecl EVENT_LOG::~EVENT_LOG(void) __ptr64 +??1EVENT_LOG@@QEAA@XZ +; public: virtual __cdecl EXTLOG_DATETIME_CACHE::~EXTLOG_DATETIME_CACHE(void) __ptr64 +??1EXTLOG_DATETIME_CACHE@@UEAA@XZ +; private: __cdecl IPM_MESSAGE_PIPE::~IPM_MESSAGE_PIPE(void) __ptr64 +??1IPM_MESSAGE_PIPE@@AEAA@XZ +; public: __cdecl MB::~MB(void) __ptr64 +??1MB@@QEAA@XZ +; public: virtual __cdecl MB_BASE_NOTIFICATION_SINK::~MB_BASE_NOTIFICATION_SINK(void) __ptr64 +??1MB_BASE_NOTIFICATION_SINK@@UEAA@XZ +; public: __cdecl MULTISZ::~MULTISZ(void) __ptr64 +??1MULTISZ@@QEAA@XZ +; public: __cdecl MULTISZA::~MULTISZA(void) __ptr64 +??1MULTISZA@@QEAA@XZ +; public: __cdecl STRA::~STRA(void) __ptr64 +??1STRA@@QEAA@XZ +; public: __cdecl STRAU::~STRAU(void) __ptr64 +??1STRAU@@QEAA@XZ +; public: __cdecl STRU::~STRU(void) __ptr64 +??1STRU@@QEAA@XZ +; public: __cdecl TS_RESOURCE::~TS_RESOURCE(void) __ptr64 +??1TS_RESOURCE@@QEAA@XZ +; public: virtual __cdecl W3_DATETIME_CACHE::~W3_DATETIME_CACHE(void) __ptr64 +??1W3_DATETIME_CACHE@@UEAA@XZ +; private: __cdecl W3_TRACE_LOG::~W3_TRACE_LOG(void) __ptr64 +??1W3_TRACE_LOG@@AEAA@XZ +; private: __cdecl W3_TRACE_LOG_FACTORY::~W3_TRACE_LOG_FACTORY(void) __ptr64 +??1W3_TRACE_LOG_FACTORY@@AEAA@XZ +; public: static void * __ptr64 __cdecl CLKRLinearHashTable::operator new(unsigned __int64) +??2CLKRLinearHashTable@@SAPEAX_K@Z +; public: static void __cdecl CLKRLinearHashTable::operator delete(void * __ptr64) +??3CLKRLinearHashTable@@SAXPEAX@Z +; public: class CDataCache & __ptr64 __cdecl CDataCache::operator=(class CDataCache const & __ptr64) __ptr64 +??4?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAAAEAV0@AEBV0@@Z +; public: class CDataCache & __ptr64 __cdecl CDataCache::operator=(class CDataCache const & __ptr64) __ptr64 +??4?$CDataCache@VCDateTime@@@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<1,1,3,1,3,2> & __ptr64 __cdecl CLockBase<1,1,3,1,3,2>::operator=(class CLockBase<1,1,3,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$00$00$02$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<2,1,1,1,3,2> & __ptr64 __cdecl CLockBase<2,1,1,1,3,2>::operator=(class CLockBase<2,1,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$01$00$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<3,1,1,1,1,1> & __ptr64 __cdecl CLockBase<3,1,1,1,1,1>::operator=(class CLockBase<3,1,1,1,1,1> const & __ptr64) __ptr64 +??4?$CLockBase@$02$00$00$00$00$00@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<4,1,1,2,3,3> & __ptr64 __cdecl CLockBase<4,1,1,2,3,3>::operator=(class CLockBase<4,1,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$03$00$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<5,2,1,2,3,3> & __ptr64 __cdecl CLockBase<5,2,1,2,3,3>::operator=(class CLockBase<5,2,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$04$01$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<6,2,1,2,3,3> & __ptr64 __cdecl CLockBase<6,2,1,2,3,3>::operator=(class CLockBase<6,2,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$05$01$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<7,2,2,1,3,2> & __ptr64 __cdecl CLockBase<7,2,2,1,3,2>::operator=(class CLockBase<7,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$06$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<8,2,2,1,3,2> & __ptr64 __cdecl CLockBase<8,2,2,1,3,2>::operator=(class CLockBase<8,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$07$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<9,2,1,1,3,2> & __ptr64 __cdecl CLockBase<9,2,1,1,3,2>::operator=(class CLockBase<9,2,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$08$01$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class ALLOC_CACHE_HANDLER & __ptr64 __cdecl ALLOC_CACHE_HANDLER::operator=(class ALLOC_CACHE_HANDLER const & __ptr64) __ptr64 +??4ALLOC_CACHE_HANDLER@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER & __ptr64 __cdecl BUFFER::operator=(class BUFFER const & __ptr64) __ptr64 +??4BUFFER@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER_CHAIN & __ptr64 __cdecl BUFFER_CHAIN::operator=(class BUFFER_CHAIN const & __ptr64) __ptr64 +??4BUFFER_CHAIN@@QEAAAEAV0@AEBV0@@Z +; public: class BUFFER_CHAIN_ITEM & __ptr64 __cdecl BUFFER_CHAIN_ITEM::operator=(class BUFFER_CHAIN_ITEM const & __ptr64) __ptr64 +??4BUFFER_CHAIN_ITEM@@QEAAAEAV0@AEBV0@@Z +; public: class CCritSec & __ptr64 __cdecl CCritSec::operator=(class CCritSec const & __ptr64) __ptr64 +??4CCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CDFTCache & __ptr64 __cdecl CDFTCache::operator=(class CDFTCache const & __ptr64) __ptr64 +??4CDFTCache@@QEAAAEAV0@AEBV0@@Z +; public: class CDateTime & __ptr64 __cdecl CDateTime::operator=(class CDateTime const & __ptr64) __ptr64 +??4CDateTime@@QEAAAEAV0@AEBV0@@Z +; public: class CDoubleList & __ptr64 __cdecl CDoubleList::operator=(class CDoubleList const & __ptr64) __ptr64 +??4CDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CFakeLock & __ptr64 __cdecl CFakeLock::operator=(class CFakeLock const & __ptr64) __ptr64 +??4CFakeLock@@QEAAAEAV0@AEBV0@@Z +; public: class CHUNK_BUFFER & __ptr64 __cdecl CHUNK_BUFFER::operator=(class CHUNK_BUFFER const & __ptr64) __ptr64 +??4CHUNK_BUFFER@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRHashTableStats & __ptr64 __cdecl CLKRHashTableStats::operator=(class CLKRHashTableStats const & __ptr64) __ptr64 +??4CLKRHashTableStats@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRHashTable_Iterator & __ptr64 __cdecl CLKRHashTable_Iterator::operator=(class CLKRHashTable_Iterator const & __ptr64) __ptr64 +??4CLKRHashTable_Iterator@@QEAAAEAV0@AEBV0@@Z +; public: class CLKRLinearHashTable_Iterator & __ptr64 __cdecl CLKRLinearHashTable_Iterator::operator=(class CLKRLinearHashTable_Iterator const & __ptr64) __ptr64 +??4CLKRLinearHashTable_Iterator@@QEAAAEAV0@AEBV0@@Z +; public: class CLockedDoubleList & __ptr64 __cdecl CLockedDoubleList::operator=(class CLockedDoubleList const & __ptr64) __ptr64 +??4CLockedDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CLockedSingleList & __ptr64 __cdecl CLockedSingleList::operator=(class CLockedSingleList const & __ptr64) __ptr64 +??4CLockedSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock2 & __ptr64 __cdecl CReaderWriterLock2::operator=(class CReaderWriterLock2 const & __ptr64) __ptr64 +??4CReaderWriterLock2@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock3 & __ptr64 __cdecl CReaderWriterLock3::operator=(class CReaderWriterLock3 const & __ptr64) __ptr64 +??4CReaderWriterLock3@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock & __ptr64 __cdecl CReaderWriterLock::operator=(class CReaderWriterLock const & __ptr64) __ptr64 +??4CReaderWriterLock@@QEAAAEAV0@AEBV0@@Z +; public: class CRtlResource & __ptr64 __cdecl CRtlResource::operator=(class CRtlResource const & __ptr64) __ptr64 +??4CRtlResource@@QEAAAEAV0@AEBV0@@Z +; public: class CSecurityDispenser & __ptr64 __cdecl CSecurityDispenser::operator=(class CSecurityDispenser const & __ptr64) __ptr64 +??4CSecurityDispenser@@QEAAAEAV0@AEBV0@@Z +; public: class CSingleList & __ptr64 __cdecl CSingleList::operator=(class CSingleList const & __ptr64) __ptr64 +??4CSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CSmallSpinLock & __ptr64 __cdecl CSmallSpinLock::operator=(class CSmallSpinLock const & __ptr64) __ptr64 +??4CSmallSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: class CSpinLock & __ptr64 __cdecl CSpinLock::operator=(class CSpinLock const & __ptr64) __ptr64 +??4CSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: struct DATETIME_FORMAT_ENTRY & __ptr64 __cdecl DATETIME_FORMAT_ENTRY::operator=(struct DATETIME_FORMAT_ENTRY const & __ptr64) __ptr64 +??4DATETIME_FORMAT_ENTRY@@QEAAAEAU0@AEBU0@@Z +; public: class EVENT_LOG & __ptr64 __cdecl EVENT_LOG::operator=(class EVENT_LOG const & __ptr64) __ptr64 +??4EVENT_LOG@@QEAAAEAV0@AEBV0@@Z +; public: class IPM_MESSAGE_PIPE & __ptr64 __cdecl IPM_MESSAGE_PIPE::operator=(class IPM_MESSAGE_PIPE const & __ptr64) __ptr64 +??4IPM_MESSAGE_PIPE@@QEAAAEAV0@AEBV0@@Z +; public: class MB & __ptr64 __cdecl MB::operator=(class MB const & __ptr64) __ptr64 +??4MB@@QEAAAEAV0@AEBV0@@Z +; public: class MULTISZ & __ptr64 __cdecl MULTISZ::operator=(class MULTISZ const & __ptr64) __ptr64 +??4MULTISZ@@QEAAAEAV0@AEBV0@@Z +; public: class MULTISZA & __ptr64 __cdecl MULTISZA::operator=(class MULTISZA const & __ptr64) __ptr64 +??4MULTISZA@@QEAAAEAV0@AEBV0@@Z +; private: class STRA & __ptr64 __cdecl STRA::operator=(class STRA const & __ptr64) __ptr64 +??4STRA@@AEAAAEAV0@AEBV0@@Z +; public: class STRAU & __ptr64 __cdecl STRAU::operator=(class STRAU const & __ptr64) __ptr64 +??4STRAU@@QEAAAEAV0@AEBV0@@Z +; private: class STRU & __ptr64 __cdecl STRU::operator=(class STRU const & __ptr64) __ptr64 +??4STRU@@AEAAAEAV0@AEBV0@@Z +; public: class TS_RESOURCE & __ptr64 __cdecl TS_RESOURCE::operator=(class TS_RESOURCE const & __ptr64) __ptr64 +??4TS_RESOURCE@@QEAAAEAV0@AEBV0@@Z +; public: class W3_TRACE_LOG & __ptr64 __cdecl W3_TRACE_LOG::operator=(class W3_TRACE_LOG const & __ptr64) __ptr64 +??4W3_TRACE_LOG@@QEAAAEAV0@AEBV0@@Z +; public: class W3_TRACE_LOG_FACTORY & __ptr64 __cdecl W3_TRACE_LOG_FACTORY::operator=(class W3_TRACE_LOG_FACTORY const & __ptr64) __ptr64 +??4W3_TRACE_LOG_FACTORY@@QEAAAEAV0@AEBV0@@Z +; public: bool __cdecl CLKRHashTable_Iterator::operator==(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +??8CLKRHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRLinearHashTable_Iterator::operator==(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +??8CLKRLinearHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRHashTable_Iterator::operator!=(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +??9CLKRHashTable_Iterator@@QEBA_NAEBV0@@Z +; public: bool __cdecl CLKRLinearHashTable_Iterator::operator!=(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +??9CLKRLinearHashTable_Iterator@@QEBA_NAEBV0@@Z +; const ASCLOG_DATETIME_CACHE::`vftable' +??_7ASCLOG_DATETIME_CACHE@@6B@ +; const CACHED_DATETIME_FORMATS::`vftable' +??_7CACHED_DATETIME_FORMATS@@6B@ +; const EXTLOG_DATETIME_CACHE::`vftable' +??_7EXTLOG_DATETIME_CACHE@@6B@ +; const W3_DATETIME_CACHE::`vftable' +??_7W3_DATETIME_CACHE@@6B@ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void __cdecl CSharelock::`default constructor closure'(void) __ptr64 +??_FCSharelock@@QEAAXXZ +ACopyToW +; public: int __cdecl CSharelock::ActiveUsers(void) __ptr64 +?ActiveUsers@CSharelock@@QEAAHXZ +; private: long __cdecl CHUNK_BUFFER::AddNewBlock(unsigned long) __ptr64 +?AddNewBlock@CHUNK_BUFFER@@AEAAJK@Z +; public: int __cdecl MB::AddObject(unsigned short const * __ptr64) __ptr64 +?AddObject@MB@@QEAAHPEBG@Z +; public: virtual unsigned long __cdecl MB_BASE_NOTIFICATION_SINK::AddRef(void) __ptr64 +?AddRef@MB_BASE_NOTIFICATION_SINK@@UEAAKXZ +AddWpgToTokenDefaultDacl +; public: unsigned long __cdecl CSecurityDispenser::AdjustTokenForAdministrators(void * __ptr64) __ptr64 +?AdjustTokenForAdministrators@CSecurityDispenser@@QEAAKPEAX@Z +; public: void * __ptr64 __cdecl ALLOC_CACHE_HANDLER::Alloc(void) __ptr64 +?Alloc@ALLOC_CACHE_HANDLER@@QEAAPEAXXZ +AllocateAndCreateWellKnownAcl +AllocateAndCreateWellKnownSid +; public: long __cdecl CHUNK_BUFFER::AllocateSpace(unsigned long,char * __ptr64 * __ptr64) __ptr64 +?AllocateSpace@CHUNK_BUFFER@@QEAAJKPEAPEAD@Z +; public: long __cdecl CHUNK_BUFFER::AllocateSpace(unsigned long,unsigned short * __ptr64 * __ptr64) __ptr64 +?AllocateSpace@CHUNK_BUFFER@@QEAAJKPEAPEAG@Z +; public: long __cdecl CHUNK_BUFFER::AllocateSpace(unsigned long,void * __ptr64 * __ptr64) __ptr64 +?AllocateSpace@CHUNK_BUFFER@@QEAAJKPEAPEAX@Z +; public: long __cdecl CHUNK_BUFFER::AllocateSpace(char * __ptr64,unsigned long,char * __ptr64 * __ptr64) __ptr64 +?AllocateSpace@CHUNK_BUFFER@@QEAAJPEADKPEAPEAD@Z +; public: long __cdecl CHUNK_BUFFER::AllocateSpace(unsigned short * __ptr64,unsigned long,unsigned short * __ptr64 * __ptr64) __ptr64 +?AllocateSpace@CHUNK_BUFFER@@QEAAJPEAGKPEAPEAG@Z +AlterDesktopForUser +; public: int __cdecl MULTISZ::Append(class STRU & __ptr64) __ptr64 +?Append@MULTISZ@@QEAAHAEAVSTRU@@@Z +; public: int __cdecl MULTISZ::Append(unsigned short const * __ptr64) __ptr64 +?Append@MULTISZ@@QEAAHPEBG@Z +; public: int __cdecl MULTISZ::Append(unsigned short const * __ptr64,unsigned long) __ptr64 +?Append@MULTISZ@@QEAAHPEBGK@Z +; public: int __cdecl MULTISZA::Append(class STRA & __ptr64) __ptr64 +?Append@MULTISZA@@QEAAHAEAVSTRA@@@Z +; public: int __cdecl MULTISZA::Append(char const * __ptr64) __ptr64 +?Append@MULTISZA@@QEAAHPEBD@Z +; public: int __cdecl MULTISZA::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@MULTISZA@@QEAAHPEBDK@Z +; public: long __cdecl STRA::Append(class STRA const & __ptr64) __ptr64 +?Append@STRA@@QEAAJAEBV1@@Z +; public: long __cdecl STRA::Append(char const * __ptr64) __ptr64 +?Append@STRA@@QEAAJPEBD@Z +; public: long __cdecl STRA::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@STRA@@QEAAJPEBDK@Z +; public: int __cdecl STRAU::Append(class STRAU & __ptr64) __ptr64 +?Append@STRAU@@QEAAHAEAV1@@Z +; public: int __cdecl STRAU::Append(char const * __ptr64) __ptr64 +?Append@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::Append(char const * __ptr64,unsigned long) __ptr64 +?Append@STRAU@@QEAAHPEBDK@Z +; public: int __cdecl STRAU::Append(unsigned short const * __ptr64) __ptr64 +?Append@STRAU@@QEAAHPEBG@Z +; public: int __cdecl STRAU::Append(unsigned short const * __ptr64,unsigned long) __ptr64 +?Append@STRAU@@QEAAHPEBGK@Z +; public: long __cdecl STRU::Append(class STRU const & __ptr64) __ptr64 +?Append@STRU@@QEAAJAEBV1@@Z +; public: long __cdecl STRU::Append(unsigned short const * __ptr64) __ptr64 +?Append@STRU@@QEAAJPEBG@Z +; public: long __cdecl STRU::Append(unsigned short const * __ptr64,unsigned long) __ptr64 +?Append@STRU@@QEAAJPEBGK@Z +; public: long __cdecl STRU::AppendA(char const * __ptr64) __ptr64 +?AppendA@STRU@@QEAAJPEBD@Z +; public: int __cdecl BUFFER_CHAIN::AppendBuffer(class BUFFER_CHAIN_ITEM * __ptr64) __ptr64 +?AppendBuffer@BUFFER_CHAIN@@QEAAHPEAVBUFFER_CHAIN_ITEM@@@Z +; public: long __cdecl W3_TRACE_LOG_FACTORY::AppendData(void * __ptr64,unsigned long) __ptr64 +?AppendData@W3_TRACE_LOG_FACTORY@@QEAAJPEAXK@Z +; public: int __cdecl MULTISZA::AppendW(unsigned short const * __ptr64) __ptr64 +?AppendW@MULTISZA@@QEAAHPEBG@Z +; public: int __cdecl MULTISZA::AppendW(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppendW@MULTISZA@@QEAAHPEBGK@Z +; public: long __cdecl STRA::AppendW(unsigned short const * __ptr64) __ptr64 +?AppendW@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::AppendW(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppendW@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::AppendWTruncate(unsigned short const * __ptr64) __ptr64 +?AppendWTruncate@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::AppendWTruncate(unsigned short const * __ptr64,unsigned long) __ptr64 +?AppendWTruncate@STRA@@QEAAJPEBGK@Z +; public: unsigned long __cdecl CLKRHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRLinearHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; private: int __cdecl MULTISZ::AuxAppend(unsigned short const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@MULTISZ@@AEAAHPEBGIH@Z +; private: int __cdecl MULTISZA::AuxAppend(unsigned char const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@MULTISZA@@AEAAHPEBEIH@Z +; private: long __cdecl STRA::AuxAppend(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppend@STRA@@AEAAJPEBEKKH@Z +; private: int __cdecl STRAU::AuxAppend(char const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@STRAU@@AEAAHPEBDIH@Z +; private: int __cdecl STRAU::AuxAppend(unsigned short const * __ptr64,unsigned int,int) __ptr64 +?AuxAppend@STRAU@@AEAAHPEBGIH@Z +; private: long __cdecl STRU::AuxAppend(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppend@STRU@@AEAAJPEBEKKH@Z +; private: long __cdecl STRU::AuxAppendA(unsigned char const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendA@STRU@@AEAAJPEBEKKH@Z +; private: int __cdecl MULTISZA::AuxAppendW(unsigned short const * __ptr64,unsigned int,int) __ptr64 +?AuxAppendW@MULTISZA@@AEAAHPEBGIH@Z +; private: long __cdecl STRA::AuxAppendW(unsigned short const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendW@STRA@@AEAAJPEBGKKH@Z +; private: long __cdecl STRA::AuxAppendWTruncate(unsigned short const * __ptr64,unsigned long,unsigned long,int) __ptr64 +?AuxAppendWTruncate@STRA@@AEAAJPEBGKKH@Z +; private: void __cdecl MULTISZ::AuxInit(unsigned short const * __ptr64) __ptr64 +?AuxInit@MULTISZ@@AEAAXPEBG@Z +; private: void __cdecl MULTISZA::AuxInit(unsigned char const * __ptr64) __ptr64 +?AuxInit@MULTISZA@@AEAAXPEBE@Z +; private: void __cdecl STRAU::AuxInit(char const * __ptr64) __ptr64 +?AuxInit@STRAU@@AEAAXPEBD@Z +; private: void __cdecl STRAU::AuxInit(unsigned short const * __ptr64) __ptr64 +?AuxInit@STRAU@@AEAAXPEBG@Z +; public: class CLKRHashTable_Iterator __cdecl CLKRHashTable::Begin(void) __ptr64 +?Begin@CLKRHashTable@@QEAA?AVCLKRHashTable_Iterator@@XZ +; public: class CLKRLinearHashTable_Iterator __cdecl CLKRLinearHashTable::Begin(void) __ptr64 +?Begin@CLKRLinearHashTable@@QEAA?AVCLKRLinearHashTable_Iterator@@XZ +; public: static long __cdecl CLKRHashTableStats::BucketIndex(long) +?BucketIndex@CLKRHashTableStats@@SAJJ@Z +; public: static long __cdecl CLKRHashTableStats::BucketSize(long) +?BucketSize@CLKRHashTableStats@@SAJJ@Z +; public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void) +?BucketSizes@CLKRHashTableStats@@SAPEBJXZ +; public: static unsigned long __cdecl MULTISZ::CalcLength(unsigned short const * __ptr64,unsigned long * __ptr64) +?CalcLength@MULTISZ@@SAKPEBGPEAK@Z +; public: static unsigned long __cdecl MULTISZA::CalcLength(char const * __ptr64,unsigned long * __ptr64) +?CalcLength@MULTISZA@@SAKPEBDPEAK@Z +; public: unsigned long __cdecl BUFFER_CHAIN::CalcTotalSize(int)const __ptr64 +?CalcTotalSize@BUFFER_CHAIN@@QEBAKH@Z +; public: void __cdecl CSharelock::ChangeExclusiveLockToSharedLock(void) __ptr64 +?ChangeExclusiveLockToSharedLock@CSharelock@@QEAAXXZ +; public: unsigned char __cdecl CSharelock::ChangeSharedLockToExclusiveLock(int) __ptr64 +?ChangeSharedLockToExclusiveLock@CSharelock@@QEAAEH@Z +; public: int __cdecl CLKRHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRHashTable@@QEBAHXZ +; public: int __cdecl CLKRLinearHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRLinearHashTable@@QEBAHXZ +; public: unsigned char __cdecl CSharelock::ClaimExclusiveLock(int) __ptr64 +?ClaimExclusiveLock@CSharelock@@QEAAEH@Z +; public: unsigned char __cdecl CSharelock::ClaimShareLock(int) __ptr64 +?ClaimShareLock@CSharelock@@QEAAEH@Z +; public: static unsigned short const * __ptr64 __cdecl CCritSec::ClassName(void) +?ClassName@CCritSec@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CFakeLock::ClassName(void) +?ClassName@CFakeLock@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CLKRHashTable::ClassName(void) +?ClassName@CLKRHashTable@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CLKRLinearHashTable::ClassName(void) +?ClassName@CLKRLinearHashTable@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock2::ClassName(void) +?ClassName@CReaderWriterLock2@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock3::ClassName(void) +?ClassName@CReaderWriterLock3@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CReaderWriterLock::ClassName(void) +?ClassName@CReaderWriterLock@@SAPEBGXZ +; public: static char const * __ptr64 __cdecl CRtlResource::ClassName(void) +?ClassName@CRtlResource@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CShareLock::ClassName(void) +?ClassName@CShareLock@@SAPEBDXZ +; public: static unsigned short const * __ptr64 __cdecl CSmallSpinLock::ClassName(void) +?ClassName@CSmallSpinLock@@SAPEBGXZ +; public: static unsigned short const * __ptr64 __cdecl CSpinLock::ClassName(void) +?ClassName@CSpinLock@@SAPEBGXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::Cleanup(void) +?Cleanup@ALLOC_CACHE_HANDLER@@SAHXZ +; public: static void __cdecl ALLOC_CACHE_HANDLER::CleanupAllLookasides(void * __ptr64,unsigned char) +?CleanupAllLookasides@ALLOC_CACHE_HANDLER@@SAXPEAXE@Z +; public: void __cdecl ALLOC_CACHE_HANDLER::CleanupLookaside(int) __ptr64 +?CleanupLookaside@ALLOC_CACHE_HANDLER@@QEAAXH@Z +; public: void __cdecl CLKRHashTable::Clear(void) __ptr64 +?Clear@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::Clear(void) __ptr64 +?Clear@CLKRLinearHashTable@@QEAAXXZ +; public: void __cdecl W3_TRACE_LOG::ClearBuffer(void) __ptr64 +?ClearBuffer@W3_TRACE_LOG@@QEAAXXZ +; public: int __cdecl MULTISZ::Clone(class MULTISZ * __ptr64)const __ptr64 +?Clone@MULTISZ@@QEBAHPEAV1@@Z +; public: int __cdecl MULTISZA::Clone(class MULTISZA * __ptr64)const __ptr64 +?Clone@MULTISZA@@QEBAHPEAV1@@Z +; public: long __cdecl STRA::Clone(class STRA * __ptr64)const __ptr64 +?Clone@STRA@@QEBAJPEAV1@@Z +; public: int __cdecl MB::Close(void) __ptr64 +?Close@MB@@QEAAHXZ +CompareStringNoCase +; public: void __cdecl TS_RESOURCE::Convert(enum TSRES_CONV_TYPE) __ptr64 +?Convert@TS_RESOURCE@@QEAAXW4TSRES_CONV_TYPE@@@Z +; public: void __cdecl CCritSec::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSpinLock@@QEAAXXZ +; public: void __cdecl CCritSec::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSpinLock@@QEAAXXZ +ConvertUnicodeToMultiByte +; public: int __cdecl MULTISZ::Copy(class MULTISZ const & __ptr64) __ptr64 +?Copy@MULTISZ@@QEAAHAEBV1@@Z +; public: int __cdecl MULTISZ::Copy(unsigned short const * __ptr64,unsigned long) __ptr64 +?Copy@MULTISZ@@QEAAHPEBGK@Z +; public: int __cdecl MULTISZA::Copy(class MULTISZA const & __ptr64) __ptr64 +?Copy@MULTISZA@@QEAAHAEBV1@@Z +; public: int __cdecl MULTISZA::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@MULTISZA@@QEAAHPEBDK@Z +; public: long __cdecl STRA::Copy(class STRA const & __ptr64) __ptr64 +?Copy@STRA@@QEAAJAEBV1@@Z +; public: long __cdecl STRA::Copy(char const * __ptr64) __ptr64 +?Copy@STRA@@QEAAJPEBD@Z +; public: long __cdecl STRA::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@STRA@@QEAAJPEBDK@Z +; public: int __cdecl STRAU::Copy(class STRAU & __ptr64) __ptr64 +?Copy@STRAU@@QEAAHAEAV1@@Z +; public: int __cdecl STRAU::Copy(char const * __ptr64) __ptr64 +?Copy@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::Copy(char const * __ptr64,unsigned long) __ptr64 +?Copy@STRAU@@QEAAHPEBDK@Z +; public: int __cdecl STRAU::Copy(unsigned short const * __ptr64) __ptr64 +?Copy@STRAU@@QEAAHPEBG@Z +; public: int __cdecl STRAU::Copy(unsigned short const * __ptr64,unsigned long) __ptr64 +?Copy@STRAU@@QEAAHPEBGK@Z +; public: long __cdecl STRU::Copy(class STRU const & __ptr64) __ptr64 +?Copy@STRU@@QEAAJAEBV1@@Z +; public: long __cdecl STRU::Copy(unsigned short const * __ptr64) __ptr64 +?Copy@STRU@@QEAAJPEBG@Z +; public: long __cdecl STRU::Copy(unsigned short const * __ptr64,unsigned long) __ptr64 +?Copy@STRU@@QEAAJPEBGK@Z +; public: long __cdecl STRU::CopyA(char const * __ptr64) __ptr64 +?CopyA@STRU@@QEAAJPEBD@Z +; public: long __cdecl STRU::CopyA(char const * __ptr64,unsigned long) __ptr64 +?CopyA@STRU@@QEAAJPEBDK@Z +; public: long __cdecl STRA::CopyBinary(void * __ptr64,unsigned long) __ptr64 +?CopyBinary@STRA@@QEAAJPEAXK@Z +; public: int __cdecl CDFTCache::CopyFormattedData(struct _SYSTEMTIME const * __ptr64,char * __ptr64)const __ptr64 +?CopyFormattedData@CDFTCache@@QEBAHPEBU_SYSTEMTIME@@PEAD@Z +; public: void __cdecl DATETIME_FORMAT_ENTRY::CopyFormattedData(struct _SYSTEMTIME const * __ptr64,char * __ptr64)const __ptr64 +?CopyFormattedData@DATETIME_FORMAT_ENTRY@@QEBAXPEBU_SYSTEMTIME@@PEAD@Z +; public: int __cdecl MULTISZ::CopyToBuffer(unsigned short * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@MULTISZ@@QEBAHPEAGPEAK@Z +; public: int __cdecl MULTISZA::CopyToBuffer(char * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@MULTISZA@@QEBAHPEADPEAK@Z +; public: long __cdecl STRA::CopyToBuffer(char * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STRA@@QEBAJPEADPEAK@Z +; public: long __cdecl STRU::CopyToBuffer(unsigned short * __ptr64,unsigned long * __ptr64)const __ptr64 +?CopyToBuffer@STRU@@QEBAJPEAGPEAK@Z +; public: long __cdecl STRA::CopyW(unsigned short const * __ptr64) __ptr64 +?CopyW@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyW(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyW@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWToUTF8(class STRU const & __ptr64) __ptr64 +?CopyWToUTF8@STRA@@QEAAJAEBVSTRU@@@Z +; public: long __cdecl STRA::CopyWToUTF8(unsigned short const * __ptr64) __ptr64 +?CopyWToUTF8@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWToUTF8(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWToUTF8@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(class STRU const & __ptr64) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJAEBVSTRU@@@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(unsigned short const * __ptr64) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWToUTF8Unescaped(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWToUTF8Unescaped@STRA@@QEAAJPEBGK@Z +; public: long __cdecl STRA::CopyWTruncate(unsigned short const * __ptr64) __ptr64 +?CopyWTruncate@STRA@@QEAAJPEBG@Z +; public: long __cdecl STRA::CopyWTruncate(unsigned short const * __ptr64,unsigned long) __ptr64 +?CopyWTruncate@STRA@@QEAAJPEBGK@Z +; public: static long __cdecl IPM_MESSAGE_PIPE::CreateIpmMessagePipe(class IPM_MESSAGE_ACCEPTOR * __ptr64,unsigned short const * __ptr64,int,struct _SECURITY_ATTRIBUTES * __ptr64,class IPM_MESSAGE_PIPE * __ptr64 * __ptr64) +?CreateIpmMessagePipe@IPM_MESSAGE_PIPE@@SAJPEAVIPM_MESSAGE_ACCEPTOR@@PEBGHPEAU_SECURITY_ATTRIBUTES@@PEAPEAV1@@Z +; public: long __cdecl W3_TRACE_LOG_FACTORY::CreateTraceLog(class W3_TRACE_LOG * __ptr64 * __ptr64) __ptr64 +?CreateTraceLog@W3_TRACE_LOG_FACTORY@@QEAAJPEAPEAVW3_TRACE_LOG@@@Z +; public: static long __cdecl W3_TRACE_LOG_FACTORY::CreateTraceLogFactory(class W3_TRACE_LOG_FACTORY * __ptr64 * __ptr64,void * __ptr64) +?CreateTraceLogFactory@W3_TRACE_LOG_FACTORY@@SAJPEAPEAV1@PEAX@Z +; public: unsigned long __cdecl CDFTCache::DateTimeChars(void)const __ptr64 +?DateTimeChars@CDFTCache@@QEBAKXZ +; char const * __ptr64 __cdecl DayOfWeek3CharNames(unsigned long) +?DayOfWeek3CharNames@@YAPEBDK@Z +; private: void __cdecl IPM_MESSAGE_PIPE::DecrementAcceptorInUse(void) __ptr64 +?DecrementAcceptorInUse@IPM_MESSAGE_PIPE@@AEAAXXZ +DecryptMemoryPassword +; public: unsigned long __cdecl BUFFER_CHAIN::DeleteChain(void) __ptr64 +?DeleteChain@BUFFER_CHAIN@@QEAAKXZ +; public: int __cdecl MB::DeleteData(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long) __ptr64 +?DeleteData@MB@@QEAAHPEBGKKK@Z +; public: unsigned long __cdecl CLKRHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: unsigned long __cdecl CLKRLinearHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: int __cdecl MB::DeleteObject(unsigned short const * __ptr64) __ptr64 +?DeleteObject@MB@@QEAAHPEBG@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: void __cdecl IPM_MESSAGE_PIPE::DestroyIpmMessagePipe(void) __ptr64 +?DestroyIpmMessagePipe@IPM_MESSAGE_PIPE@@QEAAXXZ +; public: void __cdecl W3_TRACE_LOG::DestroyTraceLog(void) __ptr64 +?DestroyTraceLog@W3_TRACE_LOG@@QEAAXXZ +; public: void __cdecl W3_TRACE_LOG_FACTORY::DestroyTraceLogFactory(void) __ptr64 +?DestroyTraceLogFactory@W3_TRACE_LOG_FACTORY@@QEAAXXZ +; public: virtual unsigned long __cdecl CEtwTracer::DisableEventsCallbackCustomHandler(void) __ptr64 +?DisableEventsCallbackCustomHandler@CEtwTracer@@UEAAKXZ +DisableTokenBackupPrivilege +; public: static int __cdecl ALLOC_CACHE_HANDLER::DumpStatsToHtml(char * __ptr64,unsigned long * __ptr64) +?DumpStatsToHtml@ALLOC_CACHE_HANDLER@@SAHPEADPEAK@Z +DupTokenWithSameImpersonationLevel +; public: virtual unsigned long __cdecl CEtwTracer::EnableEventsCallbackCustomHandler(void) __ptr64 +?EnableEventsCallbackCustomHandler@CEtwTracer@@UEAAKXZ +EncryptMemoryPassword +; public: class CLKRHashTable_Iterator __cdecl CLKRHashTable::End(void) __ptr64 +?End@CLKRHashTable@@QEAA?AVCLKRHashTable_Iterator@@XZ +; public: class CLKRLinearHashTable_Iterator __cdecl CLKRLinearHashTable::End(void) __ptr64 +?End@CLKRLinearHashTable@@QEAA?AVCLKRLinearHashTable_Iterator@@XZ +; public: int __cdecl MB::EnumObjects(unsigned short const * __ptr64,unsigned short * __ptr64,unsigned long) __ptr64 +?EnumObjects@MB@@QEAAHPEBGPEAGK@Z +; public: bool __cdecl CLKRHashTable::EqualRange(unsigned __int64,class CLKRHashTable_Iterator & __ptr64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?EqualRange@CLKRHashTable@@QEAA_N_KAEAVCLKRHashTable_Iterator@@1@Z +; public: bool __cdecl CLKRLinearHashTable::EqualRange(unsigned __int64,class CLKRLinearHashTable_Iterator & __ptr64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?EqualRange@CLKRLinearHashTable@@QEAA_N_KAEAVCLKRLinearHashTable_Iterator@@1@Z +; public: int __cdecl STRA::Equals(class STRA const & __ptr64)const __ptr64 +?Equals@STRA@@QEBAHAEBV1@@Z +; public: int __cdecl STRA::Equals(char * __ptr64 const)const __ptr64 +?Equals@STRA@@QEBAHQEAD@Z +; public: int __cdecl STRU::Equals(class STRU const & __ptr64)const __ptr64 +?Equals@STRU@@QEBAHAEBV1@@Z +; public: int __cdecl STRU::Equals(unsigned short const * __ptr64)const __ptr64 +?Equals@STRU@@QEBAHPEBG@Z +; public: int __cdecl STRA::EqualsNoCase(class STRA const & __ptr64)const __ptr64 +?EqualsNoCase@STRA@@QEBAHAEBV1@@Z +; public: int __cdecl STRA::EqualsNoCase(char * __ptr64 const)const __ptr64 +?EqualsNoCase@STRA@@QEBAHQEAD@Z +; public: int __cdecl STRU::EqualsNoCase(class STRU const & __ptr64)const __ptr64 +?EqualsNoCase@STRU@@QEBAHAEBV1@@Z +; public: int __cdecl STRU::EqualsNoCase(unsigned short const * __ptr64)const __ptr64 +?EqualsNoCase@STRU@@QEBAHPEBG@Z +; public: bool __cdecl CLKRHashTable::Erase(class CLKRHashTable_Iterator & __ptr64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRHashTable@@QEAA_NAEAVCLKRHashTable_Iterator@@0@Z +; public: bool __cdecl CLKRHashTable::Erase(class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRHashTable@@QEAA_NAEAVCLKRHashTable_Iterator@@@Z +; public: bool __cdecl CLKRLinearHashTable::Erase(class CLKRLinearHashTable_Iterator & __ptr64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRLinearHashTable@@QEAA_NAEAVCLKRLinearHashTable_Iterator@@0@Z +; public: bool __cdecl CLKRLinearHashTable::Erase(class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Erase@CLKRLinearHashTable@@QEAA_NAEAVCLKRLinearHashTable_Iterator@@@Z +; public: long __cdecl STRA::Escape(int,int) __ptr64 +?Escape@STRA@@QEAAJHH@Z +; public: long __cdecl STRU::Escape(void) __ptr64 +?Escape@STRU@@QEAAJXZ +; public: unsigned long __cdecl CEtwTracer::EtwTraceEvent(struct _GUID const * __ptr64,unsigned long,...) __ptr64 +?EtwTraceEvent@CEtwTracer@@QEAAKPEBU_GUID@@KZZ +; int __cdecl FileTimeToGMT(struct _FILETIME const & __ptr64,char * __ptr64,unsigned long) +?FileTimeToGMT@@YAHAEBU_FILETIME@@PEADK@Z +; int __cdecl FileTimeToGMTEx(struct _FILETIME const & __ptr64,char * __ptr64,unsigned long,unsigned long) +?FileTimeToGMTEx@@YAHAEBU_FILETIME@@PEADKK@Z +; public: bool __cdecl CLKRHashTable::Find(unsigned __int64,class CLKRHashTable_Iterator & __ptr64) __ptr64 +?Find@CLKRHashTable@@QEAA_N_KAEAVCLKRHashTable_Iterator@@@Z +; public: bool __cdecl CLKRLinearHashTable::Find(unsigned __int64,class CLKRLinearHashTable_Iterator & __ptr64) __ptr64 +?Find@CLKRLinearHashTable@@QEAA_N_KAEAVCLKRLinearHashTable_Iterator@@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: int __cdecl MULTISZ::FindString(class STRU & __ptr64) __ptr64 +?FindString@MULTISZ@@QEAAHAEAVSTRU@@@Z +; public: int __cdecl MULTISZ::FindString(unsigned short const * __ptr64) __ptr64 +?FindString@MULTISZ@@QEAAHPEBG@Z +; public: int __cdecl MULTISZA::FindString(class STRA & __ptr64) __ptr64 +?FindString@MULTISZA@@QEAAHAEAVSTRA@@@Z +; public: int __cdecl MULTISZA::FindString(char const * __ptr64) __ptr64 +?FindString@MULTISZA@@QEAAHPEBD@Z +; public: int __cdecl MULTISZ::FindStringNoCase(class STRU & __ptr64) __ptr64 +?FindStringNoCase@MULTISZ@@QEAAHAEAVSTRU@@@Z +; public: int __cdecl MULTISZ::FindStringNoCase(unsigned short const * __ptr64) __ptr64 +?FindStringNoCase@MULTISZ@@QEAAHPEBG@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::First(void)const __ptr64 +?First@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::First(void) __ptr64 +?First@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: unsigned short const * __ptr64 __cdecl MULTISZ::First(void)const __ptr64 +?First@MULTISZ@@QEBAPEBGXZ +; public: char const * __ptr64 __cdecl MULTISZA::First(void)const __ptr64 +?First@MULTISZA@@QEBAPEBDXZ +FlipSlashes +; public: long __cdecl STRA::FormatString(unsigned long,char const * __ptr64 * __ptr64 const,char const * __ptr64,unsigned long) __ptr64 +?FormatString@STRA@@QEAAJKQEAPEBDPEBDK@Z +; public: char const * __ptr64 __cdecl CDFTCache::FormattedBuffer(void)const __ptr64 +?FormattedBuffer@CDFTCache@@QEBAPEBDXZ +; public: int __cdecl ALLOC_CACHE_HANDLER::Free(void * __ptr64) __ptr64 +?Free@ALLOC_CACHE_HANDLER@@QEAAHPEAX@Z +; public: void __cdecl CHUNK_BUFFER::FreeAllAllocatedSpace(void) __ptr64 +?FreeAllAllocatedSpace@CHUNK_BUFFER@@QEAAXXZ +; public: void __cdecl BUFFER::FreeMemory(void) __ptr64 +?FreeMemory@BUFFER@@QEAAXXZ +FreeSecurityAttributes +FreeWellKnownAcl +FreeWellKnownSid +; public: virtual void __cdecl ASCLOG_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@ASCLOG_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +; public: virtual void __cdecl EXTLOG_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@EXTLOG_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +; public: virtual void __cdecl W3_DATETIME_CACHE::GenerateDateTimeString(struct DATETIME_FORMAT_ENTRY * __ptr64,struct _SYSTEMTIME const * __ptr64) __ptr64 +?GenerateDateTimeString@W3_DATETIME_CACHE@@UEAAXPEAUDATETIME_FORMAT_ENTRY@@PEBU_SYSTEMTIME@@@Z +GenerateNameWithGUID +; public: int __cdecl MB::GetAll(unsigned short const * __ptr64,unsigned long,unsigned long,class BUFFER * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetAll@MB@@QEAAHPEBGKKPEAVBUFFER@@PEAK2@Z +; public: unsigned short __cdecl CLKRHashTable::GetBucketLockSpinCount(void)const __ptr64 +?GetBucketLockSpinCount@CLKRHashTable@@QEBAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetBucketLockSpinCount(void)const __ptr64 +?GetBucketLockSpinCount@CLKRLinearHashTable@@QEBAGXZ +; public: int __cdecl MB::GetBuffer(unsigned short const * __ptr64,unsigned long,unsigned long,class BUFFER * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?GetBuffer@MB@@QEAAHPEBGKKPEAVBUFFER@@PEAKK@Z +; public: int __cdecl MB::GetChildPaths(unsigned short const * __ptr64,class BUFFER * __ptr64) __ptr64 +?GetChildPaths@MB@@QEAAHPEBGPEAVBUFFER@@@Z +; public: int __cdecl MB::GetData(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?GetData@MB@@QEAAHPEBGKKKPEAXPEAKK@Z +; public: int __cdecl MB::GetDataPaths(unsigned short const * __ptr64,unsigned long,unsigned long,class BUFFER * __ptr64) __ptr64 +?GetDataPaths@MB@@QEAAHPEBGKKPEAVBUFFER@@@Z +; public: int __cdecl MB::GetDataSetNumber(unsigned short const * __ptr64,unsigned long * __ptr64) __ptr64 +?GetDataSetNumber@MB@@QEAAHPEBGPEAK@Z +; public: static double __cdecl CCritSec::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CCritSec@@SANXZ +; public: static double __cdecl CFakeLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CFakeLock@@SANXZ +; public: static double __cdecl CReaderWriterLock2::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SANXZ +; public: static double __cdecl CReaderWriterLock3::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SANXZ +; public: static double __cdecl CReaderWriterLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SANXZ +; public: static double __cdecl CRtlResource::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CRtlResource@@SANXZ +; public: static double __cdecl CShareLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CShareLock@@SANXZ +; public: static double __cdecl CSmallSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SANXZ +; public: static double __cdecl CSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSpinLock@@SANXZ +; public: static unsigned short __cdecl CCritSec::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CCritSec@@SAGXZ +; public: static unsigned short __cdecl CFakeLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CFakeLock@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock2::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock2@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock3::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock3@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock@@SAGXZ +; public: static unsigned short __cdecl CRtlResource::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CRtlResource@@SAGXZ +; public: static unsigned short __cdecl CShareLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CShareLock@@SAGXZ +; public: static unsigned short __cdecl CSmallSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSmallSpinLock@@SAGXZ +; public: static unsigned short __cdecl CSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSpinLock@@SAGXZ +; public: int __cdecl MB::GetDword(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long) __ptr64 +?GetDword@MB@@QEAAHPEBGKKPEAKK@Z +; public: void __cdecl MB::GetDword(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long * __ptr64,unsigned long) __ptr64 +?GetDword@MB@@QEAAXPEBGKKKPEAKK@Z +; public: unsigned long __cdecl EVENT_LOG::GetErrorCode(void)const __ptr64 +?GetErrorCode@EVENT_LOG@@QEBAKXZ +; public: unsigned long __cdecl CACHED_DATETIME_FORMATS::GetFormattedCurrentDateTime(char * __ptr64) __ptr64 +?GetFormattedCurrentDateTime@CACHED_DATETIME_FORMATS@@QEAAKPEAD@Z +; public: unsigned long __cdecl CACHED_DATETIME_FORMATS::GetFormattedDateTime(struct _SYSTEMTIME const * __ptr64,char * __ptr64) __ptr64 +?GetFormattedDateTime@CACHED_DATETIME_FORMATS@@QEAAKPEBU_SYSTEMTIME@@PEAD@Z +; public: unsigned long __cdecl CSecurityDispenser::GetIisWpgSID(void * __ptr64 * __ptr64) __ptr64 +?GetIisWpgSID@CSecurityDispenser@@QEAAKPEAPEAX@Z +; public: int __cdecl MB::GetMultisz(unsigned short const * __ptr64,unsigned long,unsigned long,class MULTISZ * __ptr64,unsigned long) __ptr64 +?GetMultisz@MB@@QEAAHPEBGKKPEAVMULTISZ@@K@Z +; private: int __cdecl BUFFER::GetNewStorage(unsigned int) __ptr64 +?GetNewStorage@BUFFER@@AEAAHI@Z +; public: unsigned long __cdecl CSecurityDispenser::GetSID(enum WELL_KNOWN_SID_TYPE,void * __ptr64 * __ptr64) __ptr64 +?GetSID@CSecurityDispenser@@QEAAKW4WELL_KNOWN_SID_TYPE@@PEAPEAX@Z +GetSecurityAttributesForHandle +; public: unsigned short __cdecl CCritSec::GetSpinCount(void)const __ptr64 +?GetSpinCount@CCritSec@@QEBAGXZ +; public: unsigned short __cdecl CFakeLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CFakeLock@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock2::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock2@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock3::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock3@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock@@QEBAGXZ +; public: unsigned short __cdecl CRtlResource::GetSpinCount(void)const __ptr64 +?GetSpinCount@CRtlResource@@QEBAGXZ +; public: unsigned short __cdecl CShareLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CShareLock@@QEBAGXZ +; public: unsigned short __cdecl CSmallSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSmallSpinLock@@QEBAGXZ +; public: unsigned short __cdecl CSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSpinLock@@QEBAGXZ +; public: class CLKRHashTableStats __cdecl CLKRHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: class CLKRHashTableStats __cdecl CLKRLinearHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRLinearHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: int __cdecl MB::GetStr(unsigned short const * __ptr64,unsigned long,unsigned long,class STRU * __ptr64,unsigned long,unsigned short const * __ptr64) __ptr64 +?GetStr@MB@@QEAAHPEBGKKPEAVSTRU@@K0@Z +; public: int __cdecl MB::GetString(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned short * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?GetString@MB@@QEAAHPEBGKKPEAGPEAKK@Z +; public: int __cdecl MB::GetSystemChangeNumber(unsigned long * __ptr64) __ptr64 +?GetSystemChangeNumber@MB@@QEAAHPEAK@Z +; public: unsigned short __cdecl CLKRHashTable::GetTableLockSpinCount(void)const __ptr64 +?GetTableLockSpinCount@CLKRHashTable@@QEBAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetTableLockSpinCount(void)const __ptr64 +?GetTableLockSpinCount@CLKRLinearHashTable@@QEBAGXZ +; public: int __cdecl CDateTime::GetTickCount(void) __ptr64 +?GetTickCount@CDateTime@@QEAAHXZ +GrantWpgAccessToToken +; public: long __cdecl STRA::HTMLEncode(void) __ptr64 +?HTMLEncode@STRA@@QEAAJXZ +; public: class CListEntry const * __ptr64 __cdecl CDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CDoubleList@@QEBAQEBVCListEntry@@XZ +; public: class CListEntry const * __ptr64 __cdecl CLockedDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CLockedDoubleList@@QEBAQEBVCListEntry@@XZ +; public: bool __cdecl CLKRHashTable_Iterator::Increment(void) __ptr64 +?Increment@CLKRHashTable_Iterator@@QEAA_NXZ +; public: bool __cdecl CLKRLinearHashTable_Iterator::Increment(void) __ptr64 +?Increment@CLKRLinearHashTable_Iterator@@QEAA_NXZ +; private: void __cdecl IPM_MESSAGE_PIPE::IncrementAcceptorInUse(void) __ptr64 +?IncrementAcceptorInUse@IPM_MESSAGE_PIPE@@AEAAXXZ +; public: void __cdecl W3_TRACE_LOG::Indent(void) __ptr64 +?Indent@W3_TRACE_LOG@@QEAAXXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::Initialize(void) +?Initialize@ALLOC_CACHE_HANDLER@@SAHXZ +; private: void __cdecl CHUNK_BUFFER::Initialize(void) __ptr64 +?Initialize@CHUNK_BUFFER@@AEAAXXZ +; public: bool __cdecl CLKRHashTable::Insert(void const * __ptr64,class CLKRHashTable_Iterator & __ptr64,bool) __ptr64 +?Insert@CLKRHashTable@@QEAA_NPEBXAEAVCLKRHashTable_Iterator@@_N@Z +; public: bool __cdecl CLKRLinearHashTable::Insert(void const * __ptr64,class CLKRLinearHashTable_Iterator & __ptr64,bool) __ptr64 +?Insert@CLKRLinearHashTable@@QEAA_NPEBXAEAVCLKRLinearHashTable_Iterator@@_N@Z +; public: void __cdecl CDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: static void __cdecl ALLOC_CACHE_HANDLER::InsertNewItem(class ALLOC_CACHE_HANDLER * __ptr64) +?InsertNewItem@ALLOC_CACHE_HANDLER@@SAXPEAV1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: void __cdecl CDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: int __cdecl ALLOC_CACHE_HANDLER::IpPrint(char * __ptr64,unsigned long * __ptr64) __ptr64 +?IpPrint@ALLOC_CACHE_HANDLER@@QEAAHPEADPEAK@Z +; public: void __cdecl IPM_MESSAGE_PIPE::IpmMessageCreated(class IPM_MESSAGE_IMP * __ptr64) __ptr64 +?IpmMessageCreated@IPM_MESSAGE_PIPE@@QEAAXPEAVIPM_MESSAGE_IMP@@@Z +; public: void __cdecl IPM_MESSAGE_PIPE::IpmMessageDeleted(class IPM_MESSAGE_IMP * __ptr64) __ptr64 +?IpmMessageDeleted@IPM_MESSAGE_PIPE@@QEAAXPEAVIPM_MESSAGE_IMP@@@Z +; public: int __cdecl STRAU::IsCurrentUnicode(void) __ptr64 +?IsCurrentUnicode@STRAU@@QEAAHXZ +; private: int __cdecl BUFFER::IsDynAlloced(void)const __ptr64 +?IsDynAlloced@BUFFER@@AEBAHXZ +; public: bool __cdecl CDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CSingleList@@QEBA_NXZ +; public: int __cdecl MULTISZ::IsEmpty(void)const __ptr64 +?IsEmpty@MULTISZ@@QEBAHXZ +; public: int __cdecl MULTISZA::IsEmpty(void)const __ptr64 +?IsEmpty@MULTISZA@@QEBAHXZ +; public: int __cdecl STRA::IsEmpty(void)const __ptr64 +?IsEmpty@STRA@@QEBAHXZ +; public: int __cdecl STRAU::IsEmpty(void) __ptr64 +?IsEmpty@STRAU@@QEAAHXZ +; public: int __cdecl STRU::IsEmpty(void)const __ptr64 +?IsEmpty@STRU@@QEBAHXZ +; public: int __cdecl CDFTCache::IsHit(struct _SYSTEMTIME const * __ptr64)const __ptr64 +?IsHit@CDFTCache@@QEBAHPEBU_SYSTEMTIME@@@Z +; public: int __cdecl DATETIME_FORMAT_ENTRY::IsHit(struct _SYSTEMTIME const * __ptr64)const __ptr64 +?IsHit@DATETIME_FORMAT_ENTRY@@QEBAHPEBU_SYSTEMTIME@@@Z +; public: bool __cdecl CLockedDoubleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsReadLocked(void)const __ptr64 +?IsReadLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsReadLocked(void)const __ptr64 +?IsReadLocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSpinLock@@QEBA_NXZ +IsSSLReportingBackwardCompatibilityMode +; public: bool __cdecl CLockedDoubleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRLinearHashTable@@QEBA_NXZ +; public: int __cdecl ALLOC_CACHE_HANDLER::IsValid(void)const __ptr64 +?IsValid@ALLOC_CACHE_HANDLER@@QEBAHXZ +; public: int __cdecl BUFFER::IsValid(void)const __ptr64 +?IsValid@BUFFER@@QEBAHXZ +; public: bool __cdecl CLKRHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable_Iterator::IsValid(void)const __ptr64 +?IsValid@CLKRHashTable_Iterator@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable_Iterator::IsValid(void)const __ptr64 +?IsValid@CLKRLinearHashTable_Iterator@@QEBA_NXZ +; public: int __cdecl IPM_MESSAGE_PIPE::IsValid(void) __ptr64 +?IsValid@IPM_MESSAGE_PIPE@@QEAAHXZ +; public: int __cdecl MULTISZ::IsValid(void)const __ptr64 +?IsValid@MULTISZ@@QEBAHXZ +; public: int __cdecl MULTISZA::IsValid(void)const __ptr64 +?IsValid@MULTISZA@@QEBAHXZ +; public: int __cdecl STRA::IsValid(void)const __ptr64 +?IsValid@STRA@@QEBAHXZ +; public: int __cdecl STRAU::IsValid(void) __ptr64 +?IsValid@STRAU@@QEAAHXZ +; public: bool __cdecl CCritSec::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CRtlResource::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CRtlResource@@QEBA_NXZ +; public: bool __cdecl CShareLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CShareLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSpinLock@@QEBA_NXZ +; public: unsigned __int64 const __cdecl CLKRHashTable_Iterator::Key(void)const __ptr64 +?Key@CLKRHashTable_Iterator@@QEBA?B_KXZ +; public: unsigned __int64 const __cdecl CLKRLinearHashTable_Iterator::Key(void)const __ptr64 +?Key@CLKRLinearHashTable_Iterator@@QEBA?B_KXZ +; public: class CListEntry * __ptr64 __cdecl CDoubleList::Last(void)const __ptr64 +?Last@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::Last(void) __ptr64 +?Last@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: long __cdecl STRA::LoadStringW(unsigned long,struct HINSTANCE__ * __ptr64) __ptr64 +?LoadStringW@STRA@@QEAAJKPEAUHINSTANCE__@@@Z +; public: long __cdecl STRA::LoadStringW(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?LoadStringW@STRA@@QEAAJKPEBDK@Z +; private: void __cdecl ALLOC_CACHE_HANDLER::Lock(void) __ptr64 +?Lock@ALLOC_CACHE_HANDLER@@AEAAXXZ +; public: void __cdecl CLockedDoubleList::Lock(void) __ptr64 +?Lock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Lock(void) __ptr64 +?Lock@CLockedSingleList@@QEAAXXZ +; public: void __cdecl TS_RESOURCE::Lock(enum TSRES_LOCK_TYPE) __ptr64 +?Lock@TS_RESOURCE@@QEAAXW4TSRES_LOCK_TYPE@@@Z +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<1,1,3,1,3,2>::LockType(void) +?LockType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<2,1,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<3,1,1,1,1,1>::LockType(void) +?LockType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<4,1,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<5,2,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<6,2,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<7,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<8,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<9,2,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: void __cdecl EVENT_LOG::LogEvent(unsigned long,unsigned short,unsigned short const * __ptr64 * __ptr64 const,unsigned long) __ptr64 +?LogEvent@EVENT_LOG@@QEAAXKGQEAPEBGK@Z +; private: void __cdecl EVENT_LOG::LogEventPrivate(unsigned long,unsigned short,unsigned short,unsigned short const * __ptr64 * __ptr64 const,unsigned long) __ptr64 +?LogEventPrivate@EVENT_LOG@@AEAAXKGGQEAPEBGK@Z +LookupTokenAccountName +MakeAllProcessHeapsLFH +MakePathCanonicalizationProof +; public: unsigned long __cdecl CLKRHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRLinearHashTable@@QEBAKXZ +; public: static void __cdecl IPM_MESSAGE_PIPE::MessagePipeCompletion(void * __ptr64,unsigned char) +?MessagePipeCompletion@IPM_MESSAGE_PIPE@@SAXPEAXE@Z +; char const * __ptr64 __cdecl Month3CharNames(unsigned long) +?Month3CharNames@@YAPEBDK@Z +; public: bool __cdecl CLKRHashTable::MultiKeys(void)const __ptr64 +?MultiKeys@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::MultiKeys(void)const __ptr64 +?MultiKeys@CLKRLinearHashTable@@QEBA_NXZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<1,1,3,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<2,1,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<3,1,1,1,1,1>::MutexType(void) +?MutexType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<4,1,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<5,2,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<6,2,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<7,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<8,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<9,2,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: unsigned short const * __ptr64 __cdecl MULTISZ::Next(unsigned short const * __ptr64)const __ptr64 +?Next@MULTISZ@@QEBAPEBGPEBG@Z +; public: char const * __ptr64 __cdecl MULTISZA::Next(char const * __ptr64)const __ptr64 +?Next@MULTISZA@@QEBAPEBDPEBD@Z +; public: class BUFFER_CHAIN_ITEM * __ptr64 __cdecl BUFFER_CHAIN::NextBuffer(class BUFFER_CHAIN_ITEM * __ptr64) __ptr64 +?NextBuffer@BUFFER_CHAIN@@QEAAPEAVBUFFER_CHAIN_ITEM@@PEAV2@@Z +; long __cdecl NormalizeUrl(char * __ptr64) +?NormalizeUrl@@YAJPEAD@Z +; long __cdecl NormalizeUrlW(unsigned short * __ptr64) +?NormalizeUrlW@@YAJPEAG@Z +; private: void __cdecl IPM_MESSAGE_PIPE::NotifyPipeDisconnected(long) __ptr64 +?NotifyPipeDisconnected@IPM_MESSAGE_PIPE@@AEAAXJ@Z +; int __cdecl NtLargeIntegerTimeToLocalSystemTime(union _LARGE_INTEGER const * __ptr64,struct _SYSTEMTIME * __ptr64) +?NtLargeIntegerTimeToLocalSystemTime@@YAHPEBT_LARGE_INTEGER@@PEAU_SYSTEMTIME@@@Z +; int __cdecl NtLargeIntegerTimeToSystemTime(union _LARGE_INTEGER const & __ptr64,struct _SYSTEMTIME * __ptr64) +?NtLargeIntegerTimeToSystemTime@@YAHAEBT_LARGE_INTEGER@@PEAU_SYSTEMTIME@@@Z +; int __cdecl NtSystemTimeToLargeInteger(struct _SYSTEMTIME const * __ptr64,union _LARGE_INTEGER * __ptr64) +?NtSystemTimeToLargeInteger@@YAHPEBU_SYSTEMTIME@@PEAT_LARGE_INTEGER@@@Z +; public: int __cdecl CLKRHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; public: int __cdecl CLKRLinearHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRLinearHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRLinearHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRLinearHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; public: int __cdecl CDFTCache::OffsetSeconds(void)const __ptr64 +?OffsetSeconds@CDFTCache@@QEBAHXZ +; public: int __cdecl MB::Open(unsigned long,unsigned short const * __ptr64,unsigned long) __ptr64 +?Open@MB@@QEAAHKPEBGK@Z +; public: int __cdecl MB::Open(unsigned short const * __ptr64,unsigned long) __ptr64 +?Open@MB@@QEAAHPEBGK@Z +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<1,1,3,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<2,1,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<3,1,1,1,1,1>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<4,1,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<5,2,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<6,2,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<7,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<8,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<9,2,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CLockedSingleList::Pop(void) __ptr64 +?Pop@CLockedSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CSingleList::Pop(void) __ptr64 +?Pop@CSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: void __cdecl ALLOC_CACHE_HANDLER::Print(void) __ptr64 +?Print@ALLOC_CACHE_HANDLER@@QEAAXXZ +; private: unsigned short * __ptr64 __cdecl STRAU::PrivateQueryStr(int) __ptr64 +?PrivateQueryStr@STRAU@@AEAAPEAGH@Z +; public: void __cdecl CLockedSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CLockedSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: void __cdecl CSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: struct IMSAdminBaseW * __ptr64 __cdecl MB::QueryAdminBase(void)const __ptr64 +?QueryAdminBase@MB@@QEBAPEAUIMSAdminBaseW@@XZ +; public: class BUFFER * __ptr64 __cdecl STRU::QueryBuffer(void) __ptr64 +?QueryBuffer@STRU@@QEAAPEAVBUFFER@@XZ +; public: unsigned int __cdecl MULTISZ::QueryCB(void)const __ptr64 +?QueryCB@MULTISZ@@QEBAIXZ +; public: unsigned int __cdecl MULTISZA::QueryCB(void)const __ptr64 +?QueryCB@MULTISZA@@QEBAIXZ +; public: unsigned int __cdecl STRA::QueryCB(void)const __ptr64 +?QueryCB@STRA@@QEBAIXZ +; public: unsigned int __cdecl STRAU::QueryCB(int) __ptr64 +?QueryCB@STRAU@@QEAAIH@Z +; public: unsigned int __cdecl STRU::QueryCB(void)const __ptr64 +?QueryCB@STRU@@QEBAIXZ +; public: unsigned int __cdecl STRAU::QueryCBA(void) __ptr64 +?QueryCBA@STRAU@@QEAAIXZ +; public: unsigned int __cdecl STRAU::QueryCBW(void) __ptr64 +?QueryCBW@STRAU@@QEAAIXZ +; public: unsigned int __cdecl MULTISZ::QueryCCH(void)const __ptr64 +?QueryCCH@MULTISZ@@QEBAIXZ +; public: unsigned int __cdecl MULTISZA::QueryCCH(void)const __ptr64 +?QueryCCH@MULTISZA@@QEBAIXZ +; public: unsigned int __cdecl STRA::QueryCCH(void)const __ptr64 +?QueryCCH@STRA@@QEBAIXZ +; public: unsigned int __cdecl STRAU::QueryCCH(void) __ptr64 +?QueryCCH@STRAU@@QEAAIXZ +; public: unsigned int __cdecl STRU::QueryCCH(void)const __ptr64 +?QueryCCH@STRU@@QEBAIXZ +; public: unsigned long __cdecl CEtwTracer::QueryEnableLevel(void) __ptr64 +?QueryEnableLevel@CEtwTracer@@QEAAKXZ +; public: unsigned long __cdecl MB::QueryHandle(void)const __ptr64 +?QueryHandle@MB@@QEBAKXZ +; public: unsigned long __cdecl CHUNK_BUFFER::QueryHeapAllocCount(void) __ptr64 +?QueryHeapAllocCount@CHUNK_BUFFER@@QEAAKXZ +; public: virtual long __cdecl MB_BASE_NOTIFICATION_SINK::QueryInterface(struct _GUID const & __ptr64,void * __ptr64 * __ptr64) __ptr64 +?QueryInterface@MB_BASE_NOTIFICATION_SINK@@UEAAJAEBU_GUID@@PEAPEAX@Z +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned int __cdecl STRA::QuerySize(void)const __ptr64 +?QuerySize@STRA@@QEBAIXZ +; public: void __cdecl ALLOC_CACHE_HANDLER::QueryStats(struct _ALLOC_CACHE_STATISTICS * __ptr64) __ptr64 +?QueryStats@ALLOC_CACHE_HANDLER@@QEAAXPEAU_ALLOC_CACHE_STATISTICS@@@Z +; public: unsigned short * __ptr64 __cdecl MULTISZ::QueryStr(void)const __ptr64 +?QueryStr@MULTISZ@@QEBAPEAGXZ +; public: char * __ptr64 __cdecl MULTISZA::QueryStr(void)const __ptr64 +?QueryStr@MULTISZA@@QEBAPEADXZ +; public: char * __ptr64 __cdecl STRA::QueryStr(void) __ptr64 +?QueryStr@STRA@@QEAAPEADXZ +; public: char const * __ptr64 __cdecl STRA::QueryStr(void)const __ptr64 +?QueryStr@STRA@@QEBAPEBDXZ +; public: unsigned short * __ptr64 __cdecl STRAU::QueryStr(int) __ptr64 +?QueryStr@STRAU@@QEAAPEAGH@Z +; public: unsigned short * __ptr64 __cdecl STRU::QueryStr(void) __ptr64 +?QueryStr@STRU@@QEAAPEAGXZ +; public: unsigned short const * __ptr64 __cdecl STRU::QueryStr(void)const __ptr64 +?QueryStr@STRU@@QEBAPEBGXZ +; public: unsigned short * __ptr64 __cdecl MULTISZ::QueryStrA(void)const __ptr64 +?QueryStrA@MULTISZ@@QEBAPEAGXZ +; public: char * __ptr64 __cdecl STRAU::QueryStrA(void) __ptr64 +?QueryStrA@STRAU@@QEAAPEADXZ +; public: unsigned short * __ptr64 __cdecl STRAU::QueryStrW(void) __ptr64 +?QueryStrW@STRAU@@QEAAPEAGXZ +; public: unsigned long __cdecl MULTISZ::QueryStringCount(void)const __ptr64 +?QueryStringCount@MULTISZ@@QEBAKXZ +; public: unsigned long __cdecl MULTISZA::QueryStringCount(void)const __ptr64 +?QueryStringCount@MULTISZA@@QEBAKXZ +; public: unsigned __int64 __cdecl CEtwTracer::QueryTraceHandle(void) __ptr64 +?QueryTraceHandle@CEtwTracer@@QEAA_KXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<1,1,3,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<2,1,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<3,1,1,1,1,1>::QueueType(void) +?QueueType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<4,1,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<5,2,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<6,2,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<7,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<8,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<9,2,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: bool __cdecl CDataCache::Read(class CDateTime & __ptr64)const __ptr64 +?Read@?$CDataCache@VCDateTime@@@@QEBA_NAEAVCDateTime@@@Z +ReadDwordParameterValueFromAnyService +; public: void __cdecl CCritSec::ReadLock(void) __ptr64 +?ReadLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadLock(void) __ptr64 +?ReadLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ReadLock(void) __ptr64 +?ReadLock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ReadLock(void) __ptr64 +?ReadLock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSpinLock@@QEAAXXZ +; private: long __cdecl IPM_MESSAGE_PIPE::ReadMessage(unsigned long) __ptr64 +?ReadMessage@IPM_MESSAGE_PIPE@@AEAAJK@Z +; public: bool __cdecl CCritSec::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CSpinLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CSpinLock@@QEAA_NXZ +; public: void __cdecl CCritSec::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CCritSec@@QEAAX_N@Z +; public: void __cdecl CFakeLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CFakeLock@@QEAAX_N@Z +; public: void __cdecl CReaderWriterLock3::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CReaderWriterLock3@@QEAAX_N@Z +; public: void __cdecl CSpinLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CSpinLock@@QEAAX_N@Z +ReadRegDword +ReadStringParameterValueFromAnyService +; public: void __cdecl CCritSec::ReadUnlock(void) __ptr64 +?ReadUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::ReadUnlock(void) __ptr64 +?ReadUnlock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSpinLock@@QEAAXXZ +; private: int __cdecl BUFFER::ReallocStorage(unsigned int) __ptr64 +?ReallocStorage@BUFFER@@AEAAHI@Z +; public: void __cdecl MULTISZ::RecalcLen(void) __ptr64 +?RecalcLen@MULTISZ@@QEAAXXZ +; public: void __cdecl MULTISZA::RecalcLen(void) __ptr64 +?RecalcLen@MULTISZA@@QEAAXXZ +; public: void const * __ptr64 __cdecl CLKRHashTable_Iterator::Record(void)const __ptr64 +?Record@CLKRHashTable_Iterator@@QEBAPEBXXZ +; public: void const * __ptr64 __cdecl CLKRLinearHashTable_Iterator::Record(void)const __ptr64 +?Record@CLKRLinearHashTable_Iterator@@QEBAPEBXXZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<1,1,3,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<2,1,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<3,1,1,1,1,1>::Recursion(void) +?Recursion@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<4,1,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<5,2,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<6,2,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<7,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<8,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<9,2,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: unsigned long __cdecl CEtwTracer::Register(struct _GUID const * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?Register@CEtwTracer@@QEAAKPEBU_GUID@@PEAG1@Z +; public: virtual unsigned long __cdecl MB_BASE_NOTIFICATION_SINK::Release(void) __ptr64 +?Release@MB_BASE_NOTIFICATION_SINK@@UEAAKXZ +; public: void __cdecl CSharelock::ReleaseExclusiveLock(void) __ptr64 +?ReleaseExclusiveLock@CSharelock@@QEAAXXZ +; public: void __cdecl CSharelock::ReleaseShareLock(void) __ptr64 +?ReleaseShareLock@CSharelock@@QEAAXXZ +; public: static void __cdecl CDoubleList::RemoveEntry(class CListEntry * __ptr64 const) +?RemoveEntry@CDoubleList@@SAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::RemoveEntry(class CListEntry * __ptr64 const) __ptr64 +?RemoveEntry@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: static void __cdecl ALLOC_CACHE_HANDLER::RemoveItem(class ALLOC_CACHE_HANDLER * __ptr64) +?RemoveItem@ALLOC_CACHE_HANDLER@@SAXPEAV1@@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +RemoveWorkItem +; public: void __cdecl MULTISZ::Reset(void) __ptr64 +?Reset@MULTISZ@@QEAAXXZ +; public: void __cdecl MULTISZA::Reset(void) __ptr64 +?Reset@MULTISZA@@QEAAXXZ +; public: void __cdecl STRA::Reset(void) __ptr64 +?Reset@STRA@@QEAAXXZ +; public: void __cdecl STRAU::Reset(void) __ptr64 +?Reset@STRAU@@QEAAXXZ +; public: void __cdecl STRU::Reset(void) __ptr64 +?Reset@STRU@@QEAAXXZ +; public: static int __cdecl ALLOC_CACHE_HANDLER::ResetLookasideCleanupInterval(void) +?ResetLookasideCleanupInterval@ALLOC_CACHE_HANDLER@@SAHXZ +; public: int __cdecl BUFFER::Resize(unsigned int) __ptr64 +?Resize@BUFFER@@QEAAHI@Z +; public: int __cdecl BUFFER::Resize(unsigned int,unsigned int) __ptr64 +?Resize@BUFFER@@QEAAHII@Z +; public: long __cdecl STRA::Resize(unsigned long) __ptr64 +?Resize@STRA@@QEAAJK@Z +; public: long __cdecl STRU::Resize(unsigned long) __ptr64 +?Resize@STRU@@QEAAJK@Z +; public: int __cdecl STRAU::ResizeW(unsigned long) __ptr64 +?ResizeW@STRAU@@QEAAHK@Z +SAFEIsSpace +SAFEIsXDigit +; public: int __cdecl STRAU::SafeCopy(char const * __ptr64) __ptr64 +?SafeCopy@STRAU@@QEAAHPEBD@Z +; public: int __cdecl STRAU::SafeCopy(unsigned short const * __ptr64) __ptr64 +?SafeCopy@STRAU@@QEAAHPEBG@Z +; public: int __cdecl MB::Save(void) __ptr64 +?Save@MB@@QEAAHXZ +ScheduleAdjustTime +ScheduleWorkItem +SchedulerInitialize +SchedulerTerminate +; public: unsigned short __cdecl CDFTCache::Seconds(void)const __ptr64 +?Seconds@CDFTCache@@QEBAGXZ +; public: void __cdecl W3_TRACE_LOG::SetBlocking(int) __ptr64 +?SetBlocking@W3_TRACE_LOG@@QEAAXH@Z +; public: void __cdecl CLKRHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: void __cdecl W3_TRACE_LOG::SetBuffering(int) __ptr64 +?SetBuffering@W3_TRACE_LOG@@QEAAXH@Z +; public: int __cdecl MB::SetData(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64,unsigned long,unsigned long) __ptr64 +?SetData@MB@@QEAAHPEBGKKKPEAXKK@Z +; public: static void __cdecl CCritSec::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CCritSec@@SAXN@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CFakeLock@@SAXN@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SAXN@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SAXN@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SAXN@Z +; public: static void __cdecl CRtlResource::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CRtlResource@@SAXN@Z +; public: static void __cdecl CShareLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CShareLock@@SAXN@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SAXN@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSpinLock@@SAXN@Z +; public: static void __cdecl CCritSec::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CCritSec@@SAXG@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CFakeLock@@SAXG@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock2@@SAXG@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock3@@SAXG@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock@@SAXG@Z +; public: static void __cdecl CRtlResource::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CRtlResource@@SAXG@Z +; public: static void __cdecl CShareLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CShareLock@@SAXG@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSmallSpinLock@@SAXG@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSpinLock@@SAXG@Z +; public: int __cdecl MB::SetDword(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long) __ptr64 +?SetDword@MB@@QEAAHPEBGKKKK@Z +SetExplicitAccessSettings +; public: int __cdecl STRA::SetLen(unsigned long) __ptr64 +?SetLen@STRA@@QEAAHK@Z +; public: int __cdecl STRAU::SetLen(unsigned long) __ptr64 +?SetLen@STRAU@@QEAAHK@Z +; public: int __cdecl STRU::SetLen(unsigned long) __ptr64 +?SetLen@STRU@@QEAAHK@Z +; public: void __cdecl ASCLOG_DATETIME_CACHE::SetLocalTime(struct _SYSTEMTIME * __ptr64) __ptr64 +?SetLocalTime@ASCLOG_DATETIME_CACHE@@QEAAXPEAU_SYSTEMTIME@@@Z +; public: static int __cdecl ALLOC_CACHE_HANDLER::SetLookasideCleanupInterval(void) +?SetLookasideCleanupInterval@ALLOC_CACHE_HANDLER@@SAHXZ +; public: bool __cdecl CCritSec::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CCritSec@@QEAA_NG@Z +; public: static unsigned long __cdecl CCritSec::SetSpinCount(struct _RTL_CRITICAL_SECTION * __ptr64,unsigned long) +?SetSpinCount@CCritSec@@SAKPEAU_RTL_CRITICAL_SECTION@@K@Z +; public: bool __cdecl CFakeLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CFakeLock@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock2::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock2@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock3::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock3@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock@@QEAA_NG@Z +; public: bool __cdecl CRtlResource::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CRtlResource@@QEAA_NG@Z +; public: bool __cdecl CShareLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CShareLock@@QEAA_NG@Z +; public: bool __cdecl CSmallSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSmallSpinLock@@QEAA_NG@Z +; public: bool __cdecl CSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSpinLock@@QEAA_NG@Z +; public: int __cdecl MB::SetString(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned short const * __ptr64,unsigned long) __ptr64 +?SetString@MB@@QEAAHPEBGKK0K@Z +SetStringParameterValueInAnyService +; public: void __cdecl EXTLOG_DATETIME_CACHE::SetSystemTime(struct _SYSTEMTIME * __ptr64) __ptr64 +?SetSystemTime@EXTLOG_DATETIME_CACHE@@QEAAXPEAU_SYSTEMTIME@@@Z +; public: void __cdecl CLKRHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: int __cdecl CDateTime::SetTime(struct _FILETIME const & __ptr64) __ptr64 +?SetTime@CDateTime@@QEAAHAEBU_FILETIME@@@Z +; public: int __cdecl CDateTime::SetTime(struct _SYSTEMTIME const & __ptr64) __ptr64 +?SetTime@CDateTime@@QEAAHAEBU_SYSTEMTIME@@@Z +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +; public: void __cdecl BUFFER::SetValid(int) __ptr64 +?SetValid@BUFFER@@QEAAXH@Z +; public: virtual long __cdecl MB_BASE_NOTIFICATION_SINK::ShutdownNotify(void) __ptr64 +?ShutdownNotify@MB_BASE_NOTIFICATION_SINK@@UEAAJXZ +; public: virtual long __cdecl MB_BASE_NOTIFICATION_SINK::SinkNotify(unsigned long,struct _MD_CHANGE_OBJECT_W * __ptr64 const) __ptr64 +?SinkNotify@MB_BASE_NOTIFICATION_SINK@@UEAAJKQEAU_MD_CHANGE_OBJECT_W@@@Z +; public: unsigned long __cdecl CLKRHashTable::Size(void)const __ptr64 +?Size@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::Size(void)const __ptr64 +?Size@CLKRLinearHashTable@@QEBAKXZ +SkipTo +SkipWhite +; private: unsigned char __cdecl CSharelock::SleepWaitingForLock(int) __ptr64 +?SleepWaitingForLock@CSharelock@@AEAAEH@Z +StartIISAdminMonitor +; public: long __cdecl MB_BASE_NOTIFICATION_SINK::StartListening(struct IUnknown * __ptr64) __ptr64 +?StartListening@MB_BASE_NOTIFICATION_SINK@@QEAAJPEAUIUnknown@@@Z +StopIISAdminMonitor +; public: long __cdecl MB_BASE_NOTIFICATION_SINK::StopListening(struct IUnknown * __ptr64) __ptr64 +?StopListening@MB_BASE_NOTIFICATION_SINK@@QEAAJPEAUIUnknown@@@Z +; int __cdecl StringTimeToFileTime(char const * __ptr64,union _LARGE_INTEGER * __ptr64) +?StringTimeToFileTime@@YAHPEBDPEAT_LARGE_INTEGER@@@Z +; public: int __cdecl EVENT_LOG::Success(void)const __ptr64 +?Success@EVENT_LOG@@QEBAHXZ +; public: void __cdecl STRA::SyncWithBuffer(void) __ptr64 +?SyncWithBuffer@STRA@@QEAAXXZ +; public: void __cdecl STRU::SyncWithBuffer(void) __ptr64 +?SyncWithBuffer@STRU@@QEAAXXZ +; public: virtual long __cdecl MB_BASE_NOTIFICATION_SINK::SynchronizedShutdownNotify(void) __ptr64 +?SynchronizedShutdownNotify@MB_BASE_NOTIFICATION_SINK@@UEAAJXZ +SystemTimeToGMT +; int __cdecl SystemTimeToGMTEx(struct _SYSTEMTIME const & __ptr64,char * __ptr64,unsigned long,unsigned long) +?SystemTimeToGMTEx@@YAHAEBU_SYSTEMTIME@@PEADKK@Z +; private: static void __cdecl W3_TRACE_LOG_FACTORY::TimerCallback(void * __ptr64,unsigned char) +?TimerCallback@W3_TRACE_LOG_FACTORY@@CAXPEAXE@Z +; public: long __cdecl W3_TRACE_LOG::Trace(unsigned short const * __ptr64,...) __ptr64 +?Trace@W3_TRACE_LOG@@QEAAJPEBGZZ +; public: int __cdecl CEtwTracer::TracePerUrlEnabled(void) __ptr64 +?TracePerUrlEnabled@CEtwTracer@@QEAAHXZ +; public: bool __cdecl CReaderWriterLock3::TryConvertSharedToExclusive(void) __ptr64 +?TryConvertSharedToExclusive@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CCritSec::TryReadLock(void) __ptr64 +?TryReadLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryReadLock(void) __ptr64 +?TryReadLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CRtlResource::TryReadLock(void) __ptr64 +?TryReadLock@CRtlResource@@QEAA_NXZ +; public: bool __cdecl CShareLock::TryReadLock(void) __ptr64 +?TryReadLock@CShareLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSpinLock@@QEAA_NXZ +; public: bool __cdecl CCritSec::TryWriteLock(void) __ptr64 +?TryWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CRtlResource::TryWriteLock(void) __ptr64 +?TryWriteLock@CRtlResource@@QEAA_NXZ +; public: bool __cdecl CShareLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CShareLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSpinLock@@QEAA_NXZ +; long __cdecl UlCleanAndCopyUrl(unsigned char * __ptr64,unsigned long,unsigned long * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64 * __ptr64) +?UlCleanAndCopyUrl@@YAJPEAEKPEAKPEAGPEAPEAG@Z +; public: unsigned long __cdecl CEtwTracer::UnRegister(void) __ptr64 +?UnRegister@CEtwTracer@@QEAAKXZ +; public: void __cdecl W3_TRACE_LOG::Undent(void) __ptr64 +?Undent@W3_TRACE_LOG@@QEAAXXZ +; public: long __cdecl STRA::Unescape(void) __ptr64 +?Unescape@STRA@@QEAAJXZ +; public: long __cdecl STRU::Unescape(void) __ptr64 +?Unescape@STRU@@QEAAJXZ +; private: void __cdecl ALLOC_CACHE_HANDLER::Unlock(void) __ptr64 +?Unlock@ALLOC_CACHE_HANDLER@@AEAAXXZ +; public: void __cdecl CLockedDoubleList::Unlock(void) __ptr64 +?Unlock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Unlock(void) __ptr64 +?Unlock@CLockedSingleList@@QEAAXXZ +; public: void __cdecl TS_RESOURCE::Unlock(void) __ptr64 +?Unlock@TS_RESOURCE@@QEAAXXZ +; public: unsigned char __cdecl CSharelock::UpdateMaxSpins(int) __ptr64 +?UpdateMaxSpins@CSharelock@@QEAAEH@Z +; public: unsigned char __cdecl CSharelock::UpdateMaxUsers(int) __ptr64 +?UpdateMaxUsers@CSharelock@@QEAAEH@Z +; public: bool __cdecl CLKRHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRLinearHashTable@@QEBA_NXZ +; private: void __cdecl BUFFER::VerifyState(void)const __ptr64 +?VerifyState@BUFFER@@AEBAXXZ +WCopyToA +; private: unsigned char __cdecl CSharelock::WaitForExclusiveLock(int) __ptr64 +?WaitForExclusiveLock@CSharelock@@AEAAEH@Z +; private: unsigned char __cdecl CSharelock::WaitForShareLock(int) __ptr64 +?WaitForShareLock@CSharelock@@AEAAEH@Z +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<1,1,3,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<2,1,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<3,1,1,1,1,1>::WaitType(void) +?WaitType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<4,1,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<5,2,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$04$01$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<6,2,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$05$01$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<7,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$06$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<8,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$07$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<9,2,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$08$01$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; private: void __cdecl CSharelock::WakeAllSleepers(void) __ptr64 +?WakeAllSleepers@CSharelock@@AEAAXXZ +; public: bool __cdecl CDataCache::Write(struct DATETIME_FORMAT_ENTRY const & __ptr64) __ptr64 +?Write@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@QEAA_NAEBUDATETIME_FORMAT_ENTRY@@@Z +; public: bool __cdecl CDataCache::Write(class CDateTime const & __ptr64) __ptr64 +?Write@?$CDataCache@VCDateTime@@@@QEAA_NAEBVCDateTime@@@Z +; public: void __cdecl CCritSec::WriteLock(void) __ptr64 +?WriteLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteLock(void) __ptr64 +?WriteLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRLinearHashTable@@QEAAXXZ +; public: void __cdecl CReaderWriterLock2::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::WriteLock(void) __ptr64 +?WriteLock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::WriteLock(void) __ptr64 +?WriteLock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSpinLock@@QEAAXXZ +; public: long __cdecl IPM_MESSAGE_PIPE::WriteMessage(enum IPM_OPCODE,unsigned long,void * __ptr64) __ptr64 +?WriteMessage@IPM_MESSAGE_PIPE@@QEAAJW4IPM_OPCODE@@KPEAX@Z +; public: void __cdecl CCritSec::WriteUnlock(void) __ptr64 +?WriteUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CRtlResource::WriteUnlock(void) __ptr64 +?WriteUnlock@CRtlResource@@QEAAXXZ +; public: void __cdecl CShareLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CShareLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSpinLock@@QEAAXXZ +; protected: void __cdecl CLKRLinearHashTable_Iterator::_AddRef(int)const __ptr64 +?_AddRef@CLKRLinearHashTable_Iterator@@IEBAXH@Z +; private: void __cdecl CLKRLinearHashTable::_AddRefRecord(void const * __ptr64,int)const __ptr64 +?_AddRefRecord@CLKRLinearHashTable@@AEBAXPEBXH@Z +; private: static class CNodeClump * __ptr64 __cdecl CLKRLinearHashTable::_AllocateNodeClump(void) +?_AllocateNodeClump@CLKRLinearHashTable@@CAQEAVCNodeClump@@XZ +; private: class CSegment * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegment(void)const __ptr64 +?_AllocateSegment@CLKRLinearHashTable@@AEBAQEAVCSegment@@XZ +; private: static class CDirEntry * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegmentDirectory(unsigned __int64) +?_AllocateSegmentDirectory@CLKRLinearHashTable@@CAQEAVCDirEntry@@_K@Z +; private: static class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_AllocateSubTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64,bool) +?_AllocateSubTable@CLKRHashTable@@CAQEAVCLKRLinearHashTable@@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAV1@_N@Z +; private: static class CLKRLinearHashTable * __ptr64 * __ptr64 __cdecl CLKRHashTable::_AllocateSubTableArray(unsigned __int64) +?_AllocateSubTableArray@CLKRHashTable@@CAQEAPEAVCLKRLinearHashTable@@_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_Apply@CLKRLinearHashTable@@AEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@AEAW4LK_PREDICATE@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_ApplyIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@AEAW42@@Z +; private: class CBucket * __ptr64 __cdecl CLKRLinearHashTable::_Bucket(unsigned long)const __ptr64 +?_Bucket@CLKRLinearHashTable@@AEBAPEAVCBucket@@K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_BucketAddress(unsigned long)const __ptr64 +?_BucketAddress@CLKRLinearHashTable@@AEBAKK@Z +; private: unsigned long __cdecl CLKRHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRHashTable@@AEBAK_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRLinearHashTable@@AEBAK_K@Z +; private: void __cdecl CLKRLinearHashTable::_Clear(bool) __ptr64 +?_Clear@CLKRLinearHashTable@@AEAAX_N@Z +; private: bool __cdecl CReaderWriterLock2::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock2@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock3::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock3@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock@@AEAA_NJJ@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Contract(void) __ptr64 +?_Contract@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: static long __cdecl CReaderWriterLock3::_CurrentThreadId(void) +?_CurrentThreadId@CReaderWriterLock3@@CAJXZ +; private: static long __cdecl CSmallSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSmallSpinLock@@CAJXZ +; private: static long __cdecl CSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSpinLock@@CAJXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_PREDICATE & __ptr64) __ptr64 +?_DeleteIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1AEAW42@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteKey(unsigned __int64,unsigned long) __ptr64 +?_DeleteKey@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@_KK@Z +; private: bool __cdecl CLKRLinearHashTable::_DeleteNode(class CBucket * __ptr64,class CNodeClump * __ptr64 & __ptr64,class CNodeClump * __ptr64 & __ptr64,int & __ptr64) __ptr64 +?_DeleteNode@CLKRLinearHashTable@@AEAA_NPEAVCBucket@@AEAPEAVCNodeClump@@1AEAH@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteRecord(void const * __ptr64,unsigned long) __ptr64 +?_DeleteRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK@Z +; private: bool __cdecl CLKRLinearHashTable::_EqualKeys(unsigned __int64,unsigned __int64)const __ptr64 +?_EqualKeys@CLKRLinearHashTable@@AEBA_N_K0@Z +; private: bool __cdecl CLKRLinearHashTable::_Erase(class CLKRLinearHashTable_Iterator & __ptr64,unsigned long) __ptr64 +?_Erase@CLKRLinearHashTable@@AEAA_NAEAVCLKRLinearHashTable_Iterator@@K@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Expand(void) __ptr64 +?_Expand@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: unsigned __int64 const __cdecl CLKRHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRHashTable@@AEBA?B_KPEBX@Z +; private: unsigned __int64 const __cdecl CLKRLinearHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRLinearHashTable@@AEBA?B_KPEBX@Z +; private: class CBucket * __ptr64 __cdecl CLKRLinearHashTable::_FindBucket(unsigned long,bool)const __ptr64 +?_FindBucket@CLKRLinearHashTable@@AEBAPEAVCBucket@@K_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindKey(unsigned __int64,unsigned long,void const * __ptr64 * __ptr64,class CLKRLinearHashTable_Iterator * __ptr64)const __ptr64 +?_FindKey@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@_KKPEAPEBXPEAVCLKRLinearHashTable_Iterator@@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindRecord(void const * __ptr64,unsigned long)const __ptr64 +?_FindRecord@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@PEBXK@Z +; private: static bool __cdecl CLKRLinearHashTable::_FreeNodeClump(class CNodeClump * __ptr64) +?_FreeNodeClump@CLKRLinearHashTable@@CA_NPEAVCNodeClump@@@Z +; private: bool __cdecl CLKRLinearHashTable::_FreeSegment(class CSegment * __ptr64)const __ptr64 +?_FreeSegment@CLKRLinearHashTable@@AEBA_NPEAVCSegment@@@Z +; private: bool __cdecl CLKRLinearHashTable::_FreeSegmentDirectory(void) __ptr64 +?_FreeSegmentDirectory@CLKRLinearHashTable@@AEAA_NXZ +; private: static bool __cdecl CLKRHashTable::_FreeSubTable(class CLKRLinearHashTable * __ptr64) +?_FreeSubTable@CLKRHashTable@@CA_NPEAVCLKRLinearHashTable@@@Z +; private: static bool __cdecl CLKRHashTable::_FreeSubTableArray(class CLKRLinearHashTable * __ptr64 * __ptr64) +?_FreeSubTableArray@CLKRHashTable@@CA_NPEAPEAVCLKRLinearHashTable@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long)const __ptr64 +?_H0@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long,unsigned long) +?_H0@CLKRLinearHashTable@@CAKKK@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long)const __ptr64 +?_H1@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long,unsigned long) +?_H1@CLKRLinearHashTable@@CAKKK@Z +; protected: bool __cdecl CLKRHashTable_Iterator::_Increment(bool) __ptr64 +?_Increment@CLKRHashTable_Iterator@@IEAA_N_N@Z +; protected: bool __cdecl CLKRLinearHashTable_Iterator::_Increment(bool) __ptr64 +?_Increment@CLKRLinearHashTable_Iterator@@IEAA_N_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Initialize(unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),char const * __ptr64,double,unsigned long) __ptr64 +?_Initialize@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@P6A?B_KPEBX@ZP6AK_K@ZP6A_N22@ZP6AX0H@ZPEBDNK@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_InsertRecord(void const * __ptr64,unsigned long,bool,class CLKRLinearHashTable_Iterator * __ptr64) __ptr64 +?_InsertRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK_NPEAVCLKRLinearHashTable_Iterator@@@Z +; private: void __cdecl CLKRHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: bool __cdecl CSpinLock::_IsLocked(void)const __ptr64 +?_IsLocked@CSpinLock@@AEBA_NXZ +; private: int __cdecl CLKRLinearHashTable::_IsNodeCompact(class CBucket * __ptr64 const)const __ptr64 +?_IsNodeCompact@CLKRLinearHashTable@@AEBAHQEAVCBucket@@@Z +; private: bool __cdecl CLKRHashTable::_IsValidIterator(class CLKRHashTable_Iterator const & __ptr64)const __ptr64 +?_IsValidIterator@CLKRHashTable@@AEBA_NAEBVCLKRHashTable_Iterator@@@Z +; private: bool __cdecl CLKRLinearHashTable::_IsValidIterator(class CLKRLinearHashTable_Iterator const & __ptr64)const __ptr64 +?_IsValidIterator@CLKRLinearHashTable@@AEBA_NAEBVCLKRLinearHashTable_Iterator@@@Z +; private: void __cdecl CSpinLock::_Lock(void) __ptr64 +?_Lock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock2@@AEAAX_N@Z +; private: void __cdecl CReaderWriterLock3::_LockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_LockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock@@AEAAX_N@Z +; private: void __cdecl CSmallSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSmallSpinLock@@AEAAXXZ +; private: void __cdecl CSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSpinLock@@AEAAXXZ +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_MergeRecordSets(class CBucket * __ptr64,class CNodeClump * __ptr64,class CNodeClump * __ptr64) __ptr64 +?_MergeRecordSets@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCBucket@@PEAVCNodeClump@@1@Z +; private: static enum LK_PREDICATE __cdecl CLKRLinearHashTable::_PredTrue(void const * __ptr64,void * __ptr64) +?_PredTrue@CLKRLinearHashTable@@CA?AW4LK_PREDICATE@@PEBXPEAX@Z +; private: void __cdecl CReaderWriterLock2::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_ReadLockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_ReadLockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock@@AEAAXXZ +; protected: static void __cdecl CDataCache::_ReadMemoryBarrier(void) +?_ReadMemoryBarrier@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@KAXXZ +; protected: static void __cdecl CDataCache::_ReadMemoryBarrier(void) +?_ReadMemoryBarrier@?$CDataCache@VCDateTime@@@@KAXXZ +; private: bool __cdecl CLKRLinearHashTable::_ReadOrWriteLock(void)const __ptr64 +?_ReadOrWriteLock@CLKRLinearHashTable@@AEBA_NXZ +; private: void __cdecl CLKRLinearHashTable::_ReadOrWriteUnlock(bool)const __ptr64 +?_ReadOrWriteUnlock@CLKRLinearHashTable@@AEBAX_N@Z +; protected: long __cdecl CDataCache::_ReadSequence(void)const __ptr64 +?_ReadSequence@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@IEBAJXZ +; protected: long __cdecl CDataCache::_ReadSequence(void)const __ptr64 +?_ReadSequence@?$CDataCache@VCDateTime@@@@IEBAJXZ +; private: void __cdecl CLKRHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_SegIndex(unsigned long)const __ptr64 +?_SegIndex@CLKRLinearHashTable@@AEBAKK@Z +; private: class CSegment * __ptr64 & __ptr64 __cdecl CLKRLinearHashTable::_Segment(unsigned long)const __ptr64 +?_Segment@CLKRLinearHashTable@@AEBAAEAPEAVCSegment@@K@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_SetSegVars(enum LK_TABLESIZE,unsigned long) __ptr64 +?_SetSegVars@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@W4LK_TABLESIZE@@K@Z +; protected: long __cdecl CDataCache::_SetSequence(long) __ptr64 +?_SetSequence@?$CDataCache@UDATETIME_FORMAT_ENTRY@@@@IEAAJJ@Z +; protected: long __cdecl CDataCache::_SetSequence(long) __ptr64 +?_SetSequence@?$CDataCache@VCDateTime@@@@IEAAJJ@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_SplitRecordSet(class CNodeClump * __ptr64,class CNodeClump * __ptr64,unsigned long,unsigned long,unsigned long,class CNodeClump * __ptr64) __ptr64 +?_SplitRecordSet@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCNodeClump@@0KKK0@Z +; private: class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_SubTable(unsigned long)const __ptr64 +?_SubTable@CLKRHashTable@@AEBAPEAVCLKRLinearHashTable@@K@Z +; private: int __cdecl CLKRHashTable::_SubTableIndex(class CLKRLinearHashTable * __ptr64)const __ptr64 +?_SubTableIndex@CLKRHashTable@@AEBAHPEAVCLKRLinearHashTable@@@Z +; private: bool __cdecl CSmallSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSmallSpinLock@@AEAA_NXZ +; private: bool __cdecl CSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSpinLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock2@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLockRecursive(void) __ptr64 +?_TryReadLockRecursive@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock2(void) __ptr64 +?_TryWriteLock2@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock2@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock3@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock::_TryWriteLock(void) __ptr64 +?_TryWriteLock@CReaderWriterLock@@AEAA_NXZ +; private: void __cdecl CSpinLock::_Unlock(void) __ptr64 +?_Unlock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock3@@AEAAXXZ +; private: void __cdecl CReaderWriterLock::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock@@AEAAXXZ +; long const * const `public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void)'::`2'::s_aBucketSizes +?s_aBucketSizes@?1??BucketSizes@CLKRHashTableStats@@SAPEBJXZ@4QBJB +; private: static struct _RTL_CRITICAL_SECTION ALLOC_CACHE_HANDLER::sm_csItems +?sm_csItems@ALLOC_CACHE_HANDLER@@0U_RTL_CRITICAL_SECTION@@A DATA +; protected: static double CCritSec::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CCritSec@@1NA DATA +; protected: static double CFakeLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CFakeLock@@1NA DATA +; protected: static double CReaderWriterLock2::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock2@@1NA DATA +; protected: static double CReaderWriterLock3::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock3@@1NA DATA +; protected: static double CReaderWriterLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock@@1NA DATA +; protected: static double CRtlResource::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CRtlResource@@1NA DATA +; protected: static double CShareLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CShareLock@@1NA DATA +; protected: static double CSmallSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSmallSpinLock@@1NA DATA +; protected: static double CSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSpinLock@@1NA DATA +; private: static int ALLOC_CACHE_HANDLER::sm_fInitCsItems +?sm_fInitCsItems@ALLOC_CACHE_HANDLER@@0HA DATA +; private: static void * __ptr64 __ptr64 ALLOC_CACHE_HANDLER::sm_hTimer +?sm_hTimer@ALLOC_CACHE_HANDLER@@0PEAXEA DATA +; private: static struct _LIST_ENTRY ALLOC_CACHE_HANDLER::sm_lItemsHead +?sm_lItemsHead@ALLOC_CACHE_HANDLER@@0U_LIST_ENTRY@@A DATA +; private: static class CLockedDoubleList CLKRHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRHashTable@@0VCLockedDoubleList@@A DATA +; private: static class CLockedDoubleList CLKRLinearHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRLinearHashTable@@0VCLockedDoubleList@@A DATA +; private: static long ALLOC_CACHE_HANDLER::sm_nFillPattern +?sm_nFillPattern@ALLOC_CACHE_HANDLER@@0JA DATA +; protected: static class ALLOC_CACHE_HANDLER * __ptr64 __ptr64 CLKRLinearHashTable::sm_palloc +?sm_palloc@CLKRLinearHashTable@@1PEAVALLOC_CACHE_HANDLER@@EA DATA +; protected: static unsigned short CCritSec::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CCritSec@@1GA DATA +; protected: static unsigned short CFakeLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CFakeLock@@1GA DATA +; protected: static unsigned short CReaderWriterLock2::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock2@@1GA DATA +; protected: static unsigned short CReaderWriterLock3::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock3@@1GA DATA +; protected: static unsigned short CReaderWriterLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock@@1GA DATA +; protected: static unsigned short CRtlResource::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CRtlResource@@1GA DATA +; protected: static unsigned short CShareLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CShareLock@@1GA DATA +; protected: static unsigned short CSmallSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSmallSpinLock@@1GA DATA +; protected: static unsigned short CSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSpinLock@@1GA DATA +uudecode +uuencode +CreateRefTraceLog +CreateTraceLog +DestroyRefTraceLog +DestroyTraceLog +GetAllocCounters +GetCurrentTimeInSeconds +IISGetCurrentTime +IISGetPlatformType +IISInitializeCriticalSection +IISSetCriticalSectionSpinCount +InetAcquireResourceExclusive +InetAcquireResourceShared +InetConvertExclusiveToShared +InetConvertSharedToExclusive +InetDeleteResource +InetInitializeResource +InetReleaseResource +InitializeIISUtil +IrtlTrace +IsValidAddress +IsValidString +PuCloseDbgMemoryLog +PuCloseDbgPrintFile +PuCreateDebugPrintsObject +PuDbgAssertFailed +PuDbgCaptureContext +PuDbgCreateEvent +PuDbgCreateMutex +PuDbgCreateSemaphore +PuDbgDump +PuDbgPrint +PuDbgPrintCurrentTime +PuDbgPrintError +PuDeleteDebugPrintsObject +PuGetDbgOutputFlags +PuLoadDebugFlagsFromReg +PuLoadDebugFlagsFromRegStr +PuOpenDbgMemoryLog +PuOpenDbgPrintFile +PuReOpenDbgPrintFile +PuSaveDebugFlagsInReg +PuSetDbgOutputFlags +ResetTraceLog +TerminateIISUtil +WriteRefTraceLog +WriteRefTraceLogEx +WriteTraceLog diff --git a/lib/libc/mingw/lib64/iiswmi.def b/lib/libc/mingw/lib64/iiswmi.def new file mode 100644 index 0000000000..a1504eff52 --- /dev/null +++ b/lib/libc/mingw/lib64/iiswmi.def @@ -0,0 +1,13 @@ +; +; Exports of file IISPROV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IISPROV.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +DoMofComp diff --git a/lib/libc/mingw/lib64/imeshare.def b/lib/libc/mingw/lib64/imeshare.def new file mode 100644 index 0000000000..a16b088cef --- /dev/null +++ b/lib/libc/mingw/lib64/imeshare.def @@ -0,0 +1,38 @@ +; +; Exports of file imeshare.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imeshare.dll +EXPORTS +DllMain +FInitIMEShare +EndIMEShare +FRefreshStyle +FSupportSty +PIMEStyleFromAttr +PColorStyleTextFromIMEStyle +PColorStyleBackFromIMEStyle +FBoldIMEStyle +FItalicIMEStyle +FUlIMEStyle +GrfStyIMEStyle +IdUlIMEStyle +FGetIMEStyleAttr +FSetIMEStyleAttr +FWinIMEColorStyle +FFundamentalIMEColorStyle +FRGBIMEColorStyle +FSpecialIMEColorStyle +IdSpecialFromIMEColorStyle +IdWinFromIMEColorStyle +IdFundamentalFromIMEColorStyle +RGBFromIMEColorStyle +FSetIMEColorStyle +FSetIMEStyle +FSpecialTextIMEColorStyle +FSpecialWindowIMEColorStyle +CustomizeIMEShare +FSaveIMEShareSetting +PIMEShareCreate diff --git a/lib/libc/mingw/lib64/imjp81k.def b/lib/libc/mingw/lib64/imjp81k.def new file mode 100644 index 0000000000..c6509dc810 --- /dev/null +++ b/lib/libc/mingw/lib64/imjp81k.def @@ -0,0 +1,37 @@ +; +; Exports of file imjp81k.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imjp81k.dll +EXPORTS +DllCanUnloadNowDone +CheckFileType +CleanDicThreadFunc +CreateIFECommonInstance +CreateIFEDictionary2Instance +CreateIFEDictionaryInstance +CreateIFELanguageInstance +CreateIImeIPointInstance +CreateIImeKbdInstance +CreateIImeKnlDictInstance +CreateIRegManInstance +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +KnlClose +KnlInit +KnlOpen +KnlTerm +LoadTipConfig +OurCoCreateInstance +OurCoTaskMemAlloc +OurCoTaskMemFree +OurCoTaskMemRealloc +OurStringFromGUID2 +RgSetGakusyuu +ShutdownKnlDll +UnLoadOurOle32 +reload_config diff --git a/lib/libc/mingw/lib64/imjpcus.def b/lib/libc/mingw/lib64/imjpcus.def new file mode 100644 index 0000000000..cf37f7d74e --- /dev/null +++ b/lib/libc/mingw/lib64/imjpcus.def @@ -0,0 +1,10 @@ +; +; Exports of file imejpcus.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imejpcus.dll +EXPORTS +OpenDetailDialog +DllMain diff --git a/lib/libc/mingw/lib64/imjpdct.def b/lib/libc/mingw/lib64/imjpdct.def new file mode 100644 index 0000000000..2b2bde1a35 --- /dev/null +++ b/lib/libc/mingw/lib64/imjpdct.def @@ -0,0 +1,10 @@ +; +; Exports of file imedic.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imedic.dll +EXPORTS +OpenDicTool +OpenRegisterWord diff --git a/lib/libc/mingw/lib64/imjputyc.def b/lib/libc/mingw/lib64/imjputyc.def new file mode 100644 index 0000000000..4393770379 --- /dev/null +++ b/lib/libc/mingw/lib64/imjputyc.def @@ -0,0 +1,12 @@ +; +; Exports of file imjputyc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imjputyc.dll +EXPORTS +AutoCorrLbSubWndProc +DllMain +OpenImeTool +OpenUty diff --git a/lib/libc/mingw/lib64/imsinsnt.def b/lib/libc/mingw/lib64/imsinsnt.def new file mode 100644 index 0000000000..428c477ae2 --- /dev/null +++ b/lib/libc/mingw/lib64/imsinsnt.def @@ -0,0 +1,9 @@ +; +; Exports of file IMSINSNT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IMSINSNT.dll +EXPORTS +OcEntry diff --git a/lib/libc/mingw/lib64/imskdic.def b/lib/libc/mingw/lib64/imskdic.def new file mode 100644 index 0000000000..6ad133de89 --- /dev/null +++ b/lib/libc/mingw/lib64/imskdic.def @@ -0,0 +1,13 @@ +; +; Exports of file imeskdic.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY imeskdic.dll +EXPORTS +CreateIImeSkdicInstance +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/inetcfg.def b/lib/libc/mingw/lib64/inetcfg.def new file mode 100644 index 0000000000..18af9c024b --- /dev/null +++ b/lib/libc/mingw/lib64/inetcfg.def @@ -0,0 +1,61 @@ +; +; Exports of file INETCFG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY INETCFG.dll +EXPORTS +CheckConnectionWizard +ConfigureSystemForInternet +ConfigureSystemForInternetA +ConfigureSystemForInternetW +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +FreeSignupWizard +InetConfigClient +InetConfigClientA +InetConfigClientW +InetConfigSystem +InetConfigSystemFromPath +InetConfigSystemFromPathA +InetConfigSystemFromPathW +InetGetAutodial +InetGetAutodialA +InetGetAutodialW +InetGetClientInfo +InetGetClientInfoA +InetGetClientInfoW +InetGetProxy +InetGetProxyA +InetGetProxyW +InetNeedModem +InetNeedSystemComponents +InetPerformSecurityCheck +InetSetAutodial +InetSetAutodialA +InetSetAutodialW +InetSetClientInfo +InetSetClientInfoA +InetSetClientInfoW +InetSetProxy +InetSetProxyA +InetSetProxyEx +InetSetProxyExA +InetSetProxyExW +InetSetProxyW +InetStartServices +IsSmartStart +IsSmartStartEx +LaunchSignupWizard +LaunchSignupWizardEx +SetAutoProxyConnectoid +SetInternetPhoneNumber +SetInternetPhoneNumberA +SetInternetPhoneNumberW +SetShellNext +SetShellNextA +SetShellNextW +_LaunchSignupWizardEx diff --git a/lib/libc/mingw/lib64/infoadmn.def b/lib/libc/mingw/lib64/infoadmn.def new file mode 100644 index 0000000000..cf415dda4f --- /dev/null +++ b/lib/libc/mingw/lib64/infoadmn.def @@ -0,0 +1,26 @@ +; +; Exports of file INFOADMN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY INFOADMN.dll +EXPORTS +CollectW3PerfData +FtpClearStatistics2 +FtpQueryStatistics2 +IISDisconnectUser +IISEnumerateUsers +InetInfoClearStatistics +InetInfoFlushMemoryCache +InetInfoGetAdminInformation +InetInfoGetGlobalAdminInformation +InetInfoGetServerCapabilities +InetInfoGetSites +InetInfoGetVersion +InetInfoQueryStatistics +InetInfoSetAdminInformation +InetInfoSetGlobalAdminInformation +InitW3CounterStructure +W3ClearStatistics2 +W3QueryStatistics2 diff --git a/lib/libc/mingw/lib64/infocomm.def b/lib/libc/mingw/lib64/infocomm.def new file mode 100644 index 0000000000..350704a4d2 --- /dev/null +++ b/lib/libc/mingw/lib64/infocomm.def @@ -0,0 +1,1173 @@ +; +; Exports of file INFOCOMM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY INFOCOMM.dll +EXPORTS +; public: __cdecl COMMON_METADATA::COMMON_METADATA(void) __ptr64 +??0COMMON_METADATA@@QEAA@XZ +; public: __cdecl HASH_TABLE::HASH_TABLE(class HASH_TABLE const & __ptr64) __ptr64 +??0HASH_TABLE@@QEAA@AEBV0@@Z +; public: __cdecl HT_ELEMENT::HT_ELEMENT(class HT_ELEMENT const & __ptr64) __ptr64 +??0HT_ELEMENT@@QEAA@AEBV0@@Z +; public: __cdecl HT_ELEMENT::HT_ELEMENT(void) __ptr64 +??0HT_ELEMENT@@QEAA@XZ +; public: __cdecl IIS_CTL::IIS_CTL(class IIS_CTL const & __ptr64) __ptr64 +??0IIS_CTL@@QEAA@AEBV0@@Z +; public: __cdecl IIS_CTL::IIS_CTL(struct IMDCOM * __ptr64,char * __ptr64) __ptr64 +??0IIS_CTL@@QEAA@PEAUIMDCOM@@PEAD@Z +; public: __cdecl IIS_SERVER_BINDING::IIS_SERVER_BINDING(unsigned long,unsigned short,char const * __ptr64,class IIS_ENDPOINT * __ptr64) __ptr64 +??0IIS_SERVER_BINDING@@QEAA@KGPEBDPEAVIIS_ENDPOINT@@@Z +; public: __cdecl IIS_SERVER_CERT::IIS_SERVER_CERT(class IIS_SERVER_CERT const & __ptr64) __ptr64 +??0IIS_SERVER_CERT@@QEAA@AEBV0@@Z +; public: __cdecl IIS_SERVER_CERT::IIS_SERVER_CERT(struct IMDCOM * __ptr64,char * __ptr64) __ptr64 +??0IIS_SERVER_CERT@@QEAA@PEAUIMDCOM@@PEAD@Z +; public: __cdecl IIS_SERVER_INSTANCE::IIS_SERVER_INSTANCE(class IIS_SERVICE * __ptr64,unsigned long,unsigned short,char const * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,int) __ptr64 +??0IIS_SERVER_INSTANCE@@QEAA@PEAVIIS_SERVICE@@KGPEBDPEAG2H@Z +; public: __cdecl IIS_SERVICE::IIS_SERVICE(class IIS_SERVICE const & __ptr64) __ptr64 +??0IIS_SERVICE@@QEAA@AEBV0@@Z +; public: __cdecl IIS_SERVICE::IIS_SERVICE(char const * __ptr64,char const * __ptr64,char const * __ptr64,unsigned long,unsigned __int64,int,unsigned long,void (__cdecl*)(unsigned __int64,struct sockaddr_in * __ptr64,void * __ptr64,void * __ptr64),void (__cdecl*)(void * __ptr64,unsigned long,unsigned long,struct _OVERLAPPED * __ptr64),void (__cdecl*)(void * __ptr64,unsigned long,unsigned long,struct _OVERLAPPED * __ptr64)) __ptr64 +??0IIS_SERVICE@@QEAA@PEBD00K_KHKP6AX1PEAUsockaddr_in@@PEAX3@ZP6AX3KKPEAU_OVERLAPPED@@@Z6@Z +; public: __cdecl IIS_SSL_INFO::IIS_SSL_INFO(class IIS_SSL_INFO const & __ptr64) __ptr64 +??0IIS_SSL_INFO@@QEAA@AEBV0@@Z +; public: __cdecl IIS_SSL_INFO::IIS_SSL_INFO(char * __ptr64,struct IMDCOM * __ptr64) __ptr64 +??0IIS_SSL_INFO@@QEAA@PEADPEAUIMDCOM@@@Z +; public: __cdecl IIS_VROOT_TABLE::IIS_VROOT_TABLE(void) __ptr64 +??0IIS_VROOT_TABLE@@QEAA@XZ +; public: __cdecl INET_PARSER::INET_PARSER(char * __ptr64) __ptr64 +??0INET_PARSER@@QEAA@PEAD@Z +; public: __cdecl LOGGING::LOGGING(class LOGGING const & __ptr64) __ptr64 +??0LOGGING@@QEAA@AEBV0@@Z +; public: __cdecl LOGGING::LOGGING(void) __ptr64 +??0LOGGING@@QEAA@XZ +; public: __cdecl MB::MB(struct IMDCOM * __ptr64) __ptr64 +??0MB@@QEAA@PEAUIMDCOM@@@Z +; public: __cdecl MIME_MAP::MIME_MAP(void) __ptr64 +??0MIME_MAP@@QEAA@XZ +; public: __cdecl ODBC_CONNECTION::ODBC_CONNECTION(void) __ptr64 +??0ODBC_CONNECTION@@QEAA@XZ +; public: __cdecl ODBC_PARAMETER::ODBC_PARAMETER(unsigned short,short,short,short,unsigned long) __ptr64 +??0ODBC_PARAMETER@@QEAA@GFFFK@Z +; public: __cdecl RefBlob::RefBlob(void) __ptr64 +??0RefBlob@@QEAA@XZ +; public: __cdecl STORE_CHANGE_NOTIFIER::STORE_CHANGE_NOTIFIER(void) __ptr64 +??0STORE_CHANGE_NOTIFIER@@QEAA@XZ +; public: __cdecl TCP_AUTHENT::TCP_AUTHENT(unsigned long) __ptr64 +??0TCP_AUTHENT@@QEAA@K@Z +; public: virtual __cdecl COMMON_METADATA::~COMMON_METADATA(void) __ptr64 +??1COMMON_METADATA@@UEAA@XZ +; public: virtual __cdecl HASH_TABLE::~HASH_TABLE(void) __ptr64 +??1HASH_TABLE@@UEAA@XZ +; public: virtual __cdecl HT_ELEMENT::~HT_ELEMENT(void) __ptr64 +??1HT_ELEMENT@@UEAA@XZ +; public: __cdecl IIS_CTL::~IIS_CTL(void) __ptr64 +??1IIS_CTL@@QEAA@XZ +; public: __cdecl IIS_ENDPOINT::~IIS_ENDPOINT(void) __ptr64 +??1IIS_ENDPOINT@@QEAA@XZ +; public: __cdecl IIS_SERVER_BINDING::~IIS_SERVER_BINDING(void) __ptr64 +??1IIS_SERVER_BINDING@@QEAA@XZ +; public: __cdecl IIS_SERVER_CERT::~IIS_SERVER_CERT(void) __ptr64 +??1IIS_SERVER_CERT@@QEAA@XZ +; public: virtual __cdecl IIS_SERVER_INSTANCE::~IIS_SERVER_INSTANCE(void) __ptr64 +??1IIS_SERVER_INSTANCE@@UEAA@XZ +; protected: virtual __cdecl IIS_SERVICE::~IIS_SERVICE(void) __ptr64 +??1IIS_SERVICE@@MEAA@XZ +; public: __cdecl IIS_SSL_INFO::~IIS_SSL_INFO(void) __ptr64 +??1IIS_SSL_INFO@@QEAA@XZ +; public: __cdecl IIS_VROOT_TABLE::~IIS_VROOT_TABLE(void) __ptr64 +??1IIS_VROOT_TABLE@@QEAA@XZ +; public: __cdecl INET_PARSER::~INET_PARSER(void) __ptr64 +??1INET_PARSER@@QEAA@XZ +; public: __cdecl LOGGING::~LOGGING(void) __ptr64 +??1LOGGING@@QEAA@XZ +; public: __cdecl MB::~MB(void) __ptr64 +??1MB@@QEAA@XZ +; public: __cdecl ODBC_CONNECTION::~ODBC_CONNECTION(void) __ptr64 +??1ODBC_CONNECTION@@QEAA@XZ +; public: __cdecl ODBC_PARAMETER::~ODBC_PARAMETER(void) __ptr64 +??1ODBC_PARAMETER@@QEAA@XZ +; public: __cdecl ODBC_STATEMENT::~ODBC_STATEMENT(void) __ptr64 +??1ODBC_STATEMENT@@QEAA@XZ +; public: __cdecl RefBlob::~RefBlob(void) __ptr64 +??1RefBlob@@QEAA@XZ +; public: __cdecl STORE_CHANGE_NOTIFIER::~STORE_CHANGE_NOTIFIER(void) __ptr64 +??1STORE_CHANGE_NOTIFIER@@QEAA@XZ +; public: __cdecl TCP_AUTHENT::~TCP_AUTHENT(void) __ptr64 +??1TCP_AUTHENT@@QEAA@XZ +; public: class HASH_TABLE & __ptr64 __cdecl HASH_TABLE::operator=(class HASH_TABLE const & __ptr64) __ptr64 +??4HASH_TABLE@@QEAAAEAV0@AEBV0@@Z +; public: class HT_ELEMENT & __ptr64 __cdecl HT_ELEMENT::operator=(class HT_ELEMENT const & __ptr64) __ptr64 +??4HT_ELEMENT@@QEAAAEAV0@AEBV0@@Z +; public: class IIS_CTL & __ptr64 __cdecl IIS_CTL::operator=(class IIS_CTL const & __ptr64) __ptr64 +??4IIS_CTL@@QEAAAEAV0@AEBV0@@Z +; public: class IIS_SERVER_CERT & __ptr64 __cdecl IIS_SERVER_CERT::operator=(class IIS_SERVER_CERT const & __ptr64) __ptr64 +??4IIS_SERVER_CERT@@QEAAAEAV0@AEBV0@@Z +; public: class IIS_SERVICE & __ptr64 __cdecl IIS_SERVICE::operator=(class IIS_SERVICE const & __ptr64) __ptr64 +??4IIS_SERVICE@@QEAAAEAV0@AEBV0@@Z +; public: class IIS_SSL_INFO & __ptr64 __cdecl IIS_SSL_INFO::operator=(class IIS_SSL_INFO const & __ptr64) __ptr64 +??4IIS_SSL_INFO@@QEAAAEAV0@AEBV0@@Z +; public: class LOGGING & __ptr64 __cdecl LOGGING::operator=(class LOGGING const & __ptr64) __ptr64 +??4LOGGING@@QEAAAEAV0@AEBV0@@Z +; public: class TSVC_CACHE & __ptr64 __cdecl TSVC_CACHE::operator=(class TSVC_CACHE const & __ptr64) __ptr64 +??4TSVC_CACHE@@QEAAAEAV0@AEBV0@@Z +; public: void __cdecl INET_PARSER::operator+=(int) __ptr64 +??YINET_PARSER@@QEAAXH@Z +; const HASH_TABLE::`vftable' +??_7HASH_TABLE@@6B@ +; const HT_ELEMENT::`vftable' +??_7HT_ELEMENT@@6B@ +; const IIS_SERVER_INSTANCE::`vftable' +??_7IIS_SERVER_INSTANCE@@6B@ +; const IIS_SERVICE::`vftable' +??_7IIS_SERVICE@@6B@ +; public: int __cdecl TS_OPEN_FILE_INFO::AccessCheck(void * __ptr64,int) __ptr64 +?AccessCheck@TS_OPEN_FILE_INFO@@QEAAHPEAXH@Z +; public: void __cdecl IIS_SERVER_INSTANCE::AcquireFastLock(void) __ptr64 +?AcquireFastLock@IIS_SERVER_INSTANCE@@QEAAXXZ +; private: static void __cdecl IIS_SERVICE::AcquireGlobalLock(void) +?AcquireGlobalLock@IIS_SERVICE@@CAXXZ +; public: void __cdecl IIS_SERVICE::AcquireServiceLock(int) __ptr64 +?AcquireServiceLock@IIS_SERVICE@@QEAAXH@Z +; private: void __cdecl LOGGING::ActOnChange(void) __ptr64 +?ActOnChange@LOGGING@@AEAAXXZ +; public: int __cdecl LOGGING::ActivateLogging(char const * __ptr64,unsigned long,char const * __ptr64,void * __ptr64) __ptr64 +?ActivateLogging@LOGGING@@QEAAHPEBDK0PEAX@Z +; protected: int __cdecl IIS_SERVICE::AddInstanceInfoHelper(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?AddInstanceInfoHelper@IIS_SERVICE@@IEAAHPEAVIIS_SERVER_INSTANCE@@@Z +; private: int __cdecl MIME_MAP::AddMimeMapEntry(class MIME_MAP_ENTRY * __ptr64) __ptr64 +?AddMimeMapEntry@MIME_MAP@@AEAAHPEAVMIME_MAP_ENTRY@@@Z +; public: int __cdecl MB::AddObject(char const * __ptr64) __ptr64 +?AddObject@MB@@QEAAHPEBD@Z +; public: void __cdecl RefBlob::AddRef(void) __ptr64 +?AddRef@RefBlob@@QEAAXXZ +; private: static void __cdecl IIS_VROOT_TABLE::AddRefRecord(void const * __ptr64,int) +?AddRefRecord@IIS_VROOT_TABLE@@CAXPEBXH@Z +; public: int __cdecl IIS_SERVICE::AddServerInstance(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?AddServerInstance@IIS_SERVICE@@QEAAHPEAVIIS_SERVER_INSTANCE@@@Z +; public: int __cdecl IIS_VROOT_TABLE::AddVirtualRoot(char * __ptr64,char * __ptr64,unsigned long,char * __ptr64,void * __ptr64,unsigned long,int) __ptr64 +?AddVirtualRoot@IIS_VROOT_TABLE@@QEAAHPEAD0K0PEAXKH@Z +; public: void __cdecl IIS_SERVICE::AdvertiseServiceInformationInMB(void) __ptr64 +?AdvertiseServiceInformationInMB@IIS_SERVICE@@QEAAXXZ +; public: class ODBC_STATEMENT * __ptr64 __cdecl ODBC_CONNECTION::AllocStatement(void) __ptr64 +?AllocStatement@ODBC_CONNECTION@@QEAAPEAVODBC_STATEMENT@@XZ +; public: int __cdecl INET_PARSER::AppendToEOL(class STR * __ptr64,int) __ptr64 +?AppendToEOL@INET_PARSER@@QEAAHPEAVSTR@@H@Z +; public: int __cdecl IIS_SERVICE::AssociateInstance(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?AssociateInstance@IIS_SERVICE@@QEAAHPEAVIIS_SERVER_INSTANCE@@@Z +; protected: char * __ptr64 __cdecl INET_PARSER::AuxEatNonWhite(char) __ptr64 +?AuxEatNonWhite@INET_PARSER@@IEAAPEADD@Z +; protected: char * __ptr64 __cdecl INET_PARSER::AuxEatWhite(void) __ptr64 +?AuxEatWhite@INET_PARSER@@IEAAPEADXZ +; protected: char * __ptr64 __cdecl INET_PARSER::AuxSkipTo(char) __ptr64 +?AuxSkipTo@INET_PARSER@@IEAAPEADD@Z +; public: short __cdecl ODBC_PARAMETER::Bind(void * __ptr64) __ptr64 +?Bind@ODBC_PARAMETER@@QEAAFPEAX@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::BindInstance(void) __ptr64 +?BindInstance@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: int __cdecl ODBC_STATEMENT::BindParameter(class ODBC_PARAMETER * __ptr64) __ptr64 +?BindParameter@ODBC_STATEMENT@@QEAAHPEAVODBC_PARAMETER@@@Z +; int __cdecl BuildAnonymousAcctDesc(class TCP_AUTHENT_INFO * __ptr64) +?BuildAnonymousAcctDesc@@YAHPEAVTCP_AUTHENT_INFO@@@Z +; public: int __cdecl COMMON_METADATA::BuildApplPhysicalPath(class MB * __ptr64,class STR * __ptr64)const __ptr64 +?BuildApplPhysicalPath@COMMON_METADATA@@QEBAHPEAVMB@@PEAVSTR@@@Z +; public: int __cdecl COMMON_METADATA::BuildPhysicalPath(char * __ptr64,class STR * __ptr64) __ptr64 +?BuildPhysicalPath@COMMON_METADATA@@QEAAHPEADPEAVSTR@@@Z +; public: int __cdecl COMMON_METADATA::BuildPhysicalPathWithAltRoot(char * __ptr64,class STR * __ptr64,char const * __ptr64) __ptr64 +?BuildPhysicalPathWithAltRoot@COMMON_METADATA@@QEAAHPEADPEAVSTR@@PEBD@Z +; public: int __cdecl IIS_SSL_INFO::CTLContainsCert(struct _CERT_CONTEXT const * __ptr64,int * __ptr64) __ptr64 +?CTLContainsCert@IIS_SSL_INFO@@QEAAHPEBU_CERT_CONTEXT@@PEAH@Z +; private: static unsigned long __cdecl IIS_VROOT_TABLE::CalcKeyHash(unsigned __int64) +?CalcKeyHash@IIS_VROOT_TABLE@@CAK_K@Z +; public: virtual unsigned long __cdecl HASH_TABLE::CalculateHash(char const * __ptr64)const __ptr64 +?CalculateHash@HASH_TABLE@@UEBAKPEBD@Z +; public: int __cdecl IIS_SERVICE::CheckAndReference(void) __ptr64 +?CheckAndReference@IIS_SERVICE@@QEAAHXZ +; private: int __cdecl IIS_SSL_INFO::CheckCAPIInfo(int * __ptr64,int * __ptr64,char * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?CheckCAPIInfo@IIS_SSL_INFO@@AEAAHPEAH0PEADPEAKK@Z +; unsigned long __cdecl CheckIfShortFileName(unsigned char const * __ptr64,void * __ptr64,int * __ptr64) +?CheckIfShortFileName@@YAKPEBEPEAXPEAH@Z +; private: int __cdecl IIS_SSL_INFO::CheckSignature(void) __ptr64 +?CheckSignature@IIS_SSL_INFO@@AEAAHXZ +; public: static void __cdecl IIS_SERVER_INSTANCE::Cleanup(void) +?Cleanup@IIS_SERVER_INSTANCE@@SAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::CleanupAfterConstructorFailure(void) __ptr64 +?CleanupAfterConstructorFailure@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: static int __cdecl IIS_SERVICE::CleanupMetabaseComObject(void) +?CleanupMetabaseComObject@IIS_SERVICE@@SAHXZ +; public: static void __cdecl IIS_SERVICE::CleanupServiceInfo(void) +?CleanupServiceInfo@IIS_SERVICE@@SAXXZ +; public: static int __cdecl IIS_SERVICE::CleanupServiceRpc(void) +?CleanupServiceRpc@IIS_SERVICE@@SAHXZ +; public: unsigned long __cdecl IIS_SERVICE::CleanupSockets(void) __ptr64 +?CleanupSockets@IIS_SERVICE@@QEAAKXZ +; public: void __cdecl MIME_MAP::CleanupThis(void) __ptr64 +?CleanupThis@MIME_MAP@@QEAAXXZ +; public: void __cdecl TS_DIRECTORY_INFO::CleanupThis(void) __ptr64 +?CleanupThis@TS_DIRECTORY_INFO@@QEAAXXZ +; public: int __cdecl IIS_SERVICE::ClearInstanceStatistics(unsigned long) __ptr64 +?ClearInstanceStatistics@IIS_SERVICE@@QEAAHK@Z +; public: int __cdecl TCP_AUTHENT::ClearTextLogon(char * __ptr64,char * __ptr64,int * __ptr64,int * __ptr64,class IIS_SERVER_INSTANCE * __ptr64,class TCP_AUTHENT_INFO * __ptr64,char * __ptr64) __ptr64 +?ClearTextLogon@TCP_AUTHENT@@QEAAHPEAD0PEAH1PEAVIIS_SERVER_INSTANCE@@PEAVTCP_AUTHENT_INFO@@0@Z +; public: int __cdecl MB::Close(void) __ptr64 +?Close@MB@@QEAAHXZ +; public: int __cdecl ODBC_CONNECTION::Close(void) __ptr64 +?Close@ODBC_CONNECTION@@QEAAHXZ +; public: void __cdecl TS_OPEN_FILE_INFO::CloseHandle(void) __ptr64 +?CloseHandle@TS_OPEN_FILE_INFO@@QEAAXXZ +; public: virtual int __cdecl IIS_SERVER_INSTANCE::CloseInstance(void) __ptr64 +?CloseInstance@IIS_SERVER_INSTANCE@@UEAAHXZ +; public: void __cdecl IIS_SERVICE::CloseService(void) __ptr64 +?CloseService@IIS_SERVICE@@QEAAXXZ +; public: int __cdecl IIS_SERVER_BINDING::Compare(unsigned long,unsigned short,char const * __ptr64) __ptr64 +?Compare@IIS_SERVER_BINDING@@QEAAHKGPEBD@Z +; public: unsigned long __cdecl IIS_SERVER_BINDING::Compare(char const * __ptr64,int * __ptr64) __ptr64 +?Compare@IIS_SERVER_BINDING@@QEAAKPEBDPEAH@Z +; public: virtual unsigned long __cdecl IIS_SERVER_INSTANCE::ContinueInstance(void) __ptr64 +?ContinueInstance@IIS_SERVER_INSTANCE@@UEAAKXZ +; private: void __cdecl IIS_SERVICE::ContinueService(void) __ptr64 +?ContinueService@IIS_SERVICE@@AEAAXXZ +; public: int __cdecl TCP_AUTHENT::Converse(void * __ptr64,unsigned long,class BUFFER * __ptr64,unsigned long * __ptr64,int * __ptr64,class TCP_AUTHENT_INFO * __ptr64,char * __ptr64,char * __ptr64,char * __ptr64,class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?Converse@TCP_AUTHENT@@QEAAHPEAXKPEAVBUFFER@@PEAKPEAHPEAVTCP_AUTHENT_INFO@@PEAD55PEAVIIS_SERVER_INSTANCE@@@Z +; public: int __cdecl TCP_AUTHENT::ConverseEx(struct _SecBufferDesc * __ptr64,class BUFFER * __ptr64,class BUFFER * __ptr64,unsigned long * __ptr64,int * __ptr64,class TCP_AUTHENT_INFO * __ptr64,char * __ptr64,char * __ptr64,char * __ptr64,class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?ConverseEx@TCP_AUTHENT@@QEAAHPEAU_SecBufferDesc@@PEAVBUFFER@@1PEAKPEAHPEAVTCP_AUTHENT_INFO@@PEAD55PEAVIIS_SERVER_INSTANCE@@@Z +; public: int __cdecl INET_PARSER::CopyToEOL(class STR * __ptr64,int) __ptr64 +?CopyToEOL@INET_PARSER@@QEAAHPEAVSTR@@H@Z +; public: int __cdecl INET_PARSER::CopyToken(class STR * __ptr64,int) __ptr64 +?CopyToken@INET_PARSER@@QEAAHPEAVSTR@@H@Z +; public: int __cdecl ODBC_PARAMETER::CopyValue(unsigned long) __ptr64 +?CopyValue@ODBC_PARAMETER@@QEAAHK@Z +; public: int __cdecl ODBC_PARAMETER::CopyValue(struct _SYSTEMTIME * __ptr64) __ptr64 +?CopyValue@ODBC_PARAMETER@@QEAAHPEAU_SYSTEMTIME@@@Z +; public: int __cdecl ODBC_PARAMETER::CopyValue(void * __ptr64,long) __ptr64 +?CopyValue@ODBC_PARAMETER@@QEAAHPEAXJ@Z +; public: int __cdecl ODBC_PARAMETER::CopyValue(char const * __ptr64) __ptr64 +?CopyValue@ODBC_PARAMETER@@QEAAHPEBD@Z +; public: int __cdecl ODBC_PARAMETER::CopyValue(unsigned short const * __ptr64) __ptr64 +?CopyValue@ODBC_PARAMETER@@QEAAHPEBG@Z +; private: int __cdecl MIME_MAP::CreateAndAddMimeMapEntry(char const * __ptr64,char const * __ptr64) __ptr64 +?CreateAndAddMimeMapEntry@MIME_MAP@@AEAAHPEBD0@Z +; private: int __cdecl IIS_SSL_INFO::CreateEngineRootStore(void) __ptr64 +?CreateEngineRootStore@IIS_SSL_INFO@@AEAAHXZ +; private: int __cdecl IIS_SSL_INFO::CreateEngineTrustStore(void) __ptr64 +?CreateEngineTrustStore@IIS_SSL_INFO@@AEAAHXZ +; private: unsigned long __cdecl IIS_SERVER_INSTANCE::CreateNewBinding(unsigned long,unsigned short,char const * __ptr64,int,int,class IIS_SERVER_BINDING * __ptr64 * __ptr64) __ptr64 +?CreateNewBinding@IIS_SERVER_INSTANCE@@AEAAKKGPEBDHHPEAPEAVIIS_SERVER_BINDING@@@Z +; public: static class IIS_SSL_INFO * __ptr64 __cdecl IIS_SSL_INFO::CreateSSLInfo(char * __ptr64,struct IMDCOM * __ptr64) +?CreateSSLInfo@IIS_SSL_INFO@@SAPEAV1@PEADPEAUIMDCOM@@@Z +; public: void __cdecl IIS_SERVER_INSTANCE::DecrementCurrentConnections(void) __ptr64 +?DecrementCurrentConnections@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: static void __cdecl IIS_SERVICE::DeferredGlobalConfig(unsigned long,struct _MD_CHANGE_OBJECT_A * __ptr64 const) +?DeferredGlobalConfig@IIS_SERVICE@@SAXKQEAU_MD_CHANGE_OBJECT_A@@@Z +; public: static void __cdecl IIS_SERVICE::DeferredMDChangeNotify(unsigned long,struct _MD_CHANGE_OBJECT_A * __ptr64 const) +?DeferredMDChangeNotify@IIS_SERVICE@@SAXKQEAU_MD_CHANGE_OBJECT_A@@@Z +; public: unsigned long __cdecl IIS_SERVICE::DelayCurrentServiceCtrlOperation(unsigned long) __ptr64 +?DelayCurrentServiceCtrlOperation@IIS_SERVICE@@QEAAKK@Z +; public: int __cdecl TCP_AUTHENT::DeleteCachedTokenOnReset(void) __ptr64 +?DeleteCachedTokenOnReset@TCP_AUTHENT@@QEAAHXZ +; public: int __cdecl MB::DeleteData(char const * __ptr64,unsigned long,unsigned long,unsigned long) __ptr64 +?DeleteData@MB@@QEAAHPEBDKKK@Z +; public: int __cdecl IIS_SERVICE::DeleteInstanceInfo(unsigned long) __ptr64 +?DeleteInstanceInfo@IIS_SERVICE@@QEAAHK@Z +; public: int __cdecl MB::DeleteObject(char const * __ptr64) __ptr64 +?DeleteObject@MB@@QEAAHPEBD@Z +; private: void __cdecl IIS_VROOT_TABLE::DeleteVRootEntry(void * __ptr64) __ptr64 +?DeleteVRootEntry@IIS_VROOT_TABLE@@AEAAXPEAX@Z +; public: void __cdecl IIS_ENDPOINT::Dereference(void) __ptr64 +?Dereference@IIS_ENDPOINT@@QEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::Dereference(void) __ptr64 +?Dereference@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl IIS_SERVICE::Dereference(void) __ptr64 +?Dereference@IIS_SERVICE@@QEAAXXZ +; public: virtual long __cdecl MIME_MAP_ENTRY::Dereference(void) __ptr64 +?Dereference@MIME_MAP_ENTRY@@UEAAJXZ +; public: void __cdecl IIS_SERVICE::DestroyAllServerInstances(void) __ptr64 +?DestroyAllServerInstances@IIS_SERVICE@@QEAAXXZ +; public: int __cdecl IIS_SERVICE::DisassociateInstance(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?DisassociateInstance@IIS_SERVICE@@QEAAHPEAVIIS_SERVER_INSTANCE@@@Z +; public: int __cdecl IIS_SERVICE::DisconnectInstanceUser(unsigned long,unsigned long) __ptr64 +?DisconnectInstanceUser@IIS_SERVICE@@QEAAHKK@Z +; public: static unsigned long __cdecl ODBC_CONNECTION::DisplaySize(short,unsigned long) +?DisplaySize@ODBC_CONNECTION@@SAKFK@Z +; public: int __cdecl IIS_SERVER_INSTANCE::DoServerNameCheck(void)const __ptr64 +?DoServerNameCheck@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::DoStartInstance(void) __ptr64 +?DoStartInstance@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: char * __ptr64 __cdecl INET_PARSER::EatNonWhite(void) __ptr64 +?EatNonWhite@INET_PARSER@@QEAAPEADXZ +; public: char * __ptr64 __cdecl INET_PARSER::EatWhite(void) __ptr64 +?EatWhite@INET_PARSER@@QEAAPEADXZ +; public: int __cdecl TCP_AUTHENT::EnumAuthPackages(class BUFFER * __ptr64) __ptr64 +?EnumAuthPackages@TCP_AUTHENT@@QEAAHPEAVBUFFER@@@Z +; public: int __cdecl MB::EnumObjects(char const * __ptr64,char * __ptr64,unsigned long) __ptr64 +?EnumObjects@MB@@QEAAHPEBDPEADK@Z +; public: int __cdecl IIS_SERVICE::EnumServiceInstances(void * __ptr64,void * __ptr64,int (__cdecl*)(void * __ptr64,void * __ptr64,class IIS_SERVER_INSTANCE * __ptr64)) __ptr64 +?EnumServiceInstances@IIS_SERVICE@@QEAAHPEAX0P6AH00PEAVIIS_SERVER_INSTANCE@@@Z@Z +; public: int __cdecl IIS_SERVICE::EnumerateInstanceUsers(unsigned long,unsigned long * __ptr64,char * __ptr64 * __ptr64) __ptr64 +?EnumerateInstanceUsers@IIS_SERVICE@@QEAAHKPEAKPEAPEAD@Z +; private: static bool __cdecl IIS_VROOT_TABLE::EqualKeys(unsigned __int64,unsigned __int64) +?EqualKeys@IIS_VROOT_TABLE@@CA_N_K0@Z +; public: int __cdecl ODBC_STATEMENT::ExecDirect(char const * __ptr64,unsigned long) __ptr64 +?ExecDirect@ODBC_STATEMENT@@QEAAHPEBDK@Z +; public: int __cdecl ODBC_STATEMENT::ExecDirect(unsigned short const * __ptr64,unsigned long) __ptr64 +?ExecDirect@ODBC_STATEMENT@@QEAAHPEBGK@Z +; public: int __cdecl ODBC_STATEMENT::ExecuteStatement(void) __ptr64 +?ExecuteStatement@ODBC_STATEMENT@@QEAAHXZ +; private: static unsigned __int64 const __cdecl IIS_VROOT_TABLE::ExtractKey(void const * __ptr64) +?ExtractKey@IIS_VROOT_TABLE@@CA?B_KPEBX@Z +; public: int __cdecl TS_DIRECTORY_INFO::FilterFiles(int (__cdecl*)(struct _WIN32_FIND_DATAA const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?FilterFiles@TS_DIRECTORY_INFO@@QEAAHP6AHPEBU_WIN32_FIND_DATAA@@PEAX@Z1@Z +; public: class IIS_ENDPOINT * __ptr64 __cdecl IIS_SERVICE::FindAndReferenceEndpoint(unsigned short,unsigned long,int,int,int) __ptr64 +?FindAndReferenceEndpoint@IIS_SERVICE@@QEAAPEAVIIS_ENDPOINT@@GKHHH@Z +; public: class IIS_SERVER_INSTANCE * __ptr64 __cdecl IIS_ENDPOINT::FindAndReferenceInstance(char const * __ptr64,unsigned long,int * __ptr64) __ptr64 +?FindAndReferenceInstance@IIS_ENDPOINT@@QEAAPEAVIIS_SERVER_INSTANCE@@PEBDKPEAH@Z +; public: static class IIS_SERVICE * __ptr64 __cdecl IIS_SERVICE::FindFromServiceInfoList(unsigned long) +?FindFromServiceInfoList@IIS_SERVICE@@SAPEAV1@K@Z +; public: class IIS_SERVER_INSTANCE * __ptr64 __cdecl IIS_SERVICE::FindIISInstance(unsigned long) __ptr64 +?FindIISInstance@IIS_SERVICE@@QEAAPEAVIIS_SERVER_INSTANCE@@K@Z +; private: int __cdecl IIS_SSL_INFO::FindTopOfChain(struct _CERT_CONTEXT const * __ptr64,struct _CERT_CONTEXT const * __ptr64 * __ptr64) __ptr64 +?FindTopOfChain@IIS_SSL_INFO@@AEAAHPEBU_CERT_CONTEXT@@PEAPEBU2@@Z +; public: virtual int __cdecl COMMON_METADATA::FinishPrivateProperties(class BUFFER * __ptr64,unsigned long,int) __ptr64 +?FinishPrivateProperties@COMMON_METADATA@@UEAAHPEAVBUFFER@@KH@Z +; public: unsigned long __cdecl HASH_TABLE::FlushElements(void) __ptr64 +?FlushElements@HASH_TABLE@@QEAAKXZ +; public: void __cdecl ODBC_STATEMENT::FreeColumnMemory(void) __ptr64 +?FreeColumnMemory@ODBC_STATEMENT@@QEAAXXZ +; public: void __cdecl COMMON_METADATA::FreeMdTag(unsigned long) __ptr64 +?FreeMdTag@COMMON_METADATA@@QEAAXK@Z +; public: int __cdecl MB::GetAll(char const * __ptr64,unsigned long,unsigned long,class BUFFER * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetAll@MB@@QEAAHPEBDKKPEAVBUFFER@@PEAK2@Z +; public: class IIS_CTL * __ptr64 __cdecl IIS_SSL_INFO::GetCTL(void) __ptr64 +?GetCTL@IIS_SSL_INFO@@QEAAPEAVIIS_CTL@@XZ +; public: int __cdecl IIS_SSL_INFO::GetCertChainEngine(void * __ptr64 * __ptr64) __ptr64 +?GetCertChainEngine@IIS_SSL_INFO@@QEAAHPEAPEAX@Z +; public: class IIS_SERVER_CERT * __ptr64 __cdecl IIS_SSL_INFO::GetCertificate(void) __ptr64 +?GetCertificate@IIS_SSL_INFO@@QEAAPEAVIIS_SERVER_CERT@@XZ +; public: int __cdecl TCP_AUTHENT::GetClientCertBlob(unsigned long,unsigned long * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetClientCertBlob@TCP_AUTHENT@@QEAAHKPEAKPEAE00@Z +; public: int __cdecl IIS_SERVER_INSTANCE::GetCommonConfig(char * __ptr64,unsigned long) __ptr64 +?GetCommonConfig@IIS_SERVER_INSTANCE@@QEAAHPEADK@Z +; public: unsigned long __cdecl LOGGING::GetConfig(struct _INETLOG_CONFIGURATIONA * __ptr64) __ptr64 +?GetConfig@LOGGING@@QEAAKPEAU_INETLOG_CONFIGURATIONA@@@Z +; public: int __cdecl IIS_CTL::GetContainedCertificates(struct _CERT_CONTEXT const * __ptr64 * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetContainedCertificates@IIS_CTL@@QEAAHPEAPEAPEBU_CERT_CONTEXT@@PEAK1@Z +; public: int __cdecl MB::GetData(char const * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?GetData@MB@@QEAAHPEBDKKKPEAXPEAKK@Z +; public: int __cdecl MB::GetDataPaths(char const * __ptr64,unsigned long,unsigned long,class BUFFER * __ptr64) __ptr64 +?GetDataPaths@MB@@QEAAHPEBDKKPEAVBUFFER@@@Z +; public: int __cdecl MB::GetDataSetNumber(char const * __ptr64,unsigned long * __ptr64) __ptr64 +?GetDataSetNumber@MB@@QEAAHPEBDPEAK@Z +; public: int __cdecl TS_DIRECTORY_INFO::GetDirectoryListingA(char const * __ptr64,void * __ptr64) __ptr64 +?GetDirectoryListingA@TS_DIRECTORY_INFO@@QEAAHPEBDPEAX@Z +; public: virtual int __cdecl IIS_SERVICE::GetGlobalStatistics(unsigned long,char * __ptr64 * __ptr64) __ptr64 +?GetGlobalStatistics@IIS_SERVICE@@UEAAHKPEAPEAD@Z +; public: int __cdecl ODBC_CONNECTION::GetInfo(unsigned long,void * __ptr64,unsigned long,unsigned long * __ptr64) __ptr64 +?GetInfo@ODBC_CONNECTION@@QEAAHKPEAXKPEAK@Z +; private: int __cdecl IIS_SERVICE::GetInstanceConfiguration(unsigned long,unsigned long,int,unsigned long * __ptr64,struct _INET_INFO_CONFIG_INFO * __ptr64 * __ptr64) __ptr64 +?GetInstanceConfiguration@IIS_SERVICE@@AEAAHKKHPEAKPEAPEAU_INET_INFO_CONFIG_INFO@@@Z +; public: unsigned long __cdecl TSVC_CACHE::GetInstanceId(void)const __ptr64 +?GetInstanceId@TSVC_CACHE@@QEBAKXZ +; public: int __cdecl IIS_SERVICE::GetInstanceStatistics(unsigned long,unsigned long,char * __ptr64 * __ptr64) __ptr64 +?GetInstanceStatistics@IIS_SERVICE@@QEAAHKKPEAPEAD@Z +; public: int __cdecl ODBC_CONNECTION::GetLastErrorText(class STR * __ptr64,void * __ptr64,short)const __ptr64 +?GetLastErrorText@ODBC_CONNECTION@@QEBAHPEAVSTR@@PEAXF@Z +; public: int __cdecl ODBC_CONNECTION::GetLastErrorTextAsHtml(class STR * __ptr64,void * __ptr64,short)const __ptr64 +?GetLastErrorTextAsHtml@ODBC_CONNECTION@@QEBAHPEAVSTR@@PEAXF@Z +; public: void __cdecl IIS_SERVICE::GetMDInstancePath(unsigned long,char * __ptr64) __ptr64 +?GetMDInstancePath@IIS_SERVICE@@QEAAXKPEAD@Z +; public: void * __ptr64 __cdecl IIS_CTL::GetMemoryStore(void) __ptr64 +?GetMemoryStore@IIS_CTL@@QEAAPEAXXZ +; public: int __cdecl MB::GetMultisz(char const * __ptr64,unsigned long,unsigned long,class MULTISZ * __ptr64,unsigned long) __ptr64 +?GetMultisz@MB@@QEAAHPEBDKKPEAVMULTISZ@@K@Z +; public: unsigned long __cdecl IIS_SERVICE::GetNewInstanceId(void) __ptr64 +?GetNewInstanceId@IIS_SERVICE@@QEAAKXZ +; private: int __cdecl IIS_SSL_INFO::GetRootStoreCertificates(struct _CERT_CONTEXT const * __ptr64 * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?GetRootStoreCertificates@IIS_SSL_INFO@@AEAAHPEAPEAPEBU_CERT_CONTEXT@@PEAK@Z +; public: void * __ptr64 __cdecl TSVC_CACHE::GetServerInstance(void)const __ptr64 +?GetServerInstance@TSVC_CACHE@@QEBAPEAXXZ +; public: static int __cdecl IIS_SERVICE::GetServiceAdminInfo(unsigned long,unsigned long,unsigned long,int,unsigned long * __ptr64,struct _INET_INFO_CONFIG_INFO * __ptr64 * __ptr64) +?GetServiceAdminInfo@IIS_SERVICE@@SAHKKKHPEAKPEAPEAU_INET_INFO_CONFIG_INFO@@@Z +; private: virtual unsigned long __cdecl IIS_SERVICE::GetServiceConfigInfoSize(unsigned long) __ptr64 +?GetServiceConfigInfoSize@IIS_SERVICE@@EEAAKK@Z +; public: unsigned long __cdecl TSVC_CACHE::GetServiceId(void)const __ptr64 +?GetServiceId@TSVC_CACHE@@QEBAKXZ +; public: static int __cdecl IIS_SERVICE::GetServiceSiteInfo(unsigned long,struct _INET_INFO_SITE_LIST * __ptr64 * __ptr64) +?GetServiceSiteInfo@IIS_SERVICE@@SAHKPEAPEAU_INET_INFO_SITE_LIST@@@Z +; public: int __cdecl MB::GetStr(char const * __ptr64,unsigned long,unsigned long,class STR * __ptr64,unsigned long,char const * __ptr64) __ptr64 +?GetStr@MB@@QEAAHPEBDKKPEAVSTR@@K0@Z +; public: int __cdecl MB::GetSystemChangeNumber(unsigned long * __ptr64) __ptr64 +?GetSystemChangeNumber@MB@@QEAAHPEAK@Z +; public: class CACHED_TOKEN * __ptr64 __cdecl TCP_AUTHENT::GetToken(void)const __ptr64 +?GetToken@TCP_AUTHENT@@QEBAPEAVCACHED_TOKEN@@XZ +; public: int __cdecl IIS_SSL_INFO::GetTrustedIssuerCerts(struct _CERT_CONTEXT const * __ptr64 * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?GetTrustedIssuerCerts@IIS_SSL_INFO@@QEAAHPEAPEAPEBU_CERT_CONTEXT@@PEAK@Z +; public: int __cdecl IIS_SSL_INFO::GetTrustedIssuerStore(void * __ptr64 * __ptr64) __ptr64 +?GetTrustedIssuerStore@IIS_SSL_INFO@@QEAAHPEAPEAX@Z +; public: class TSVC_CACHE & __ptr64 __cdecl IIS_SERVER_INSTANCE::GetTsvcCache(void) __ptr64 +?GetTsvcCache@IIS_SERVER_INSTANCE@@QEAAAEAVTSVC_CACHE@@XZ +; public: void * __ptr64 __cdecl TCP_AUTHENT::GetUserHandle(void) __ptr64 +?GetUserHandle@TCP_AUTHENT@@QEAAPEAXXZ +; public: virtual int __cdecl COMMON_METADATA::HandlePrivateProperty(char * __ptr64,class IIS_SERVER_INSTANCE * __ptr64,struct _METADATA_GETALL_INTERNAL_RECORD * __ptr64,void * __ptr64,class BUFFER * __ptr64,unsigned long * __ptr64,struct _METADATA_ERROR_INFO * __ptr64) __ptr64 +?HandlePrivateProperty@COMMON_METADATA@@UEAAHPEADPEAVIIS_SERVER_INSTANCE@@PEAU_METADATA_GETALL_INTERNAL_RECORD@@PEAXPEAVBUFFER@@PEAKPEAU_METADATA_ERROR_INFO@@@Z +; private: int __cdecl IIS_SSL_INFO::HasCTL(int * __ptr64,int * __ptr64) __ptr64 +?HasCTL@IIS_SSL_INFO@@AEAAHPEAH0@Z +; private: int __cdecl IIS_SSL_INFO::HasCertificate(int * __ptr64,int * __ptr64) __ptr64 +?HasCertificate@IIS_SSL_INFO@@AEAAHPEAH0@Z +; public: int __cdecl IIS_SERVER_INSTANCE::HasNormalBindings(void)const __ptr64 +?HasNormalBindings@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::HasSecureBindings(void)const __ptr64 +?HasSecureBindings@IIS_SERVER_INSTANCE@@QEBAHXZ +; int __cdecl IISDuplicateTokenEx(void * __ptr64,unsigned long,struct _SECURITY_ATTRIBUTES * __ptr64,enum _SECURITY_IMPERSONATION_LEVEL,enum _TOKEN_TYPE,void * __ptr64 * __ptr64) +?IISDuplicateTokenEx@@YAHPEAXKPEAU_SECURITY_ATTRIBUTES@@W4_SECURITY_IMPERSONATION_LEVEL@@W4_TOKEN_TYPE@@PEAPEAX@Z +; public: int __cdecl TCP_AUTHENT::Impersonate(void) __ptr64 +?Impersonate@TCP_AUTHENT@@QEAAHXZ +; public: void __cdecl IIS_SERVER_INSTANCE::IncrementCurrentConnections(void) __ptr64 +?IncrementCurrentConnections@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl IIS_SERVICE::IndicateShutdownComplete(void) __ptr64 +?IndicateShutdownComplete@IIS_SERVICE@@QEAAXXZ +; public: int __cdecl RefBlob::Init(void * __ptr64,unsigned long,void (__cdecl*)(void * __ptr64)) __ptr64 +?Init@RefBlob@@QEAAHPEAXKP6AX0@Z@Z +; private: unsigned long __cdecl MIME_MAP::InitFromMetabase(void) __ptr64 +?InitFromMetabase@MIME_MAP@@AEAAKXZ +; private: unsigned long __cdecl MIME_MAP::InitFromRegistryChicagoStyle(void) __ptr64 +?InitFromRegistryChicagoStyle@MIME_MAP@@AEAAKXZ +; public: unsigned long __cdecl MIME_MAP::InitMimeMap(void) __ptr64 +?InitMimeMap@MIME_MAP@@QEAAKXZ +; public: static int __cdecl IIS_SERVER_INSTANCE::Initialize(void) +?Initialize@IIS_SERVER_INSTANCE@@SAHXZ +; public: static unsigned long __cdecl LOGGING::Initialize(void) +?Initialize@LOGGING@@SAKXZ +; public: unsigned long __cdecl IIS_SERVICE::InitializeDiscovery(void) __ptr64 +?InitializeDiscovery@IIS_SERVICE@@QEAAKXZ +; public: static int __cdecl IIS_SERVICE::InitializeMetabaseComObject(void) +?InitializeMetabaseComObject@IIS_SERVICE@@SAHXZ +; public: static int __cdecl IIS_SERVICE::InitializeServiceInfo(void) +?InitializeServiceInfo@IIS_SERVICE@@SAHXZ +; public: static int __cdecl IIS_SERVICE::InitializeServiceRpc(char const * __ptr64,void * __ptr64) +?InitializeServiceRpc@IIS_SERVICE@@SAHPEBDPEAX@Z +; public: unsigned long __cdecl IIS_SERVICE::InitializeSockets(void) __ptr64 +?InitializeSockets@IIS_SERVICE@@QEAAKXZ +; private: void __cdecl IIS_SERVICE::InterrogateService(void) __ptr64 +?InterrogateService@IIS_SERVICE@@AEAAXXZ +; public: int __cdecl IIS_SERVICE::IsActive(void)const __ptr64 +?IsActive@IIS_SERVICE@@QEBAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::IsAutoStart(void)const __ptr64 +?IsAutoStart@IIS_SERVER_INSTANCE@@QEBAHXZ +; private: int __cdecl IIS_SERVER_INSTANCE::IsBindingInMultiSz(class IIS_SERVER_BINDING * __ptr64,class MULTISZ const & __ptr64) __ptr64 +?IsBindingInMultiSz@IIS_SERVER_INSTANCE@@AEAAHPEAVIIS_SERVER_BINDING@@AEBVMULTISZ@@@Z +; public: int __cdecl IIS_SERVER_INSTANCE::IsClusterEnabled(void)const __ptr64 +?IsClusterEnabled@IIS_SERVER_INSTANCE@@QEBAHXZ +; private: int __cdecl IIS_SSL_INFO::IsDefaultCTL(void) __ptr64 +?IsDefaultCTL@IIS_SSL_INFO@@AEAAHXZ +; public: int __cdecl IIS_SSL_INFO::IsDefaultCertificate(void) __ptr64 +?IsDefaultCertificate@IIS_SSL_INFO@@QEAAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::IsDownLevelInstance(void)const __ptr64 +?IsDownLevelInstance@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: int __cdecl IIS_SERVER_CERT::IsFortezzaCert(void) __ptr64 +?IsFortezzaCert@IIS_SERVER_CERT@@QEAAHXZ +; public: int __cdecl TCP_AUTHENT::IsForwardable(void)const __ptr64 +?IsForwardable@TCP_AUTHENT@@QEBAHXZ +; public: int __cdecl TCP_AUTHENT::IsGuest(int) __ptr64 +?IsGuest@TCP_AUTHENT@@QEAAHH@Z +; private: int __cdecl IIS_SERVER_INSTANCE::IsInCurrentBindingList(struct _LIST_ENTRY * __ptr64,unsigned long,unsigned short,char const * __ptr64) __ptr64 +?IsInCurrentBindingList@IIS_SERVER_INSTANCE@@AEAAHPEAU_LIST_ENTRY@@KGPEBD@Z +; public: int __cdecl IIS_SERVER_INSTANCE::IsLoggingEnabledA(void)const __ptr64 +?IsLoggingEnabledA@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: virtual int __cdecl MIME_MAP_ENTRY::IsMatch(char const * __ptr64,unsigned long)const __ptr64 +?IsMatch@MIME_MAP_ENTRY@@UEBAHPEBDK@Z +; public: int __cdecl IIS_SERVICE::IsMultiInstance(void)const __ptr64 +?IsMultiInstance@IIS_SERVICE@@QEBAHXZ +IsNameInRegExpressionA +; public: int __cdecl LOGGING::IsRequiredExtraLoggingFields(void) __ptr64 +?IsRequiredExtraLoggingFields@LOGGING@@QEAAHXZ +; public: int __cdecl IIS_SERVICE::IsService(void) __ptr64 +?IsService@IIS_SERVICE@@QEAAHXZ +; public: int __cdecl TCP_AUTHENT::IsSslCertPresent(void) __ptr64 +?IsSslCertPresent@TCP_AUTHENT@@QEAAHXZ +; public: int __cdecl STORE_CHANGE_NOTIFIER::IsStoreRegisteredForChange(char * __ptr64,void (__cdecl*)(void * __ptr64),void * __ptr64) __ptr64 +?IsStoreRegisteredForChange@STORE_CHANGE_NOTIFIER@@QEAAHPEADP6AXPEAX@Z1@Z +; public: int __cdecl IIS_SERVICE::IsSystemDBCS(void)const __ptr64 +?IsSystemDBCS@IIS_SERVICE@@QEBAHXZ +; private: int __cdecl IIS_SSL_INFO::IsTrustedRoot(struct _CERT_CONTEXT const * __ptr64,int * __ptr64) __ptr64 +?IsTrustedRoot@IIS_SSL_INFO@@AEAAHPEBU_CERT_CONTEXT@@PEAH@Z +; public: int __cdecl HASH_TABLE::IsValid(void)const __ptr64 +?IsValid@HASH_TABLE@@QEBAHXZ +; public: int __cdecl IIS_CTL::IsValid(void) __ptr64 +?IsValid@IIS_CTL@@QEAAHXZ +; public: int __cdecl IIS_SERVER_CERT::IsValid(void) __ptr64 +?IsValid@IIS_SERVER_CERT@@QEAAHXZ +; public: int __cdecl ODBC_CONNECTION::IsValid(void)const __ptr64 +?IsValid@ODBC_CONNECTION@@QEBAHXZ +; public: int __cdecl ODBC_STATEMENT::IsValid(void)const __ptr64 +?IsValid@ODBC_STATEMENT@@QEBAHXZ +; public: int __cdecl TS_OPEN_FILE_INFO::IsValid(void)const __ptr64 +?IsValid@TS_OPEN_FILE_INFO@@QEBAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::LoadStr(class STR & __ptr64,unsigned long,int)const __ptr64 +?LoadStr@IIS_SERVER_INSTANCE@@QEBAHAEAVSTR@@KH@Z +; public: int __cdecl IIS_SERVICE::LoadStr(class STR & __ptr64,unsigned long,int)const __ptr64 +?LoadStr@IIS_SERVICE@@QEBAHAEAVSTR@@KH@Z +; public: void __cdecl IIS_SSL_INFO::Lock(void) __ptr64 +?Lock@IIS_SSL_INFO@@QEAAXXZ +; public: void __cdecl IIS_VROOT_TABLE::LockConvertExclusive(void) __ptr64 +?LockConvertExclusive@IIS_VROOT_TABLE@@QEAAXXZ +; public: void __cdecl IIS_VROOT_TABLE::LockExclusive(void) __ptr64 +?LockExclusive@IIS_VROOT_TABLE@@QEAAXXZ +; private: void __cdecl LOGGING::LockExclusive(void) __ptr64 +?LockExclusive@LOGGING@@AEAAXXZ +; public: void __cdecl IIS_VROOT_TABLE::LockShared(void) __ptr64 +?LockShared@IIS_VROOT_TABLE@@QEAAXXZ +; private: void __cdecl LOGGING::LockShared(void) __ptr64 +?LockShared@LOGGING@@AEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::LockThisForRead(void) __ptr64 +?LockThisForRead@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::LockThisForWrite(void) __ptr64 +?LockThisForWrite@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: unsigned long __cdecl LOGGING::LogCustomInformation(unsigned long,struct _CUSTOM_LOG_DATA * __ptr64,char * __ptr64) __ptr64 +?LogCustomInformation@LOGGING@@QEAAKKPEAU_CUSTOM_LOG_DATA@@PEAD@Z +; public: void __cdecl IIS_SERVICE::LogEvent(unsigned long,unsigned short,char const * __ptr64 * __ptr64 const,unsigned long) __ptr64 +?LogEvent@IIS_SERVICE@@QEAAXKGQEAPEBDK@Z +; public: unsigned long __cdecl LOGGING::LogInformation(struct _INETLOG_INFORMATION const * __ptr64) __ptr64 +?LogInformation@LOGGING@@QEAAKPEBU_INETLOG_INFORMATION@@@Z +; int __cdecl LogonDigestUserA(void * __ptr64,unsigned long,void * __ptr64 * __ptr64) +?LogonDigestUserA@@YAHPEAXKPEAPEAX@Z +; int __cdecl LogonNetUserA(char * __ptr64,char * __ptr64,char * __ptr64,char * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64 * __ptr64,union _LARGE_INTEGER * __ptr64) +?LogonNetUserA@@YAHPEAD000KKKPEAPEAXPEAT_LARGE_INTEGER@@@Z +; int __cdecl LogonNetUserW(unsigned short * __ptr64,unsigned short * __ptr64,char * __ptr64,unsigned short * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64 * __ptr64,union _LARGE_INTEGER * __ptr64) +?LogonNetUserW@@YAHPEAG0PEAD0KKKPEAPEAXPEAT_LARGE_INTEGER@@@Z +; public: class HT_ELEMENT * __ptr64 __cdecl HASH_TABLE::Lookup(char const * __ptr64) __ptr64 +?Lookup@HASH_TABLE@@QEAAPEAVHT_ELEMENT@@PEBD@Z +; public: class MIME_MAP_ENTRY const * __ptr64 __cdecl MIME_MAP::LookupMimeEntryForFileExt(char const * __ptr64) __ptr64 +?LookupMimeEntryForFileExt@MIME_MAP@@QEAAPEBVMIME_MAP_ENTRY@@PEBD@Z +; public: unsigned long __cdecl MIME_MAP::LookupMimeEntryForMimeType(class STR const & __ptr64,class MIME_MAP_ENTRY const * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?LookupMimeEntryForMimeType@MIME_MAP@@QEAAKAEBVSTR@@PEAPEBVMIME_MAP_ENTRY@@PEAK@Z +; public: int __cdecl IIS_VROOT_TABLE::LookupVirtualRoot(char const * __ptr64,char * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?LookupVirtualRoot@IIS_VROOT_TABLE@@QEAAHPEBDPEADPEAK222PEAPEAX2@Z +; public: virtual void __cdecl IIS_SERVER_INSTANCE::MDChangeNotify(struct _MD_CHANGE_OBJECT_A * __ptr64) __ptr64 +?MDChangeNotify@IIS_SERVER_INSTANCE@@UEAAXPEAU_MD_CHANGE_OBJECT_A@@@Z +; protected: virtual void __cdecl IIS_SERVICE::MDChangeNotify(struct _MD_CHANGE_OBJECT_A * __ptr64) __ptr64 +?MDChangeNotify@IIS_SERVICE@@MEAAXPEAU_MD_CHANGE_OBJECT_A@@@Z +; public: static void __cdecl IIS_SERVICE::MDChangeNotify(unsigned long,struct _MD_CHANGE_OBJECT_A * __ptr64 const) +?MDChangeNotify@IIS_SERVICE@@SAXKQEAU_MD_CHANGE_OBJECT_A@@@Z +; public: void __cdecl IIS_SERVER_INSTANCE::MDMirrorVirtualRoots(void) __ptr64 +?MDMirrorVirtualRoots@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl TS_OPEN_FILE_INFO::MakeStrongETag(void) __ptr64 +?MakeStrongETag@TS_OPEN_FILE_INFO@@QEAAXXZ +; public: int __cdecl ODBC_STATEMENT::MoreResults(int * __ptr64) __ptr64 +?MoreResults@ODBC_STATEMENT@@QEAAHPEAH@Z +; public: int __cdecl IIS_SERVER_INSTANCE::MoveMDVroots2Registry(void) __ptr64 +?MoveMDVroots2Registry@IIS_SERVER_INSTANCE@@QEAAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::MoveVrootFromRegToMD(void) __ptr64 +?MoveVrootFromRegToMD@IIS_SERVER_INSTANCE@@QEAAHXZ +; int __cdecl NetUserCookieA(char * __ptr64,unsigned long,char * __ptr64,unsigned long) +?NetUserCookieA@@YAHPEADK0K@Z +; public: char * __ptr64 __cdecl INET_PARSER::NextItem(void) __ptr64 +?NextItem@INET_PARSER@@QEAAPEADXZ +; public: char * __ptr64 __cdecl INET_PARSER::NextLine(void) __ptr64 +?NextLine@INET_PARSER@@QEAAPEADXZ +; public: char * __ptr64 __cdecl INET_PARSER::NextParam(void) __ptr64 +?NextParam@INET_PARSER@@QEAAPEADXZ +; public: char * __ptr64 __cdecl INET_PARSER::NextToken(char) __ptr64 +?NextToken@INET_PARSER@@QEAAPEADD@Z +; public: char * __ptr64 __cdecl INET_PARSER::NextToken(void) __ptr64 +?NextToken@INET_PARSER@@QEAAPEADXZ +; public: static void __cdecl STORE_CHANGE_NOTIFIER::NotifFncCaller(void * __ptr64,unsigned char) +?NotifFncCaller@STORE_CHANGE_NOTIFIER@@SAXPEAXE@Z +; public: int __cdecl LOGGING::NotifyChange(unsigned long) __ptr64 +?NotifyChange@LOGGING@@QEAAHK@Z +; unsigned long __cdecl NullCloseLocator(struct _HMAPPER * __ptr64,unsigned __int64) +?NullCloseLocator@@YAKPEAU_HMAPPER@@_K@Z +; long __cdecl NullDeReferenceMapper(struct _HMAPPER * __ptr64) +?NullDeReferenceMapper@@YAJPEAU_HMAPPER@@@Z +; unsigned long __cdecl NullGetAccessToken(struct _HMAPPER * __ptr64,unsigned __int64,void * __ptr64 * __ptr64) +?NullGetAccessToken@@YAKPEAU_HMAPPER@@_KPEAPEAX@Z +; unsigned long __cdecl NullGetChallenge(struct _HMAPPER * __ptr64,unsigned char * __ptr64,unsigned long,unsigned char * __ptr64,unsigned long * __ptr64) +?NullGetChallenge@@YAKPEAU_HMAPPER@@PEAEK1PEAK@Z +; unsigned long __cdecl NullGetIssuerList(struct _HMAPPER * __ptr64,void * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) +?NullGetIssuerList@@YAKPEAU_HMAPPER@@PEAXPEAEPEAK@Z +; unsigned long __cdecl NullMapCredential(struct _HMAPPER * __ptr64,unsigned long,void const * __ptr64,void const * __ptr64,unsigned __int64 * __ptr64) +?NullMapCredential@@YAKPEAU_HMAPPER@@KPEBX1PEA_K@Z +; unsigned long __cdecl NullQueryMappedCredentialAttributes(struct _HMAPPER * __ptr64,unsigned __int64,unsigned long,void * __ptr64,unsigned long * __ptr64) +?NullQueryMappedCredentialAttributes@@YAKPEAU_HMAPPER@@_KKPEAXPEAK@Z +; long __cdecl NullReferenceMapper(struct _HMAPPER * __ptr64) +?NullReferenceMapper@@YAJPEAU_HMAPPER@@@Z +; public: int __cdecl MB::Open(unsigned long,char const * __ptr64,unsigned long) __ptr64 +?Open@MB@@QEAAHKPEBDK@Z +; public: int __cdecl ODBC_CONNECTION::Open(char const * __ptr64,char const * __ptr64,char const * __ptr64) __ptr64 +?Open@ODBC_CONNECTION@@QEAAHPEBD00@Z +; public: int __cdecl ODBC_CONNECTION::Open(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?Open@ODBC_CONNECTION@@QEAAHPEBG00@Z +; public: int __cdecl TCP_AUTHENT::PackageSupportsEncoding(char * __ptr64) __ptr64 +?PackageSupportsEncoding@TCP_AUTHENT@@QEAAHPEAD@Z +; public: static unsigned long __cdecl IIS_SERVER_BINDING::ParseDescriptor(char const * __ptr64,unsigned long * __ptr64,unsigned short * __ptr64,char const * __ptr64 * __ptr64) +?ParseDescriptor@IIS_SERVER_BINDING@@SAKPEBDPEAKPEAGPEAPEBD@Z +; public: virtual unsigned long __cdecl IIS_SERVER_INSTANCE::PauseInstance(void) __ptr64 +?PauseInstance@IIS_SERVER_INSTANCE@@UEAAKXZ +; private: void __cdecl IIS_SERVICE::PauseService(void) __ptr64 +?PauseService@IIS_SERVICE@@AEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::PdcHackVRReg2MD(void) __ptr64 +?PdcHackVRReg2MD@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::PerformClusterModeChange(void) __ptr64 +?PerformClusterModeChange@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::PerformStateChange(void) __ptr64 +?PerformStateChange@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: int __cdecl ODBC_STATEMENT::PrepareStatement(char const * __ptr64) __ptr64 +?PrepareStatement@ODBC_STATEMENT@@QEAAHPEBD@Z +; public: int __cdecl ODBC_STATEMENT::PrepareStatement(unsigned short const * __ptr64) __ptr64 +?PrepareStatement@ODBC_STATEMENT@@QEAAHPEBG@Z +; public: void __cdecl MIME_MAP::Print(void) __ptr64 +?Print@MIME_MAP@@QEAAXXZ +; public: virtual void __cdecl MIME_MAP_ENTRY::Print(void)const __ptr64 +?Print@MIME_MAP_ENTRY@@UEBAXXZ +; public: void __cdecl TS_OPEN_FILE_INFO::Print(void)const __ptr64 +?Print@TS_OPEN_FILE_INFO@@QEBAXXZ +; void __cdecl PrintIGatewayRequest(struct _IGATEWAY_REQUEST const * __ptr64) +?PrintIGatewayRequest@@YAXPEBU_IGATEWAY_REQUEST@@@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryAcceptExOutstanding(void)const __ptr64 +?QueryAcceptExOutstanding@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryAcceptExTimeout(void)const __ptr64 +?QueryAcceptExTimeout@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: virtual class IIS_SSL_INFO * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryAndReferenceSSLInfoObj(void) __ptr64 +?QueryAndReferenceSSLInfoObj@IIS_SERVER_INSTANCE@@UEAAPEAVIIS_SSL_INFO@@XZ +; public: unsigned long __cdecl TS_OPEN_FILE_INFO::QueryAttributes(void)const __ptr64 +?QueryAttributes@TS_OPEN_FILE_INFO@@QEBAKXZ +; public: void * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryBandwidthInfo(void)const __ptr64 +?QueryBandwidthInfo@IIS_SERVER_INSTANCE@@QEBAPEAXXZ +; public: class IIS_CTL * __ptr64 __cdecl IIS_SSL_INFO::QueryCTL(void) __ptr64 +?QueryCTL@IIS_SSL_INFO@@QEAAPEAVIIS_CTL@@XZ +; public: struct _CTL_CONTEXT const * __ptr64 __cdecl IIS_CTL::QueryCTLContext(void) __ptr64 +?QueryCTLContext@IIS_CTL@@QEAAPEBU_CTL_CONTEXT@@XZ +; public: short __cdecl ODBC_PARAMETER::QueryCType(void)const __ptr64 +?QueryCType@ODBC_PARAMETER@@QEBAFXZ +; public: __int64 __cdecl ODBC_PARAMETER::QueryCbValue(void)const __ptr64 +?QueryCbValue@ODBC_PARAMETER@@QEBA_JXZ +; public: __int64 & __ptr64 __cdecl ODBC_PARAMETER::QueryCbValueRef(void) __ptr64 +?QueryCbValueRef@ODBC_PARAMETER@@QEAAAEA_JXZ +; public: struct _CERT_CONTEXT const * __ptr64 __cdecl IIS_SERVER_CERT::QueryCertContext(void) __ptr64 +?QueryCertContext@IIS_SERVER_CERT@@QEAAPEBU_CERT_CONTEXT@@XZ +; public: struct _CERT_CONTEXT const * __ptr64 * __ptr64 __cdecl IIS_SERVER_CERT::QueryCertContextAddr(void) __ptr64 +?QueryCertContextAddr@IIS_SERVER_CERT@@QEAAPEAPEBU_CERT_CONTEXT@@XZ +; public: int __cdecl IIS_SSL_INFO::QueryCertValidity(unsigned long * __ptr64) __ptr64 +?QueryCertValidity@IIS_SSL_INFO@@QEAAHPEAK@Z +; public: class IIS_SERVER_CERT * __ptr64 __cdecl IIS_SSL_INFO::QueryCertificate(void) __ptr64 +?QueryCertificate@IIS_SSL_INFO@@QEAAPEAVIIS_SERVER_CERT@@XZ +; public: int __cdecl TCP_AUTHENT::QueryCertificateFlags(unsigned long * __ptr64,int * __ptr64) __ptr64 +?QueryCertificateFlags@TCP_AUTHENT@@QEAAHPEAKPEAH@Z +; public: int __cdecl TCP_AUTHENT::QueryCertificateIssuer(char * __ptr64,unsigned long,int * __ptr64) __ptr64 +?QueryCertificateIssuer@TCP_AUTHENT@@QEAAHPEADKPEAH@Z +; public: int __cdecl TCP_AUTHENT::QueryCertificateSerialNumber(unsigned char * __ptr64 * __ptr64,unsigned long * __ptr64,int * __ptr64) __ptr64 +?QueryCertificateSerialNumber@TCP_AUTHENT@@QEAAHPEAPEAEPEAKPEAH@Z +; public: int __cdecl TCP_AUTHENT::QueryCertificateSubject(char * __ptr64,unsigned long,int * __ptr64) __ptr64 +?QueryCertificateSubject@TCP_AUTHENT@@QEAAHPEADKPEAH@Z +; public: int __cdecl ODBC_STATEMENT::QueryColNames(class STR * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned long,int * __ptr64) __ptr64 +?QueryColNames@ODBC_STATEMENT@@QEAAHPEAPEAVSTR@@PEAKKPEAH@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryConnectionTimeout(void)const __ptr64 +?QueryConnectionTimeout@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: char * __ptr64 __cdecl IIS_SERVER_CERT::QueryContainer(void) __ptr64 +?QueryContainer@IIS_SERVER_CERT@@QEAAPEADXZ +; public: void * __ptr64 __cdecl TS_OPEN_FILE_INFO::QueryContext(void)const __ptr64 +?QueryContext@TS_OPEN_FILE_INFO@@QEBAPEAXXZ +; public: struct _SecHandle * __ptr64 __cdecl TCP_AUTHENT::QueryCredHandle(void) __ptr64 +?QueryCredHandle@TCP_AUTHENT@@QEAAPEAU_SecHandle@@XZ +; public: struct _SecHandle * __ptr64 __cdecl TCP_AUTHENT::QueryCtxtHandle(void) __ptr64 +?QueryCtxtHandle@TCP_AUTHENT@@QEAAPEAU_SecHandle@@XZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryCurrentConnections(void)const __ptr64 +?QueryCurrentConnections@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryCurrentServiceError(void)const __ptr64 +?QueryCurrentServiceError@IIS_SERVICE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryCurrentServiceState(void)const __ptr64 +?QueryCurrentServiceState@IIS_SERVICE@@QEBAKXZ +; public: unsigned short __cdecl IIS_SERVER_INSTANCE::QueryDefaultPort(void)const __ptr64 +?QueryDefaultPort@IIS_SERVER_INSTANCE@@QEBAGXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryDownLevelInstance(void)const __ptr64 +?QueryDownLevelInstance@IIS_SERVICE@@QEBAKXZ +; public: char * __ptr64 __cdecl TS_OPEN_FILE_INFO::QueryETag(void)const __ptr64 +?QueryETag@TS_OPEN_FILE_INFO@@QEBAPEADXZ +; public: int __cdecl TCP_AUTHENT::QueryEncryptionKeySize(unsigned long * __ptr64,int * __ptr64) __ptr64 +?QueryEncryptionKeySize@TCP_AUTHENT@@QEAAHPEAKPEAH@Z +; public: int __cdecl TCP_AUTHENT::QueryEncryptionServerPrivateKeySize(unsigned long * __ptr64,int * __ptr64) __ptr64 +?QueryEncryptionServerPrivateKeySize@TCP_AUTHENT@@QEAAHPEAKPEAH@Z +; public: class IIS_ENDPOINT * __ptr64 __cdecl IIS_SERVER_BINDING::QueryEndpoint(void) __ptr64 +?QueryEndpoint@IIS_SERVER_BINDING@@QEAAPEAVIIS_ENDPOINT@@XZ +; public: short __cdecl ODBC_CONNECTION::QueryErrorCode(void)const __ptr64 +?QueryErrorCode@ODBC_CONNECTION@@QEBAFXZ +; public: short __cdecl ODBC_STATEMENT::QueryErrorCode(void)const __ptr64 +?QueryErrorCode@ODBC_STATEMENT@@QEBAFXZ +; public: class EVENT_LOG * __ptr64 __cdecl IIS_SERVICE::QueryEventLog(void) __ptr64 +?QueryEventLog@IIS_SERVICE@@QEAAPEAVEVENT_LOG@@XZ +; public: int __cdecl TCP_AUTHENT::QueryExpiry(union _LARGE_INTEGER * __ptr64) __ptr64 +?QueryExpiry@TCP_AUTHENT@@QEAAHPEAT_LARGE_INTEGER@@@Z +; public: char * __ptr64 __cdecl LOGGING::QueryExtraLoggingFields(void) __ptr64 +?QueryExtraLoggingFields@LOGGING@@QEAAPEADXZ +; public: void * __ptr64 __cdecl TS_OPEN_FILE_INFO::QueryFileHandle(void) __ptr64 +?QueryFileHandle@TS_OPEN_FILE_INFO@@QEAAPEAXXZ +; public: int __cdecl TCP_AUTHENT::QueryFullyQualifiedUserName(char * __ptr64,class STR * __ptr64,class IIS_SERVER_INSTANCE * __ptr64,class TCP_AUTHENT_INFO * __ptr64) __ptr64 +?QueryFullyQualifiedUserName@TCP_AUTHENT@@QEAAHPEADPEAVSTR@@PEAVIIS_SERVER_INSTANCE@@PEAVTCP_AUTHENT_INFO@@@Z +; public: char const * __ptr64 __cdecl IIS_SERVER_BINDING::QueryHostName(void) __ptr64 +?QueryHostName@IIS_SERVER_BINDING@@QEAAPEBDXZ +; public: void * __ptr64 __cdecl TCP_AUTHENT::QueryImpersonationToken(void) __ptr64 +?QueryImpersonationToken@TCP_AUTHENT@@QEAAPEAXXZ +; public: static class ISRPC * __ptr64 __cdecl IIS_SERVICE::QueryInetInfoRpc(void) +?QueryInetInfoRpc@IIS_SERVICE@@SAPEAVISRPC@@XZ +; public: unsigned long __cdecl IIS_SERVICE::QueryInstanceCount(void)const __ptr64 +?QueryInstanceCount@IIS_SERVICE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryInstanceId(void)const __ptr64 +?QueryInstanceId@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVER_BINDING::QueryIpAddress(void) __ptr64 +?QueryIpAddress@IIS_SERVER_BINDING@@QEAAKXZ +; public: unsigned short __cdecl IIS_SERVER_BINDING::QueryIpPort(void) __ptr64 +?QueryIpPort@IIS_SERVER_BINDING@@QEAAGXZ +; public: virtual char const * __ptr64 __cdecl MIME_MAP_ENTRY::QueryKey(void)const __ptr64 +?QueryKey@MIME_MAP_ENTRY@@UEBAPEBDXZ +; public: virtual unsigned long __cdecl MIME_MAP_ENTRY::QueryKeyLen(void)const __ptr64 +?QueryKeyLen@MIME_MAP_ENTRY@@UEBAKXZ +; public: int __cdecl TS_OPEN_FILE_INFO::QueryLastWriteTime(struct _FILETIME * __ptr64)const __ptr64 +?QueryLastWriteTime@TS_OPEN_FILE_INFO@@QEBAHPEAU_FILETIME@@@Z +; public: char * __ptr64 __cdecl INET_PARSER::QueryLine(void) __ptr64 +?QueryLine@INET_PARSER@@QEAAPEADXZ +; public: unsigned short * __ptr64 __cdecl IIS_CTL::QueryListIdentifier(void) __ptr64 +?QueryListIdentifier@IIS_CTL@@QEAAPEAGXZ +; public: int __cdecl IIS_SERVER_INSTANCE::QueryLogAnonymous(void)const __ptr64 +?QueryLogAnonymous@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: int __cdecl IIS_SERVER_INSTANCE::QueryLogNonAnonymous(void)const __ptr64 +?QueryLogNonAnonymous@IIS_SERVER_INSTANCE@@QEBAHXZ +; public: char * __ptr64 __cdecl IIS_CTL::QueryMBPath(void) __ptr64 +?QueryMBPath@IIS_CTL@@QEAAPEADXZ +; public: char * __ptr64 __cdecl IIS_SERVER_CERT::QueryMBPath(void) __ptr64 +?QueryMBPath@IIS_SERVER_CERT@@QEAAPEADXZ +; public: struct IUnknown * __ptr64 __cdecl IIS_SERVICE::QueryMDNseObject(void) __ptr64 +?QueryMDNseObject@IIS_SERVICE@@QEAAPEAUIUnknown@@XZ +; public: static struct IUnknown * __ptr64 __cdecl IIS_SERVICE::QueryMDObject(void) +?QueryMDObject@IIS_SERVICE@@SAPEAUIUnknown@@XZ +; public: char const * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryMDPath(void)const __ptr64 +?QueryMDPath@IIS_SERVER_INSTANCE@@QEBAPEBDXZ +; public: char const * __ptr64 __cdecl IIS_SERVICE::QueryMDPath(void)const __ptr64 +?QueryMDPath@IIS_SERVICE@@QEBAPEBDXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryMDPathLen(void)const __ptr64 +?QueryMDPathLen@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: char const * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryMDVRPath(void)const __ptr64 +?QueryMDVRPath@IIS_SERVER_INSTANCE@@QEBAPEBDXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryMDVRPathLen(void)const __ptr64 +?QueryMDVRPathLen@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: __int64 __cdecl ODBC_PARAMETER::QueryMaxCbValue(void)const __ptr64 +?QueryMaxCbValue@ODBC_PARAMETER@@QEBA_JXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryMaxConnections(void)const __ptr64 +?QueryMaxConnections@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryMaxEndpointConnections(void)const __ptr64 +?QueryMaxEndpointConnections@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: class MIME_MAP * __ptr64 __cdecl IIS_SERVICE::QueryMimeMap(void)const __ptr64 +?QueryMimeMap@IIS_SERVICE@@QEBAPEAVMIME_MAP@@XZ +; public: char const * __ptr64 __cdecl IIS_SERVICE::QueryModuleName(void)const __ptr64 +?QueryModuleName@IIS_SERVICE@@QEBAPEBDXZ +; public: unsigned long __cdecl IIS_SERVER_CERT::QueryOpenFlags(void) __ptr64 +?QueryOpenFlags@IIS_SERVER_CERT@@QEAAKXZ +; public: void * __ptr64 __cdecl IIS_CTL::QueryOriginalStore(void) __ptr64 +?QueryOriginalStore@IIS_CTL@@QEAAPEAXXZ +; public: unsigned short __cdecl ODBC_PARAMETER::QueryParamNumber(void)const __ptr64 +?QueryParamNumber@ODBC_PARAMETER@@QEBAGXZ +; public: short __cdecl ODBC_PARAMETER::QueryParamType(void)const __ptr64 +?QueryParamType@ODBC_PARAMETER@@QEBAFXZ +; public: char * __ptr64 __cdecl INET_PARSER::QueryPos(void) __ptr64 +?QueryPos@INET_PARSER@@QEAAPEADXZ +; public: unsigned long __cdecl ODBC_PARAMETER::QueryPrecision(void)const __ptr64 +?QueryPrecision@ODBC_PARAMETER@@QEBAKXZ +; public: void * __ptr64 __cdecl TCP_AUTHENT::QueryPrimaryToken(void) __ptr64 +?QueryPrimaryToken@TCP_AUTHENT@@QEAAPEAXXZ +; public: char * __ptr64 __cdecl IIS_SERVER_CERT::QueryProviderName(void) __ptr64 +?QueryProviderName@IIS_SERVER_CERT@@QEAAPEADXZ +; public: unsigned long __cdecl IIS_SERVER_CERT::QueryProviderType(void) __ptr64 +?QueryProviderType@IIS_SERVER_CERT@@QEAAKXZ +; public: void * __ptr64 __cdecl RefBlob::QueryPtr(void) __ptr64 +?QueryPtr@RefBlob@@QEAAPEAXXZ +; public: long * __ptr64 __cdecl RefBlob::QueryRefCount(void) __ptr64 +?QueryRefCount@RefBlob@@QEAAPEAJXZ +; public: char const * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryRegParamKey(void)const __ptr64 +?QueryRegParamKey@IIS_SERVER_INSTANCE@@QEBAPEBDXZ +; public: char const * __ptr64 __cdecl IIS_SERVICE::QueryRegParamKey(void)const __ptr64 +?QueryRegParamKey@IIS_SERVICE@@QEBAPEBDXZ +; public: char * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryRoot(void)const __ptr64 +?QueryRoot@IIS_SERVER_INSTANCE@@QEBAPEADXZ +; public: int __cdecl ODBC_STATEMENT::QueryRowCount(__int64 * __ptr64) __ptr64 +?QueryRowCount@ODBC_STATEMENT@@QEAAHPEA_J@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QuerySavedState(void)const __ptr64 +?QuerySavedState@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: short __cdecl ODBC_PARAMETER::QueryScale(void)const __ptr64 +?QueryScale@ODBC_PARAMETER@@QEBAFXZ +; public: int __cdecl TCP_AUTHENT::QueryServerCertificateIssuer(char * __ptr64 * __ptr64,int * __ptr64) __ptr64 +?QueryServerCertificateIssuer@TCP_AUTHENT@@QEAAHPEAPEADPEAH@Z +; public: int __cdecl TCP_AUTHENT::QueryServerCertificateSubject(char * __ptr64 * __ptr64,int * __ptr64) __ptr64 +?QueryServerCertificateSubject@TCP_AUTHENT@@QEAAHPEAPEADPEAH@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryServerSize(void)const __ptr64 +?QueryServerSize@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::QueryServerState(void)const __ptr64 +?QueryServerState@IIS_SERVER_INSTANCE@@QEBAKXZ +; public: char const * __ptr64 __cdecl IIS_SERVICE::QueryServiceComment(void)const __ptr64 +?QueryServiceComment@IIS_SERVICE@@QEBAPEBDXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryServiceId(void)const __ptr64 +?QueryServiceId@IIS_SERVICE@@QEBAKXZ +; public: char const * __ptr64 __cdecl IIS_SERVICE::QueryServiceName(void)const __ptr64 +?QueryServiceName@IIS_SERVICE@@QEBAPEBDXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryServiceSpecificExitCode(void)const __ptr64 +?QueryServiceSpecificExitCode@IIS_SERVICE@@QEBAKXZ +; public: unsigned long __cdecl IIS_SERVICE::QueryShutdownScheduleId(void)const __ptr64 +?QueryShutdownScheduleId@IIS_SERVICE@@QEBAKXZ +; public: int __cdecl IIS_CTL::QuerySignerCert(struct _CERT_CONTEXT const * __ptr64 * __ptr64) __ptr64 +?QuerySignerCert@IIS_CTL@@QEAAHPEAPEBU_CERT_CONTEXT@@@Z +; int __cdecl QuerySingleAccessToken(void) +?QuerySingleAccessToken@@YAHXZ +; public: char const * __ptr64 __cdecl IIS_SERVER_INSTANCE::QuerySiteName(void)const __ptr64 +?QuerySiteName@IIS_SERVER_INSTANCE@@QEBAPEBDXZ +; public: unsigned long __cdecl RefBlob::QuerySize(void) __ptr64 +?QuerySize@RefBlob@@QEAAKXZ +; public: int __cdecl TS_OPEN_FILE_INFO::QuerySize(union _LARGE_INTEGER & __ptr64)const __ptr64 +?QuerySize@TS_OPEN_FILE_INFO@@QEBAHAEAT_LARGE_INTEGER@@@Z +; public: int __cdecl TS_OPEN_FILE_INFO::QuerySize(unsigned long * __ptr64,unsigned long * __ptr64)const __ptr64 +?QuerySize@TS_OPEN_FILE_INFO@@QEBAHPEAK0@Z +; public: short __cdecl ODBC_PARAMETER::QuerySqlType(void)const __ptr64 +?QuerySqlType@ODBC_PARAMETER@@QEBAFXZ +; public: struct _SecHandle * __ptr64 __cdecl TCP_AUTHENT::QuerySslCtxtHandle(void) __ptr64 +?QuerySslCtxtHandle@TCP_AUTHENT@@QEAAPEAU_SecHandle@@XZ +; public: unsigned long __cdecl IIS_CTL::QueryStatus(void) __ptr64 +?QueryStatus@IIS_CTL@@QEAAKXZ +; public: void * __ptr64 __cdecl IIS_SERVER_CERT::QueryStoreHandle(void) __ptr64 +?QueryStoreHandle@IIS_SERVER_CERT@@QEAAPEAXXZ +; public: char * __ptr64 __cdecl IIS_CTL::QueryStoreName(void) __ptr64 +?QueryStoreName@IIS_CTL@@QEAAPEADXZ +; public: char * __ptr64 __cdecl IIS_SERVER_CERT::QueryStoreName(void) __ptr64 +?QueryStoreName@IIS_SERVER_CERT@@QEAAPEADXZ +; public: char * __ptr64 __cdecl INET_PARSER::QueryToken(void) __ptr64 +?QueryToken@INET_PARSER@@QEAAPEADXZ +; public: int __cdecl TCP_AUTHENT::QueryUserName(class STR * __ptr64,int) __ptr64 +?QueryUserName@TCP_AUTHENT@@QEAAHPEAVSTR@@H@Z +; public: void * __ptr64 __cdecl ODBC_PARAMETER::QueryValue(void)const __ptr64 +?QueryValue@ODBC_PARAMETER@@QEBAPEAXXZ +; public: int __cdecl ODBC_STATEMENT::QueryValuesAsStr(class STR * __ptr64 * __ptr64,unsigned long * __ptr64 * __ptr64,int * __ptr64) __ptr64 +?QueryValuesAsStr@ODBC_STATEMENT@@QEAAHPEAPEAVSTR@@PEAPEAKPEAH@Z +; public: unsigned long __cdecl IIS_VROOT_TABLE::QueryVrootCount(void) __ptr64 +?QueryVrootCount@IIS_VROOT_TABLE@@QEAAKXZ +; public: class IIS_VROOT_TABLE * __ptr64 __cdecl IIS_SERVER_INSTANCE::QueryVrootTable(void) __ptr64 +?QueryVrootTable@IIS_SERVER_INSTANCE@@QEAAPEAVIIS_VROOT_TABLE@@XZ +; public: int __cdecl COMMON_METADATA::ReadMetaData(class IIS_SERVER_INSTANCE * __ptr64,class MB * __ptr64,char * __ptr64,struct _METADATA_ERROR_INFO * __ptr64) __ptr64 +?ReadMetaData@COMMON_METADATA@@QEAAHPEAVIIS_SERVER_INSTANCE@@PEAVMB@@PEADPEAU_METADATA_ERROR_INFO@@@Z +; public: int __cdecl IIS_SERVICE::RecordInstanceStart(void) __ptr64 +?RecordInstanceStart@IIS_SERVICE@@QEAAHXZ +; public: void __cdecl IIS_SERVICE::RecordInstanceStop(void) __ptr64 +?RecordInstanceStop@IIS_SERVICE@@QEAAXXZ +; public: void __cdecl IIS_ENDPOINT::Reference(void) __ptr64 +?Reference@IIS_ENDPOINT@@QEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::Reference(void) __ptr64 +?Reference@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: unsigned long __cdecl IIS_SSL_INFO::Reference(void) __ptr64 +?Reference@IIS_SSL_INFO@@QEAAKXZ +; public: virtual long __cdecl MIME_MAP_ENTRY::Reference(void) __ptr64 +?Reference@MIME_MAP_ENTRY@@UEAAJXZ +; public: int __cdecl MB::ReferenceData(char const * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?ReferenceData@MB@@QEAAHPEBDKKKPEAPEAXPEAK2K@Z +; public: int __cdecl IIS_SERVER_INSTANCE::RegReadCommonParams(int,int) __ptr64 +?RegReadCommonParams@IIS_SERVER_INSTANCE@@QEAAHHH@Z +; public: int __cdecl STORE_CHANGE_NOTIFIER::RegisterStoreForChange(char * __ptr64,void * __ptr64,void (__cdecl*)(void * __ptr64),void * __ptr64) __ptr64 +?RegisterStoreForChange@STORE_CHANGE_NOTIFIER@@QEAAHPEADPEAXP6AX1@Z1@Z +; public: static unsigned long __cdecl IIS_SSL_INFO::Release(void * __ptr64) +?Release@IIS_SSL_INFO@@SAKPEAX@Z +; public: void __cdecl RefBlob::Release(void) __ptr64 +?Release@RefBlob@@QEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::ReleaseFastLock(void) __ptr64 +?ReleaseFastLock@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl IIS_SSL_INFO::ReleaseFortezzaHandlers(void) __ptr64 +?ReleaseFortezzaHandlers@IIS_SSL_INFO@@QEAAXXZ +; private: static void __cdecl IIS_SERVICE::ReleaseGlobalLock(void) +?ReleaseGlobalLock@IIS_SERVICE@@CAXXZ +; public: int __cdecl MB::ReleaseReferenceData(unsigned long) __ptr64 +?ReleaseReferenceData@MB@@QEAAHK@Z +; public: void __cdecl STORE_CHANGE_NOTIFIER::ReleaseRegisteredStores(void) __ptr64 +?ReleaseRegisteredStores@STORE_CHANGE_NOTIFIER@@QEAAXXZ +; public: void __cdecl IIS_SERVICE::ReleaseServiceLock(int) __ptr64 +?ReleaseServiceLock@IIS_SERVICE@@QEAAXH@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::RemoveNormalBindings(void) __ptr64 +?RemoveNormalBindings@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::RemoveSecureBindings(void) __ptr64 +?RemoveSecureBindings@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: int __cdecl IIS_SERVICE::RemoveServerInstance(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?RemoveServerInstance@IIS_SERVICE@@QEAAHPEAVIIS_SERVER_INSTANCE@@@Z +; public: int __cdecl IIS_VROOT_TABLE::RemoveVirtualRoot(char * __ptr64) __ptr64 +?RemoveVirtualRoot@IIS_VROOT_TABLE@@QEAAHPEAD@Z +; public: int __cdecl IIS_VROOT_TABLE::RemoveVirtualRoots(void) __ptr64 +?RemoveVirtualRoots@IIS_VROOT_TABLE@@QEAAHXZ +; private: unsigned long __cdecl IIS_SERVICE::ReportServiceStatus(void) __ptr64 +?ReportServiceStatus@IIS_SERVICE@@AEAAKXZ +; public: int __cdecl TCP_AUTHENT::Reset(int) __ptr64 +?Reset@TCP_AUTHENT@@QEAAHH@Z +; public: void __cdecl INET_PARSER::RestoreBuffer(void) __ptr64 +?RestoreBuffer@INET_PARSER@@QEAAXXZ +; protected: void __cdecl INET_PARSER::RestoreLine(void) __ptr64 +?RestoreLine@INET_PARSER@@IEAAXXZ +; protected: void __cdecl INET_PARSER::RestoreToken(void) __ptr64 +?RestoreToken@INET_PARSER@@IEAAXXZ +; public: int __cdecl TS_OPEN_FILE_INFO::RetrieveHttpInfo(char * __ptr64,int * __ptr64) __ptr64 +?RetrieveHttpInfo@TS_OPEN_FILE_INFO@@QEAAHPEADPEAH@Z +; private: int __cdecl IIS_SERVER_CERT::RetrievePINInfo(class MB * __ptr64,char * __ptr64 * __ptr64,char * __ptr64 * __ptr64,char * __ptr64 * __ptr64) __ptr64 +?RetrievePINInfo@IIS_SERVER_CERT@@AEAAHPEAVMB@@PEAPEAD11@Z +; public: int __cdecl TCP_AUTHENT::RevertToSelf(void) __ptr64 +?RevertToSelf@TCP_AUTHENT@@QEAAHXZ +; public: int __cdecl MB::Save(void) __ptr64 +?Save@MB@@QEAAHXZ +; public: void __cdecl IIS_SERVER_INSTANCE::SaveServerState(void) __ptr64 +?SaveServerState@IIS_SERVER_INSTANCE@@QEAAXXZ +; int __cdecl SelectMimeMappingForFileExt(class IIS_SERVICE * __ptr64 const,char const * __ptr64,class STR * __ptr64,class STR * __ptr64) +?SelectMimeMappingForFileExt@@YAHQEAVIIS_SERVICE@@PEBDPEAVSTR@@2@Z +; int __cdecl ServerAddressHasCAPIInfo(class MB * __ptr64,char * __ptr64,unsigned long * __ptr64,unsigned long) +?ServerAddressHasCAPIInfo@@YAHPEAVMB@@PEADPEAKK@Z +; public: void __cdecl IIS_SERVICE::ServiceCtrlHandler(unsigned long) __ptr64 +?ServiceCtrlHandler@IIS_SERVICE@@QEAAXK@Z +; public: void __cdecl COMMON_METADATA::SetAccessPerms(unsigned long) __ptr64 +?SetAccessPerms@COMMON_METADATA@@QEAAXK@Z +; public: int __cdecl TCP_AUTHENT::SetAccessToken(void * __ptr64,void * __ptr64) __ptr64 +?SetAccessToken@TCP_AUTHENT@@QEAAHPEAX0@Z +; public: int __cdecl IIS_SERVER_INSTANCE::SetBandwidthThrottle(class MB * __ptr64) __ptr64 +?SetBandwidthThrottle@IIS_SERVER_INSTANCE@@QEAAHPEAVMB@@@Z +; public: int __cdecl IIS_SERVER_INSTANCE::SetBandwidthThrottleMaxBlocked(class MB * __ptr64) __ptr64 +?SetBandwidthThrottleMaxBlocked@IIS_SERVER_INSTANCE@@QEAAHPEAVMB@@@Z +; public: int __cdecl IIS_SERVER_INSTANCE::SetCommonConfig(struct _INET_INFO_CONFIG_INFO * __ptr64,int) __ptr64 +?SetCommonConfig@IIS_SERVER_INSTANCE@@QEAAHPEAU_INET_INFO_CONFIG_INFO@@H@Z +; public: unsigned long __cdecl LOGGING::SetConfig(struct _INETLOG_CONFIGURATIONA * __ptr64) __ptr64 +?SetConfig@LOGGING@@QEAAKPEAU_INETLOG_CONFIGURATIONA@@@Z +; public: int __cdecl ODBC_CONNECTION::SetConnectOption(unsigned short,unsigned long) __ptr64 +?SetConnectOption@ODBC_CONNECTION@@QEAAHGK@Z +; public: int __cdecl TS_OPEN_FILE_INFO::SetContext(void * __ptr64,int (__cdecl*)(void * __ptr64)) __ptr64 +?SetContext@TS_OPEN_FILE_INFO@@QEAAHPEAXP6AH0@Z@Z +; public: int __cdecl MB::SetData(char const * __ptr64,unsigned long,unsigned long,unsigned long,void * __ptr64,unsigned long,unsigned long) __ptr64 +?SetData@MB@@QEAAHPEBDKKKPEAXKK@Z +; public: int __cdecl TS_OPEN_FILE_INFO::SetHttpInfo(char * __ptr64,int) __ptr64 +?SetHttpInfo@TS_OPEN_FILE_INFO@@QEAAHPEADH@Z +; private: int __cdecl IIS_SERVICE::SetInstanceConfiguration(unsigned long,unsigned long,int,struct _INET_INFO_CONFIG_INFO * __ptr64) __ptr64 +?SetInstanceConfiguration@IIS_SERVICE@@AEAAHKKHPEAU_INET_INFO_CONFIG_INFO@@@Z +; public: void __cdecl INET_PARSER::SetListMode(int) __ptr64 +?SetListMode@INET_PARSER@@QEAAXH@Z +; public: void __cdecl TSVC_CACHE::SetParameters(unsigned long,unsigned long,void * __ptr64) __ptr64 +?SetParameters@TSVC_CACHE@@QEAAXKKPEAX@Z +; public: void __cdecl INET_PARSER::SetPtr(char * __ptr64) __ptr64 +?SetPtr@INET_PARSER@@QEAAXPEAD@Z +; public: int __cdecl TCP_AUTHENT::SetSecurityContextToken(struct _SecHandle * __ptr64,void * __ptr64,int (__cdecl*)(struct _SecHandle * __ptr64,void * __ptr64),void * __ptr64,class IIS_SSL_INFO * __ptr64) __ptr64 +?SetSecurityContextToken@TCP_AUTHENT@@QEAAHPEAU_SecHandle@@PEAXP6AH01@Z1PEAVIIS_SSL_INFO@@@Z +; public: void __cdecl IIS_SERVER_INSTANCE::SetServerState(unsigned long,unsigned long) __ptr64 +?SetServerState@IIS_SERVER_INSTANCE@@QEAAXKK@Z +; public: static int __cdecl IIS_SERVICE::SetServiceAdminInfo(unsigned long,unsigned long,unsigned long,int,struct _INET_INFO_CONFIG_INFO * __ptr64) +?SetServiceAdminInfo@IIS_SERVICE@@SAHKKKHPEAU_INET_INFO_CONFIG_INFO@@@Z +; public: void __cdecl IIS_SERVICE::SetServiceComment(char * __ptr64) __ptr64 +?SetServiceComment@IIS_SERVICE@@QEAAXPEAD@Z +; public: void __cdecl IIS_SERVICE::SetServiceSpecificExitCode(unsigned long) __ptr64 +?SetServiceSpecificExitCode@IIS_SERVICE@@QEAAXK@Z +; public: int __cdecl TCP_AUTHENT::SetTargetName(char * __ptr64) __ptr64 +?SetTargetName@TCP_AUTHENT@@QEAAHPEAD@Z +; public: int __cdecl ODBC_PARAMETER::SetValueBuffer(long,long) __ptr64 +?SetValueBuffer@ODBC_PARAMETER@@QEAAHJJ@Z +; public: void __cdecl IIS_SERVER_INSTANCE::SetWin32Error(unsigned long) __ptr64 +?SetWin32Error@IIS_SERVER_INSTANCE@@QEAAXK@Z +; public: void __cdecl IIS_SERVER_INSTANCE::SetZapRegKey(void) __ptr64 +?SetZapRegKey@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: int __cdecl LOGGING::ShutdownLogging(void) __ptr64 +?ShutdownLogging@LOGGING@@QEAAHXZ +; public: unsigned long __cdecl IIS_SERVICE::ShutdownScheduleCallback(void) __ptr64 +?ShutdownScheduleCallback@IIS_SERVICE@@QEAAKXZ +; public: int __cdecl IIS_SERVICE::ShutdownService(void) __ptr64 +?ShutdownService@IIS_SERVICE@@QEAAHXZ +; public: char * __ptr64 __cdecl INET_PARSER::SkipTo(char) __ptr64 +?SkipTo@INET_PARSER@@QEAAPEADD@Z +; public: int __cdecl TS_DIRECTORY_INFO::SortFileInfoPointers(int (__cdecl*)(void const * __ptr64,void const * __ptr64)) __ptr64 +?SortFileInfoPointers@TS_DIRECTORY_INFO@@QEAAHP6AHPEBX0@Z@Z +; public: virtual unsigned long __cdecl IIS_SERVER_INSTANCE::StartInstance(void) __ptr64 +?StartInstance@IIS_SERVER_INSTANCE@@UEAAKXZ +; public: int __cdecl TCP_AUTHENT::StartProcessAsUser(char const * __ptr64,char * __ptr64,int,unsigned long,void * __ptr64,char const * __ptr64,struct _STARTUPINFOA * __ptr64,struct _PROCESS_INFORMATION * __ptr64) __ptr64 +?StartProcessAsUser@TCP_AUTHENT@@QEAAHPEBDPEADHKPEAX0PEAU_STARTUPINFOA@@PEAU_PROCESS_INFORMATION@@@Z +; public: unsigned long __cdecl IIS_SERVICE::StartServiceOperation(void (__cdecl*)(unsigned long),unsigned long (__cdecl*)(void * __ptr64),unsigned long (__cdecl*)(void * __ptr64)) __ptr64 +?StartServiceOperation@IIS_SERVICE@@QEAAKP6AXK@ZP6AKPEAX@Z2@Z +; public: void __cdecl IIS_SERVICE::StartUpIndicateClientActivity(void) __ptr64 +?StartUpIndicateClientActivity@IIS_SERVICE@@QEAAXXZ +; public: unsigned long __cdecl IIS_SERVER_CERT::Status(void) __ptr64 +?Status@IIS_SERVER_CERT@@QEAAKXZ +; public: int __cdecl IIS_SERVER_INSTANCE::StopEndpoints(void) __ptr64 +?StopEndpoints@IIS_SERVER_INSTANCE@@QEAAHXZ +; private: int __cdecl IIS_SERVER_INSTANCE::StopEndpointsHelper(struct _LIST_ENTRY * __ptr64) __ptr64 +?StopEndpointsHelper@IIS_SERVER_INSTANCE@@AEAAHPEAU_LIST_ENTRY@@@Z +; public: virtual unsigned long __cdecl IIS_SERVER_INSTANCE::StopInstance(void) __ptr64 +?StopInstance@IIS_SERVER_INSTANCE@@UEAAKXZ +; public: virtual void __cdecl IIS_SERVICE::StopInstanceProcs(class IIS_SERVER_INSTANCE * __ptr64) __ptr64 +?StopInstanceProcs@IIS_SERVICE@@UEAAXPEAVIIS_SERVER_INSTANCE@@@Z +; private: void __cdecl IIS_SERVICE::StopService(void) __ptr64 +?StopService@IIS_SERVICE@@AEAAXXZ +; public: static int __cdecl ODBC_CONNECTION::Success(short) +?Success@ODBC_CONNECTION@@SAHF@Z +; public: static unsigned long __cdecl LOGGING::Terminate(void) +?Terminate@LOGGING@@SAKXZ +; public: unsigned long __cdecl IIS_SERVICE::TerminateDiscovery(void) __ptr64 +?TerminateDiscovery@IIS_SERVICE@@QEAAKXZ +; protected: void __cdecl INET_PARSER::TerminateLine(void) __ptr64 +?TerminateLine@INET_PARSER@@IEAAXXZ +; protected: void __cdecl INET_PARSER::TerminateToken(char) __ptr64 +?TerminateToken@INET_PARSER@@IEAAXD@Z +TsAddMetaData +; void __cdecl TsAddRefMetaData(void * __ptr64) +?TsAddRefMetaData@@YAXPEAX@Z +TsAllocate +TsAllocateEx +; unsigned long __cdecl TsApiAccessCheck(unsigned long) +?TsApiAccessCheck@@YAKK@Z +TsCacheDirectoryBlob +TsCacheFlush +TsCacheFlushDemux +TsCheckInCachedBlob +TsCheckInOrFree +TsCheckOutCachedBlob +TsCloseHandle +TsCloseURIFile +TsCreateETagFromHandle +TsCreateFile +TsCreateFileFromURI +TsDeCacheCachedBlob +TsDeleteOnClose +; int __cdecl TsDeleteUserToken(class CACHED_TOKEN * __ptr64) +?TsDeleteUserToken@@YAHPEAVCACHED_TOKEN@@@Z +TsDerefURIFile +TsDumpCacheToHtml +; public: int __cdecl IIS_SERVER_INSTANCE::TsEnumVirtualRoots(int (__cdecl*)(void * __ptr64,class MB * __ptr64,struct _VIRTUAL_ROOT * __ptr64),void * __ptr64,class MB * __ptr64) __ptr64 +?TsEnumVirtualRoots@IIS_SERVER_INSTANCE@@QEAAHP6AHPEAXPEAVMB@@PEAU_VIRTUAL_ROOT@@@Z01@Z +TsExpireCachedBlob +TsFindMetaData +TsFlushFilesWithContext +TsFlushMetaCache +TsFlushURL +TsFree +; int __cdecl TsFreeDirectoryListing(class TSVC_CACHE const & __ptr64,class TS_DIRECTORY_HEADER * __ptr64) +?TsFreeDirectoryListing@@YAHAEBVTSVC_CACHE@@PEAVTS_DIRECTORY_HEADER@@@Z +TsFreeMetaData +; int __cdecl TsGetDirectoryListing(class TSVC_CACHE const & __ptr64,char const * __ptr64,void * __ptr64,class TS_DIRECTORY_HEADER * __ptr64 * __ptr64) +?TsGetDirectoryListing@@YAHAEBVTSVC_CACHE@@PEBDPEAXPEAPEAVTS_DIRECTORY_HEADER@@@Z +TsGetFileSecDesc +; int __cdecl TsGetSecretW(unsigned short * __ptr64,class BUFFER * __ptr64) +?TsGetSecretW@@YAHPEAGPEAVBUFFER@@@Z +; int __cdecl TsImpersonateUser(class CACHED_TOKEN * __ptr64) +?TsImpersonateUser@@YAHPEAVCACHED_TOKEN@@@Z +TsLastWriteTimeFromHandle +; class CACHED_TOKEN * __ptr64 __cdecl TsLogonUser(char * __ptr64,char * __ptr64,int * __ptr64,int * __ptr64,class IIS_SERVER_INSTANCE * __ptr64,class TCP_AUTHENT_INFO * __ptr64,char * __ptr64,union _LARGE_INTEGER * __ptr64,int * __ptr64) +?TsLogonUser@@YAPEAVCACHED_TOKEN@@PEAD0PEAH1PEAVIIS_SERVER_INSTANCE@@PEAVTCP_AUTHENT_INFO@@0PEAT_LARGE_INTEGER@@1@Z +TsMakeWidePath +; public: void __cdecl IIS_SERVER_INSTANCE::TsMirrorVirtualRoots(struct _INET_INFO_CONFIG_INFO * __ptr64) __ptr64 +?TsMirrorVirtualRoots@IIS_SERVER_INSTANCE@@QEAAXPEAU_INET_INFO_CONFIG_INFO@@@Z +; int __cdecl TsProcessGatewayRequest(void * __ptr64,struct _IGATEWAY_REQUEST * __ptr64,int (__cdecl*)(void * __ptr64,unsigned long,unsigned char * __ptr64,unsigned long)) +?TsProcessGatewayRequest@@YAHPEAXPEAU_IGATEWAY_REQUEST@@P6AH0KPEAEK@Z@Z +; public: int __cdecl IIS_SERVER_INSTANCE::TsReadVirtualRoots(struct _MD_CHANGE_OBJECT_A * __ptr64) __ptr64 +?TsReadVirtualRoots@IIS_SERVER_INSTANCE@@QEAAHPEAU_MD_CHANGE_OBJECT_A@@@Z +; public: int __cdecl IIS_SERVER_INSTANCE::TsRecursiveEnumVirtualRoots(int (__cdecl*)(void * __ptr64,class MB * __ptr64,struct _VIRTUAL_ROOT * __ptr64),void * __ptr64,char * __ptr64,unsigned long,void * __ptr64,int) __ptr64 +?TsRecursiveEnumVirtualRoots@IIS_SERVER_INSTANCE@@QEAAHP6AHPEAXPEAVMB@@PEAU_VIRTUAL_ROOT@@@Z0PEADK0H@Z +TsReferenceMetaData +; unsigned long __cdecl TsSetSecretW(unsigned short * __ptr64,unsigned short * __ptr64,unsigned long) +?TsSetSecretW@@YAKPEAG0K@Z +; public: int __cdecl IIS_SERVER_INSTANCE::TsSetVirtualRoots(struct _INET_INFO_CONFIG_INFO * __ptr64) __ptr64 +?TsSetVirtualRoots@IIS_SERVER_INSTANCE@@QEAAHPEAU_INET_INFO_CONFIG_INFO@@@Z +; void * __ptr64 __cdecl TsTokenToHandle(class CACHED_TOKEN * __ptr64) +?TsTokenToHandle@@YAPEAXPEAVCACHED_TOKEN@@@Z +; void * __ptr64 __cdecl TsTokenToImpHandle(class CACHED_TOKEN * __ptr64) +?TsTokenToImpHandle@@YAPEAXPEAVCACHED_TOKEN@@@Z +Tsunami_Initialize +; private: unsigned long __cdecl IIS_SERVER_INSTANCE::UnbindHelper(struct _LIST_ENTRY * __ptr64) __ptr64 +?UnbindHelper@IIS_SERVER_INSTANCE@@AEAAKPEAU_LIST_ENTRY@@@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::UnbindInstance(void) __ptr64 +?UnbindInstance@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: void __cdecl IIS_SSL_INFO::Unlock(void) __ptr64 +?Unlock@IIS_SSL_INFO@@QEAAXXZ +; public: void __cdecl IIS_VROOT_TABLE::Unlock(void) __ptr64 +?Unlock@IIS_VROOT_TABLE@@QEAAXXZ +; private: void __cdecl LOGGING::Unlock(void) __ptr64 +?Unlock@LOGGING@@AEAAXXZ +; public: void __cdecl IIS_SERVER_INSTANCE::UnlockThis(void) __ptr64 +?UnlockThis@IIS_SERVER_INSTANCE@@QEAAXXZ +; public: void __cdecl STORE_CHANGE_NOTIFIER::UnregisterStore(char * __ptr64,void (__cdecl*)(void * __ptr64),void * __ptr64) __ptr64 +?UnregisterStore@STORE_CHANGE_NOTIFIER@@QEAAXPEADP6AXPEAX@Z1@Z +; private: unsigned long __cdecl IIS_SERVER_INSTANCE::UpdateBindingsHelper(int) __ptr64 +?UpdateBindingsHelper@IIS_SERVER_INSTANCE@@AEAAKH@Z +; public: int __cdecl TCP_AUTHENT::UpdateClientCertFlags(unsigned long,int * __ptr64,unsigned char * __ptr64,unsigned long) __ptr64 +?UpdateClientCertFlags@TCP_AUTHENT@@QEAAHKPEAHPEAEK@Z +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::UpdateNormalBindings(void) __ptr64 +?UpdateNormalBindings@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: unsigned long __cdecl IIS_SERVER_INSTANCE::UpdateSecureBindings(void) __ptr64 +?UpdateSecureBindings@IIS_SERVER_INSTANCE@@QEAAKXZ +; public: unsigned long __cdecl IIS_SERVICE::UpdateServiceStatus(unsigned long,unsigned long,unsigned long,unsigned long) __ptr64 +?UpdateServiceStatus@IIS_SERVICE@@QEAAKKKKK@Z +; public: int __cdecl IIS_SSL_INFO::UseDSMapper(void) __ptr64 +?UseDSMapper@IIS_SSL_INFO@@QEAAHXZ +; private: int __cdecl IIS_SERVER_CERT::UseProgrammaticPINEntry(class MB * __ptr64) __ptr64 +?UseProgrammaticPINEntry@IIS_SERVER_CERT@@AEAAHPEAVMB@@@Z +; public: int __cdecl IIS_CTL::VerifySignature(void * __ptr64 * __ptr64,unsigned long,int * __ptr64) __ptr64 +?VerifySignature@IIS_CTL@@QEAAHPEAPEAXKPEAH@Z +; public: int __cdecl TS_OPEN_FILE_INFO::WeakETag(void)const __ptr64 +?WeakETag@TS_OPEN_FILE_INFO@@QEBAHXZ +; public: void __cdecl IIS_SERVER_INSTANCE::ZapInstanceMBTree(void) __ptr64 +?ZapInstanceMBTree@IIS_SERVER_INSTANCE@@QEAAXXZ +; void __cdecl _TsValidateMetaCache(void) +?_TsValidateMetaCache@@YAXXZ +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogCustomInformation)(void * __ptr64,unsigned long,struct _CUSTOM_LOG_DATA * __ptr64,char * __ptr64) +?m_ComLogCustomInformation@LOGGING@@0P6AKPEAXKPEAU_CUSTOM_LOG_DATA@@PEAD@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogDllCleanUp)(void) +?m_ComLogDllCleanUp@LOGGING@@0P6AKXZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogDllStartup)(void) +?m_ComLogDllStartup@LOGGING@@0P6AKXZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogGetConfig)(void * __ptr64,struct _INETLOG_CONFIGURATIONA * __ptr64) +?m_ComLogGetConfig@LOGGING@@0P6AKPEAXPEAU_INETLOG_CONFIGURATIONA@@@ZEA DATA +; private: static void * __ptr64 (__cdecl* __ptr64 LOGGING::m_ComLogInitializeLog)(char const * __ptr64,char const * __ptr64,void * __ptr64) +?m_ComLogInitializeLog@LOGGING@@0P6APEAXPEBD0PEAX@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogLogInformation)(void * __ptr64,struct _INETLOG_INFORMATION const * __ptr64) +?m_ComLogLogInformation@LOGGING@@0P6AKPEAXPEBU_INETLOG_INFORMATION@@@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogNotifyChange)(void * __ptr64) +?m_ComLogNotifyChange@LOGGING@@0P6AKPEAX@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogQueryExtraLogFields)(void * __ptr64,char * __ptr64,unsigned long * __ptr64) +?m_ComLogQueryExtraLogFields@LOGGING@@0P6AKPEAXPEADPEAK@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogSetConfig)(void * __ptr64,struct _INETLOG_CONFIGURATIONA const * __ptr64) +?m_ComLogSetConfig@LOGGING@@0P6AKPEAXPEBU_INETLOG_CONFIGURATIONA@@@ZEA DATA +; private: static unsigned long (__cdecl* __ptr64 LOGGING::m_ComLogTerminateLog)(void * __ptr64) +?m_ComLogTerminateLog@LOGGING@@0P6AKPEAX@ZEA DATA +; private: static struct HINSTANCE__ * __ptr64 __ptr64 LOGGING::m_hComLogDLL +?m_hComLogDLL@LOGGING@@0PEAUHINSTANCE__@@EA DATA +; public: static unsigned __int64 IIS_SERVER_CERT::m_hFortezzaCSP +?m_hFortezzaCSP@IIS_SERVER_CERT@@2_KA DATA +; public: static void * __ptr64 __ptr64 IIS_SERVER_CERT::m_hFortezzaCtxt +?m_hFortezzaCtxt@IIS_SERVER_CERT@@2PEAXEA DATA +; private: static struct IUnknown * __ptr64 __ptr64 IIS_SERVICE::sm_MDNseObject +?sm_MDNseObject@IIS_SERVICE@@0PEAUIUnknown@@EA DATA +; private: static struct IUnknown * __ptr64 __ptr64 IIS_SERVICE::sm_MDObject +?sm_MDObject@IIS_SERVICE@@0PEAUIUnknown@@EA DATA +; private: static struct _LIST_ENTRY IIS_SERVICE::sm_ServiceInfoListHead +?sm_ServiceInfoListHead@IIS_SERVICE@@0U_LIST_ENTRY@@A DATA +; private: static struct _RTL_CRITICAL_SECTION IIS_SERVICE::sm_csLock +?sm_csLock@IIS_SERVICE@@0U_RTL_CRITICAL_SECTION@@A DATA +; private: static int IIS_SERVICE::sm_fInitialized +?sm_fInitialized@IIS_SERVICE@@0HA DATA +; private: static class ISRPC * __ptr64 __ptr64 IIS_SERVICE::sm_isrpc +?sm_isrpc@IIS_SERVICE@@0PEAVISRPC@@EA DATA +; public: static struct _TRACE_LOG * __ptr64 __ptr64 IIS_SERVER_INSTANCE::sm_pDbgRefTraceLog +?sm_pDbgRefTraceLog@IIS_SERVER_INSTANCE@@2PEAU_TRACE_LOG@@EA DATA +; public: static struct _TRACE_LOG * __ptr64 __ptr64 IIS_SERVICE::sm_pDbgRefTraceLog +?sm_pDbgRefTraceLog@IIS_SERVICE@@2PEAU_TRACE_LOG@@EA DATA +; int __cdecl uudecode(char * __ptr64,class BUFFER * __ptr64,unsigned long * __ptr64,int) +?uudecode@@YAHPEADPEAVBUFFER@@PEAKH@Z +; int __cdecl uuencode(unsigned char * __ptr64,unsigned long,class BUFFER * __ptr64,int) +?uuencode@@YAHPEAEKPEAVBUFFER@@H@Z +ConvertStringToRpc +ConvertUnicodeToAnsi +DoSynchronousReadFile +FreeRpcString +InetNtoa +InitCommonDlls +KludgeMultiSz +ReadRegString +ReadRegistryDwordA +ReadRegistryStr +ReadRegistryString +TcpSockRecv +TcpSockSend +TcpSockTest +TerminateCommonDlls +TsDumpCacheCounters +WaitForSocketWorker +WriteRegistryDwordA +WriteRegistryStringA +WriteRegistryStringW diff --git a/lib/libc/mingw/lib64/infoctrs.def b/lib/libc/mingw/lib64/infoctrs.def new file mode 100644 index 0000000000..b97e023d95 --- /dev/null +++ b/lib/libc/mingw/lib64/infoctrs.def @@ -0,0 +1,11 @@ +; +; Exports of file INFOCTRS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY INFOCTRS.dll +EXPORTS +OpenINFOPerformanceData +CollectINFOPerformanceData +CloseINFOPerformanceData diff --git a/lib/libc/mingw/lib64/infosoft.def b/lib/libc/mingw/lib64/infosoft.def new file mode 100644 index 0000000000..3e6df8396b --- /dev/null +++ b/lib/libc/mingw/lib64/infosoft.def @@ -0,0 +1,49 @@ +; +; Exports of file infosoft.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY infosoft.dll +EXPORTS +IIapp +IIapp_mem +IIbuf +IIbuf_mem +IIdb +IIdb_mem +DllCanUnloadNow +DllGetClassObject +IIword +DllRegisterServer +DllUnregisterServer +IIGetAppElem +IIdiagoff +IIGetFM +IIdiagon +NTFMClose +NTFMCompare +NTFMCopy +NTFMCreate +NTFMDelete +NTFMDestruct +NTFMFlushMapping +NTFMGetDirtyBit +NTFMGetLength +NTFMGetMapHandle +NTFMGetMapping +NTFMGetName +NTFMGetPosition +NTFMGetStatus +NTFMLockMapping +NTFMOpen +NTFMRead +NTFMReleaseMapHandle +NTFMSeek +NTFMSetDirtyBit +NTFMSetLength +NTFMSetMapping +NTFMSetMutexProc +NTFMSetName +NTFMUnlockMapping +NTFMWrite diff --git a/lib/libc/mingw/lib64/initpki.def b/lib/libc/mingw/lib64/initpki.def new file mode 100644 index 0000000000..58e2ab1772 --- /dev/null +++ b/lib/libc/mingw/lib64/initpki.def @@ -0,0 +1,12 @@ +; +; Exports of file INITPKI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY INITPKI.dll +EXPORTS +DllInstall +DllRegisterServer +DllUnregisterServer +InitializePKI diff --git a/lib/libc/mingw/lib64/ipmontr.def b/lib/libc/mingw/lib64/ipmontr.def new file mode 100644 index 0000000000..e103c99e62 --- /dev/null +++ b/lib/libc/mingw/lib64/ipmontr.def @@ -0,0 +1,21 @@ +; +; Exports of file IPMONTR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IPMONTR.dll +EXPORTS +InitHelperDll +IpmontrDeleteInfoBlockFromInterfaceInfo +IpmontrDeleteProtocol +IpmontrGetFriendlyNameFromIfIndex +IpmontrGetFriendlyNameFromIfName +IpmontrGetIfIndexFromFriendlyName +IpmontrGetIfNameFromFriendlyName +IpmontrGetInfoBlockFromGlobalInfo +IpmontrGetInfoBlockFromInterfaceInfo +IpmontrGetInterfaceType +IpmontrInterfaceEnum +IpmontrSetInfoBlockInGlobalInfo +IpmontrSetInfoBlockInInterfaceInfo diff --git a/lib/libc/mingw/lib64/iprop.def b/lib/libc/mingw/lib64/iprop.def new file mode 100644 index 0000000000..9f8b482a8e --- /dev/null +++ b/lib/libc/mingw/lib64/iprop.def @@ -0,0 +1,16 @@ +; +; Exports of file IPROP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IPROP.dll +EXPORTS +FmtIdToPropStgName +FreePropVariantArray +PropStgNameToFmtId +PropVariantClear +PropVariantCopy +StgCreatePropSetStg +StgCreatePropStg +StgOpenPropStg diff --git a/lib/libc/mingw/lib64/iprtprio.def b/lib/libc/mingw/lib64/iprtprio.def new file mode 100644 index 0000000000..b0d7a8fe18 --- /dev/null +++ b/lib/libc/mingw/lib64/iprtprio.def @@ -0,0 +1,11 @@ +; +; Exports of file iprtprio.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iprtprio.dll +EXPORTS +ComputeRouteMetric +GetPriorityInfo +SetPriorityInfo diff --git a/lib/libc/mingw/lib64/iprtrmgr.def b/lib/libc/mingw/lib64/iprtrmgr.def new file mode 100644 index 0000000000..354212053a --- /dev/null +++ b/lib/libc/mingw/lib64/iprtrmgr.def @@ -0,0 +1,12 @@ +; +; Exports of file iprtrmgr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY iprtrmgr.dll +EXPORTS +MapAddressToAdapter +MapInterfaceToAdapter +MapInterfaceToRouterIfType +StartRouter diff --git a/lib/libc/mingw/lib64/ipsecsvc.def b/lib/libc/mingw/lib64/ipsecsvc.def new file mode 100644 index 0000000000..153d6e58d5 --- /dev/null +++ b/lib/libc/mingw/lib64/ipsecsvc.def @@ -0,0 +1,9 @@ +; +; Exports of file IPSECSPD.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IPSECSPD.DLL +EXPORTS +SPDServiceMain diff --git a/lib/libc/mingw/lib64/ipxsap.def b/lib/libc/mingw/lib64/ipxsap.def new file mode 100644 index 0000000000..388f6eb806 --- /dev/null +++ b/lib/libc/mingw/lib64/ipxsap.def @@ -0,0 +1,10 @@ +; +; Exports of file ipxsap.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ipxsap.dll +EXPORTS +RegisterProtocol +ServiceMain diff --git a/lib/libc/mingw/lib64/irclass.def b/lib/libc/mingw/lib64/irclass.def new file mode 100644 index 0000000000..98f60693da --- /dev/null +++ b/lib/libc/mingw/lib64/irclass.def @@ -0,0 +1,10 @@ +; +; Exports of file IRCLASS.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IRCLASS.DLL +EXPORTS +IrSIRClassCoInstaller +IrSIRPortPropPageProvider diff --git a/lib/libc/mingw/lib64/isatq.def b/lib/libc/mingw/lib64/isatq.def new file mode 100644 index 0000000000..c1abd8958e --- /dev/null +++ b/lib/libc/mingw/lib64/isatq.def @@ -0,0 +1,159 @@ +; +; Exports of file ISATQ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ISATQ.dll +EXPORTS +; public: __cdecl CTypedHashTable::CTypedHashTable(char const * __ptr64,double,unsigned long,unsigned long,bool) __ptr64 +??0?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA@PEBDNKK_N@Z +; public: __cdecl CDirMonitor::CDirMonitor(void) __ptr64 +??0CDirMonitor@@QEAA@XZ +; public: __cdecl CDirMonitorEntry::CDirMonitorEntry(class CDirMonitorEntry const & __ptr64) __ptr64 +??0CDirMonitorEntry@@QEAA@AEBV0@@Z +; public: __cdecl CDirMonitorEntry::CDirMonitorEntry(void) __ptr64 +??0CDirMonitorEntry@@QEAA@XZ +; public: __cdecl CTypedHashTable::~CTypedHashTable(void) __ptr64 +??1?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA@XZ +; public: __cdecl CDirMonitor::~CDirMonitor(void) __ptr64 +??1CDirMonitor@@QEAA@XZ +; public: virtual __cdecl CDirMonitorEntry::~CDirMonitorEntry(void) __ptr64 +??1CDirMonitorEntry@@UEAA@XZ +; public: class CDirMonitorEntry & __ptr64 __cdecl CDirMonitorEntry::operator=(class CDirMonitorEntry const & __ptr64) __ptr64 +??4CDirMonitorEntry@@QEAAAEAV0@AEBV0@@Z +; const CDirMonitorEntry::`vftable' +??_7CDirMonitorEntry@@6B@ +; public: long __cdecl CDirMonitor::AddRef(void) __ptr64 +?AddRef@CDirMonitor@@QEAAJXZ +; public: virtual void __cdecl CDirMonitorEntry::AddRef(void) __ptr64 +?AddRef@CDirMonitorEntry@@UEAAXXZ +; public: static void __cdecl CDirMonitor::AddRefRecord(class CDirMonitorEntry * __ptr64,int) +?AddRefRecord@CDirMonitor@@SAXPEAVCDirMonitorEntry@@H@Z +; public: unsigned long __cdecl CTypedHashTable::Apply(enum LK_ACTION (__cdecl*)(class CDirMonitorEntry * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAAKP6A?AW4LK_ACTION@@PEAVCDirMonitorEntry@@PEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CTypedHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(class CDirMonitorEntry * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(class CDirMonitorEntry * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAAKP6A?AW4LK_PREDICATE@@PEAVCDirMonitorEntry@@PEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; public: static unsigned long __cdecl CDirMonitor::CalcKeyHash(char const * __ptr64) +?CalcKeyHash@CDirMonitor@@SAKPEBD@Z +; public: int __cdecl CDirMonitor::Cleanup(void) __ptr64 +?Cleanup@CDirMonitor@@QEAAHXZ +; protected: int __cdecl CDirMonitorEntry::Cleanup(void) __ptr64 +?Cleanup@CDirMonitorEntry@@IEAAHXZ +; public: unsigned long __cdecl CTypedHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(class CDirMonitorEntry * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAAKP6A?AW4LK_PREDICATE@@PEAVCDirMonitorEntry@@PEAX@Z1@Z +; public: enum LK_RETCODE __cdecl CTypedHashTable::DeleteKey(char const * __ptr64 const) __ptr64 +?DeleteKey@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA?AW4LK_RETCODE@@QEBD@Z +; public: enum LK_RETCODE __cdecl CTypedHashTable::DeleteRecord(class CDirMonitorEntry const * __ptr64) __ptr64 +?DeleteRecord@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA?AW4LK_RETCODE@@PEBVCDirMonitorEntry@@@Z +; public: static void __cdecl CDirMonitor::DirMonitorCompletionFunction(void * __ptr64,unsigned long,unsigned long,struct _OVERLAPPED * __ptr64) +?DirMonitorCompletionFunction@CDirMonitor@@SAXPEAXKKPEAU_OVERLAPPED@@@Z +; public: static bool __cdecl CDirMonitor::EqualKeys(char const * __ptr64,char const * __ptr64) +?EqualKeys@CDirMonitor@@SA_NPEBD0@Z +; public: bool __cdecl CTypedHashTable::EqualRange(char const * __ptr64 const,class CTypedHashTable::iterator & __ptr64,class CTypedHashTable::iterator & __ptr64) __ptr64 +?EqualRange@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA_NQEBDAEAViterator@1@1@Z +; public: bool __cdecl CTypedHashTable::Erase(class CTypedHashTable::iterator & __ptr64,class CTypedHashTable::iterator & __ptr64) __ptr64 +?Erase@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA_NAEAViterator@1@0@Z +; public: bool __cdecl CTypedHashTable::Erase(class CTypedHashTable::iterator & __ptr64) __ptr64 +?Erase@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA_NAEAViterator@1@@Z +; public: static char const * __ptr64 __cdecl CDirMonitor::ExtractKey(class CDirMonitorEntry const * __ptr64) +?ExtractKey@CDirMonitor@@SAPEBDPEBVCDirMonitorEntry@@@Z +; public: bool __cdecl CTypedHashTable::Find(char const * __ptr64 const,class CTypedHashTable::iterator & __ptr64) __ptr64 +?Find@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA_NQEBDAEAViterator@1@@Z +; public: class CDirMonitorEntry * __ptr64 __cdecl CDirMonitor::FindEntry(char const * __ptr64) __ptr64 +?FindEntry@CDirMonitor@@QEAAPEAVCDirMonitorEntry@@PEBD@Z +; public: enum LK_RETCODE __cdecl CTypedHashTable::FindKey(char const * __ptr64 const,class CDirMonitorEntry * __ptr64 * __ptr64)const __ptr64 +?FindKey@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEBA?AW4LK_RETCODE@@QEBDPEAPEAVCDirMonitorEntry@@@Z +; public: enum LK_RETCODE __cdecl CTypedHashTable::FindRecord(class CDirMonitorEntry const * __ptr64)const __ptr64 +?FindRecord@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEBA?AW4LK_RETCODE@@PEBVCDirMonitorEntry@@@Z +; protected: unsigned long __cdecl CDirMonitorEntry::GetBufferSize(void) __ptr64 +?GetBufferSize@CDirMonitorEntry@@IEAAKXZ +; protected: void __cdecl CDirMonitorEntry::IOAddRef(void) __ptr64 +?IOAddRef@CDirMonitorEntry@@IEAAXXZ +; protected: int __cdecl CDirMonitorEntry::IORelease(void) __ptr64 +?IORelease@CDirMonitorEntry@@IEAAHXZ +; public: virtual int __cdecl CDirMonitorEntry::Init(unsigned long) __ptr64 +?Init@CDirMonitorEntry@@UEAAHK@Z +; public: bool __cdecl CTypedHashTable::Insert(class CDirMonitorEntry const * __ptr64,class CTypedHashTable::iterator & __ptr64,bool) __ptr64 +?Insert@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA_NPEBVCDirMonitorEntry@@AEAViterator@1@_N@Z +; public: enum LK_RETCODE __cdecl CDirMonitor::InsertEntry(class CDirMonitorEntry * __ptr64) __ptr64 +?InsertEntry@CDirMonitor@@QEAA?AW4LK_RETCODE@@PEAVCDirMonitorEntry@@@Z +; public: enum LK_RETCODE __cdecl CTypedHashTable::InsertRecord(class CDirMonitorEntry const * __ptr64,bool) __ptr64 +?InsertRecord@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA?AW4LK_RETCODE@@PEBVCDirMonitorEntry@@_N@Z +; public: void __cdecl CDirMonitor::Lock(void) __ptr64 +?Lock@CDirMonitor@@QEAAXXZ +; public: int __cdecl CDirMonitor::Monitor(class CDirMonitorEntry * __ptr64,char const * __ptr64,int,unsigned long) __ptr64 +?Monitor@CDirMonitor@@QEAAHPEAVCDirMonitorEntry@@PEBDHK@Z +; public: long __cdecl CDirMonitor::Release(void) __ptr64 +?Release@CDirMonitor@@QEAAJXZ +; public: virtual int __cdecl CDirMonitorEntry::Release(void) __ptr64 +?Release@CDirMonitorEntry@@UEAAHXZ +; public: enum LK_RETCODE __cdecl CDirMonitor::RemoveEntry(class CDirMonitorEntry * __ptr64) __ptr64 +?RemoveEntry@CDirMonitor@@QEAA?AW4LK_RETCODE@@PEAVCDirMonitorEntry@@@Z +; protected: int __cdecl CDirMonitorEntry::RequestNotification(void) __ptr64 +?RequestNotification@CDirMonitorEntry@@IEAAHXZ +; protected: int __cdecl CDirMonitorEntry::ResetDirectoryHandle(void) __ptr64 +?ResetDirectoryHandle@CDirMonitorEntry@@IEAAHXZ +; private: void __cdecl CDirMonitor::SerialComplLock(void) __ptr64 +?SerialComplLock@CDirMonitor@@AEAAXXZ +; private: void __cdecl CDirMonitor::SerialComplUnlock(void) __ptr64 +?SerialComplUnlock@CDirMonitor@@AEAAXXZ +; protected: int __cdecl CDirMonitorEntry::SetBufferSize(unsigned long) __ptr64 +?SetBufferSize@CDirMonitorEntry@@IEAAHK@Z +; public: void __cdecl CDirMonitor::Unlock(void) __ptr64 +?Unlock@CDirMonitor@@QEAAXXZ +; private: static enum LK_ACTION __cdecl CTypedHashTable::_Action(void const * __ptr64,void * __ptr64) +?_Action@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CA?AW4LK_ACTION@@PEBXPEAX@Z +; private: static void __cdecl CTypedHashTable::_AddRefRecord(void const * __ptr64,int) +?_AddRefRecord@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CAXPEBXH@Z +; private: static unsigned long __cdecl CTypedHashTable::_CalcKeyHash(unsigned __int64) +?_CalcKeyHash@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CAK_K@Z +; private: static bool __cdecl CTypedHashTable::_EqualKeys(unsigned __int64,unsigned __int64) +?_EqualKeys@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CA_N_K0@Z +; private: static unsigned __int64 const __cdecl CTypedHashTable::_ExtractKey(void const * __ptr64) +?_ExtractKey@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CA?B_KPEBX@Z +; private: static enum LK_PREDICATE __cdecl CTypedHashTable::_Pred(void const * __ptr64,void * __ptr64) +?_Pred@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@CA?AW4LK_PREDICATE@@PEBXPEAX@Z +; public: class CTypedHashTable::iterator __cdecl CTypedHashTable::begin(void) __ptr64 +?begin@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA?AViterator@1@XZ +; public: class CTypedHashTable::iterator __cdecl CTypedHashTable::end(void) __ptr64 +?end@?$CTypedHashTable@VCDirMonitor@@VCDirMonitorEntry@@PEBDVCLKRHashTable@@@@QEAA?AViterator@1@XZ +AtqAddAsyncHandle +AtqBandwidthGetInfo +AtqBandwidthSetInfo +AtqClearStatistics +AtqCloseEndpoint +AtqCloseFileHandle +AtqCloseSocket +AtqContextSetInfo +AtqCreateBandwidthInfo +AtqCreateEndpoint +AtqEndpointGetInfo +AtqEndpointSetInfo +AtqFreeBandwidthInfo +AtqFreeContext +AtqGetAcceptExAddrs +AtqGetCapTraceInfo +AtqGetCompletionPort +AtqGetInfo +AtqGetStatistics +AtqInitialize +AtqPostCompletionStatus +AtqReadDirChanges +AtqReadFile +AtqReadSocket +AtqSetInfo +AtqSetSocketOption +AtqStartEndpoint +AtqStopAndCloseEndpoint +AtqStopEndpoint +AtqSyncWsaSend +AtqTerminate +AtqTransmitFile +AtqTransmitFileEx +AtqWriteFile +AtqWriteSocket +GetIISCapTraceFlag +GetIISCapTraceLoggerHandle +IISInitializeCapTrace +SetIISCapTraceFlag diff --git a/lib/libc/mingw/lib64/iscomlog.def b/lib/libc/mingw/lib64/iscomlog.def new file mode 100644 index 0000000000..fecc80c7c3 --- /dev/null +++ b/lib/libc/mingw/lib64/iscomlog.def @@ -0,0 +1,32 @@ +; +; Exports of file ISCOMLOG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ISCOMLOG.dll +EXPORTS +; public: __cdecl LOGGING::LOGGING(class LOGGING const & __ptr64) __ptr64 +??0LOGGING@@QEAA@AEBV0@@Z +; public: class LOGGING & __ptr64 __cdecl LOGGING::operator=(class LOGGING const & __ptr64) __ptr64 +??4LOGGING@@QEAAAEAV0@AEBV0@@Z +ComLogCustomInformation +ComLogDllCleanUp +ComLogDllStartup +ComLogGetConfig +ComLogInitializeLog +ComLogLogInformation +ComLogNotifyChange +ComLogQueryExtraLogFields +ComLogSetConfig +ComLogTerminateLog +; private: void __cdecl LOGGING::LockExclusive(void) __ptr64 +?LockExclusive@LOGGING@@AEAAXXZ +; private: void __cdecl LOGGING::LockShared(void) __ptr64 +?LockShared@LOGGING@@AEAAXXZ +; private: void __cdecl LOGGING::Unlock(void) __ptr64 +?Unlock@LOGGING@@AEAAXXZ +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/isign32.def b/lib/libc/mingw/lib64/isign32.def new file mode 100644 index 0000000000..269419950c --- /dev/null +++ b/lib/libc/mingw/lib64/isign32.def @@ -0,0 +1,18 @@ +; +; Exports of file isignup2.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY isignup2.dll +EXPORTS +AutoDialLogon +AutoDialLogonA +AutoDialLogonW +AutoDialSignup +AutoDialSignupA +AutoDialSignupW +IEAKProcessISP +IEAKProcessISPA +IEAKProcessISPW +Signup diff --git a/lib/libc/mingw/lib64/iyuv_32.def b/lib/libc/mingw/lib64/iyuv_32.def new file mode 100644 index 0000000000..276e0f4701 --- /dev/null +++ b/lib/libc/mingw/lib64/iyuv_32.def @@ -0,0 +1,12 @@ +; +; Exports of file IYUV_32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IYUV_32.dll +EXPORTS +AboutDialogProc +DllMain +DriverDialogProc +DriverProc diff --git a/lib/libc/mingw/lib64/jet500.def b/lib/libc/mingw/lib64/jet500.def new file mode 100644 index 0000000000..5dbd7b1156 --- /dev/null +++ b/lib/libc/mingw/lib64/jet500.def @@ -0,0 +1,93 @@ +; +; Exports of file JET500.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY JET500.dll +EXPORTS +JetAddColumn +JetAttachDatabase +JetBackup +JetBeginExternalBackup +JetBeginSession +JetBeginTransaction +JetCloseDatabase +JetCloseFile +JetCloseTable +JetCommitTransaction +JetCompact +JetComputeStats +JetCreateDatabase +JetCreateIndex +JetCreateLink +JetCreateQuery +JetCreateTable +JetCreateTableColumnIndex +JetDBUtilities +JetDelete +JetDeleteColumn +JetDeleteIndex +JetDeleteTable +JetDetachDatabase +JetDupCursor +JetDupSession +JetEndExternalBackup +JetEndSession +JetExecuteSql +JetExternalRestore +JetGetAttachInfo +JetGetBookmark +JetGetChecksum +JetGetColumnInfo +JetGetCounter +JetGetCurrentIndex +JetGetCursorInfo +JetGetDatabaseInfo +JetGetIndexInfo +JetGetLogInfo +JetGetObjectInfo +JetGetObjidFromName +JetGetQueryParameterInfo +JetGetRecordPosition +JetGetSystemParameter +JetGetTableColumnInfo +JetGetTableIndexInfo +JetGetTableInfo +JetGetVersion +JetGotoBookmark +JetGotoPosition +JetIdle +JetIndexRecordCount +JetInit +JetMakeKey +JetMove +JetOpenDatabase +JetOpenFile +JetOpenQueryDef +JetOpenTable +JetOpenTempTable +JetOpenTempTable2 +JetPrepareUpdate +JetReadFile +JetResetCounter +JetRestore +JetRestore2 +JetRetrieveColumn +JetRetrieveColumns +JetRetrieveKey +JetRetrieveQoSql +JetRollback +JetSeek +JetSetAccess +JetSetColumn +JetSetColumns +JetSetCurrentIndex +JetSetCurrentIndex2 +JetSetIndexRange +JetSetQoSql +JetSetSystemParameter +JetTerm +JetTerm2 +JetTruncateLog +JetUpdate diff --git a/lib/libc/mingw/lib64/kd1394.def b/lib/libc/mingw/lib64/kd1394.def new file mode 100644 index 0000000000..e5fd13b66f --- /dev/null +++ b/lib/libc/mingw/lib64/kd1394.def @@ -0,0 +1,16 @@ +; +; Exports of file KD1394.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY KD1394.dll +EXPORTS +KdD0Transition +KdD3Transition +KdDebuggerInitialize0 +KdDebuggerInitialize1 +KdReceivePacket +KdRestore +KdSave +KdSendPacket diff --git a/lib/libc/mingw/lib64/kerberos.def b/lib/libc/mingw/lib64/kerberos.def new file mode 100644 index 0000000000..972f6d76d2 --- /dev/null +++ b/lib/libc/mingw/lib64/kerberos.def @@ -0,0 +1,18 @@ +; +; Exports of file Kerberos.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY Kerberos.dll +EXPORTS +SpInitialize +KerbDomainChangeCallback +SpLsaModeInitialize +SpUserModeInitialize +KerbCreateTokenFromTicket +KerbFree +KerbIsInitialized +KerbKdcCallBack +KerbMakeKdcCall +SpInstanceInit diff --git a/lib/libc/mingw/lib64/lmmib2.def b/lib/libc/mingw/lib64/lmmib2.def new file mode 100644 index 0000000000..90e82ef198 --- /dev/null +++ b/lib/libc/mingw/lib64/lmmib2.def @@ -0,0 +1,12 @@ +; +; Exports of file lmmib2.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY lmmib2.dll +EXPORTS +SnmpExtensionClose +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/localspl.def b/lib/libc/mingw/lib64/localspl.def new file mode 100644 index 0000000000..9fb52e677b --- /dev/null +++ b/lib/libc/mingw/lib64/localspl.def @@ -0,0 +1,81 @@ +; +; Exports of file LocalSpl.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LocalSpl.dll +EXPORTS +ClosePrintProcessor +ControlPrintProcessor +DllMain +EnumPrintProcessorDatatypesW +GetPrintProcessorCapabilities +InitializePrintMonitor +InitializePrintProvidor +LclIsSessionZero +LclPromptUIPerSessionUser +OpenPrintProcessor +PrintDocumentOnPrintProcessor +PrintProcLogEvent +SplAddForm +SplAddMonitor +SplAddPort +SplAddPortEx +SplAddPrintProcessor +SplAddPrinter +SplAddPrinterDriverEx +SplBroadcastChange +SplClosePrinter +SplCloseSpooler +SplConfigChange +SplCopyFileEvent +SplCopyNumberOfFiles +SplCreateSpooler +SplDeleteForm +SplDeleteMonitor +SplDeletePort +SplDeletePrintProcCacheData +SplDeletePrintProcessor +SplDeletePrinter +SplDeletePrinterDriverEx +SplDeletePrinterKey +SplDeleteSpooler +SplDriverEvent +SplEnumForms +SplEnumMonitors +SplEnumPorts +SplEnumPrintProcCacheData +SplEnumPrintProcessorDatatypes +SplEnumPrintProcessors +SplEnumPrinterDataEx +SplEnumPrinterKey +SplEnumPrinters +SplGetDriverDir +SplGetForm +SplGetPrintProcCacheData +SplGetPrintProcessorDirectory +SplGetPrinter +SplGetPrinterData +SplGetPrinterDataEx +SplGetPrinterDriver +SplGetPrinterDriverDirectory +SplGetPrinterDriverEx +SplGetPrinterExtra +SplGetPrinterExtraEx +SplLoadLibraryTheCopyFileModule +SplLogEventExternal +SplLogWmiTraceEventExternal +SplMonitorIsInstalled +SplOpenPrinter +SplPowerEvent +SplReenumeratePorts +SplResetPrinter +SplSetForm +SplSetPrintProcCacheData +SplSetPrinter +SplSetPrinterData +SplSetPrinterDataEx +SplSetPrinterExtra +SplSetPrinterExtraEx +SplXcvData diff --git a/lib/libc/mingw/lib64/log.def b/lib/libc/mingw/lib64/log.def new file mode 100644 index 0000000000..320579e015 --- /dev/null +++ b/lib/libc/mingw/lib64/log.def @@ -0,0 +1,28 @@ +; +; Exports of file LOG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LOG.dll +EXPORTS +DllMain +LogA +LogBegin +LogDeleteOnNextInit +LogDirectA +LogDirectW +LogEnd +LogIfA +LogIfW +LogLineA +LogLineW +LogReInitA +LogReInitW +LogSetErrorDest +LogSetVerboseBitmap +LogSetVerboseLevel +LogTitleA +LogTitleW +LogW +SuppressAllLogPopups diff --git a/lib/libc/mingw/lib64/lonsint.def b/lib/libc/mingw/lib64/lonsint.def new file mode 100644 index 0000000000..4916f65973 --- /dev/null +++ b/lib/libc/mingw/lib64/lonsint.def @@ -0,0 +1,15 @@ +; +; Exports of file LONSINT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LONSINT.dll +EXPORTS +IISGetDefaultDomainName +IISLogon32Initialize +IISLogonDigestUserA +IISLogonNetUserA +IISLogonNetUserW +IISLogonPassportUserW +IISNetUserCookieA diff --git a/lib/libc/mingw/lib64/lpk.def b/lib/libc/mingw/lib64/lpk.def new file mode 100644 index 0000000000..865e26ba6e --- /dev/null +++ b/lib/libc/mingw/lib64/lpk.def @@ -0,0 +1,19 @@ +; +; Exports of file LPK.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LPK.dll +EXPORTS +LpkInitialize +LpkTabbedTextOut +LpkDllInitialize +LpkDrawTextEx +LpkEditControl DATA +LpkExtTextOut +LpkGetCharacterPlacement +LpkGetTextExtentExPoint +LpkPSMTextOut +LpkUseGDIWidthCache +ftsWordBreak diff --git a/lib/libc/mingw/lib64/lprhelp.def b/lib/libc/mingw/lib64/lprhelp.def new file mode 100644 index 0000000000..9071328993 --- /dev/null +++ b/lib/libc/mingw/lib64/lprhelp.def @@ -0,0 +1,19 @@ +; +; Exports of file LPRHELP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LPRHELP.dll +EXPORTS +CancelJob +CloseLPR +EndJob +GetLongQueue +GetShortQueue +InitiateConnection +OpenLPR +PrintWaitingJobs +SetLPRTimeouts +StartJob +WriteJobData diff --git a/lib/libc/mingw/lib64/lsasrv.def b/lib/libc/mingw/lib64/lsasrv.def new file mode 100644 index 0000000000..0f3dd1548a --- /dev/null +++ b/lib/libc/mingw/lib64/lsasrv.def @@ -0,0 +1,141 @@ +; +; Exports of file LSASRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY LSASRV.dll +EXPORTS +LsaIAddNameToLogonSession +LsaIGetNameFromLuid +LsaISetPackageAttrInLogonSession +DsRolerDcAsDc +DsRolerDcAsReplica +DsRolerDemoteDc +DsRolerGetDcOperationProgress +DsRolerGetDcOperationResults +LsaIAdtAuditingEnabledByCategory +LsaIAllocateHeap +LsaIAllocateHeapZero +LsaIAuditAccountLogon +LsaIAuditAccountLogonEx +LsaIAuditKdcEvent +LsaIAuditKerberosLogon +LsaIAuditLogonUsingExplicitCreds +LsaIAuditNotifyPackageLoad +LsaIAuditPasswordAccessEvent +LsaIAuditReplay +LsaIAuditSamEvent +LsaICallPackage +LsaICallPackageEx +LsaICallPackagePassthrough +LsaICancelNotification +LsaIChangeSecretCipherKey +LsaICryptProtectData +LsaICryptUnprotectData +LsaIDereferenceCredHandle +LsaIDsNotifiedObjectChange +LsaIEnumerateSecrets +LsaIEqualLogonProcessName +LsaIFilterNamespace +LsaIFilterSids +LsaIForestTrustFindMatch +LsaIFreeForestTrustInfo +LsaIFreeHeap +LsaIFreeReturnBuffer +LsaIFree_LSAI_PRIVATE_DATA +LsaIFree_LSAI_SECRET_ENUM_BUFFER +LsaIFree_LSAPR_ACCOUNT_ENUM_BUFFER +LsaIFree_LSAPR_CR_CIPHER_VALUE +LsaIFree_LSAPR_POLICY_DOMAIN_INFORMATION +LsaIFree_LSAPR_POLICY_INFORMATION +LsaIFree_LSAPR_PRIVILEGE_ENUM_BUFFER +LsaIFree_LSAPR_PRIVILEGE_SET +LsaIFree_LSAPR_REFERENCED_DOMAIN_LIST +LsaIFree_LSAPR_SR_SECURITY_DESCRIPTOR +LsaIFree_LSAPR_TRANSLATED_NAMES +LsaIFree_LSAPR_TRANSLATED_SIDS +LsaIFree_LSAPR_TRUSTED_DOMAIN_INFO +LsaIFree_LSAPR_TRUSTED_ENUM_BUFFER +LsaIFree_LSAPR_TRUSTED_ENUM_BUFFER_EX +LsaIFree_LSAPR_TRUST_INFORMATION +LsaIFree_LSAPR_UNICODE_STRING +LsaIFree_LSAPR_UNICODE_STRING_BUFFER +LsaIFree_LSAP_SITENAME_INFO +LsaIFree_LSAP_SITE_INFO +LsaIFree_LSAP_SUBNET_INFO +LsaIFree_LSAP_UPN_SUFFIXES +LsaIFree_LSA_FOREST_TRUST_COLLISION_INFORMATION +LsaIFree_LSA_FOREST_TRUST_INFORMATION +LsaIGetBootOption +LsaIGetCallInfo +LsaIGetForestTrustInformation +LsaIGetLogonGuid +LsaIGetNbAndDnsDomainNames +LsaIGetSerialNumberPolicy +LsaIGetSiteName +LsaIHealthCheck +LsaIImpersonateClient +LsaIIsDomainWithinForest +LsaIIsDsPaused +LsaIKerberosRegisterTrustNotification +LsaILookupWellKnownName +LsaINoMoreWin2KDomain +LsaINotifyChangeNotification +LsaINotifyGCStatusChange +LsaINotifyNetlogonParametersChangeW +LsaINotifyPasswordChanged +LsaIOpenPolicyTrusted +LsaIQueryForestTrustInfo +LsaIQueryInformationPolicyTrusted +LsaIQuerySiteInfo +LsaIQuerySubnetInfo +LsaIQueryUpnSuffixes +LsaIReferenceCredHandle +LsaIRegisterNotification +LsaIRegisterPolicyChangeNotificationCallback +LsaISafeMode +LsaISamIndicatedDsStarted +LsaISetBootOption +LsaISetClientDnsHostName +LsaISetLogonGuidInLogonSession +LsaISetSerialNumberPolicy +LsaISetTimesSecret +LsaISetTokenDacl +LsaISetupWasRun +LsaIUnregisterAllPolicyChangeNotificationCallback +LsaIUnregisterPolicyChangeNotificationCallback +LsaIUpdateForestTrustInformation +LsaIWriteAuditEvent +LsapAuOpenSam +LsapCheckBootMode +LsapDsDebugInitialize +LsapDsInitializeDsStateInfo +LsapDsInitializePromoteInterface +LsapInitLsa +LsarClose +LsarCreateSecret +LsarDelete +LsarEnumerateAccounts +LsarEnumeratePrivilegesAccount +LsarEnumerateTrustedDomains +LsarEnumerateTrustedDomainsEx +LsarGetSystemAccessAccount +LsarLookupPrivilegeName +LsarLookupSids +LsarLookupSids2 +LsarOpenAccount +LsarOpenPolicy +LsarOpenSecret +LsarOpenTrustedDomain +LsarQueryDomainInformationPolicy +LsarQueryInfoTrustedDomain +LsarQueryInformationPolicy +LsarQuerySecret +LsarQuerySecurityObject +LsarQueryTrustedDomainInfoByName +LsarSetInformationPolicy +LsarSetSecret +LsarSetSecurityObject +LsarSetTrustedDomainInfoByName +ServiceInit diff --git a/lib/libc/mingw/lib64/mag_hook.def b/lib/libc/mingw/lib64/mag_hook.def new file mode 100644 index 0000000000..9bed4d7fb1 --- /dev/null +++ b/lib/libc/mingw/lib64/mag_hook.def @@ -0,0 +1,13 @@ +; +; Exports of file Mag_Hook.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY Mag_Hook.dll +EXPORTS +FakeCursorMove +GetCursorHack +GetPopupInfo +InstallEventHook +SetZoomRect diff --git a/lib/libc/mingw/lib64/mcastmib.def b/lib/libc/mingw/lib64/mcastmib.def new file mode 100644 index 0000000000..4d8975d9ed --- /dev/null +++ b/lib/libc/mingw/lib64/mcastmib.def @@ -0,0 +1,11 @@ +; +; Exports of file MCASTMIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCASTMIB.dll +EXPORTS +SnmpExtensionInit +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/mcd32.def b/lib/libc/mingw/lib64/mcd32.def new file mode 100644 index 0000000000..4212c81ce6 --- /dev/null +++ b/lib/libc/mingw/lib64/mcd32.def @@ -0,0 +1,52 @@ +; +; Exports of file MCD32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCD32.dll +EXPORTS +MCDAddState +MCDAddStateStruct +MCDAlloc +MCDAllocBuffers +MCDBeginState +MCDBindContext +MCDClear +MCDCopyPixels +MCDCreateContext +MCDCreateTexture +MCDDeleteContext +MCDDeleteTexture +MCDDescribeLayerPlane +MCDDescribeMcdLayerPlane +MCDDescribeMcdPixelFormat +MCDDescribePixelFormat +MCDDestroyWindow +MCDDrawPixels +MCDFlushState +MCDFree +MCDGetBuffers +MCDGetDriverInfo +MCDGetTextureFormats +MCDLock +MCDPixelMap +MCDProcessBatch +MCDProcessBatch2 +MCDQueryMemStatus +MCDReadPixels +MCDReadSpan +MCDSetLayerPalette +MCDSetScissorRect +MCDSetViewport +MCDSwap +MCDSwapMultiple +MCDSync +MCDTextureKey +MCDTextureStatus +MCDUnlock +MCDUpdateSubTexture +MCDUpdateTexturePalette +MCDUpdateTexturePriority +MCDUpdateTextureState +MCDWriteSpan diff --git a/lib/libc/mingw/lib64/mcdsrv32.def b/lib/libc/mingw/lib64/mcdsrv32.def new file mode 100644 index 0000000000..37b407e4fb --- /dev/null +++ b/lib/libc/mingw/lib64/mcdsrv32.def @@ -0,0 +1,13 @@ +; +; Exports of file MCDSRV32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCDSRV32.dll +EXPORTS +MCDEngEscFilter +MCDEngInit +MCDEngInitEx +MCDEngSetMemStatus +MCDEngUninit diff --git a/lib/libc/mingw/lib64/mchgrcoi.def b/lib/libc/mingw/lib64/mchgrcoi.def new file mode 100644 index 0000000000..8563a72aa4 --- /dev/null +++ b/lib/libc/mingw/lib64/mchgrcoi.def @@ -0,0 +1,9 @@ +; +; Exports of file mchgrcoi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mchgrcoi.dll +EXPORTS +MchgrClassCoInstaller diff --git a/lib/libc/mingw/lib64/mciavi32.def b/lib/libc/mingw/lib64/mciavi32.def new file mode 100644 index 0000000000..48199e27ad --- /dev/null +++ b/lib/libc/mingw/lib64/mciavi32.def @@ -0,0 +1,10 @@ +; +; Exports of file MCIAVI32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCIAVI32.dll +EXPORTS +DriverProc +KeyboardHookProc diff --git a/lib/libc/mingw/lib64/mciole32.def b/lib/libc/mingw/lib64/mciole32.def new file mode 100644 index 0000000000..06cce2a41b --- /dev/null +++ b/lib/libc/mingw/lib64/mciole32.def @@ -0,0 +1,19 @@ +; +; Exports of file MCIOLE32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCIOLE32.dll +EXPORTS +DllLoadFromStream +DllCreateFromClip +DllCreateLinkFromClip +DllCreateFromTemplate +DllCreate +DllCreateFromFile +DllCreateLinkFromFile +GetMessageHook +OleQueryObjPos +InstallHook +RemoveHook diff --git a/lib/libc/mingw/lib64/mciqtz32.def b/lib/libc/mingw/lib64/mciqtz32.def new file mode 100644 index 0000000000..175e066523 --- /dev/null +++ b/lib/libc/mingw/lib64/mciqtz32.def @@ -0,0 +1,10 @@ +; +; Exports of file MCIQTZ32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MCIQTZ32.dll +EXPORTS +DriverProc +MCIEntry32 diff --git a/lib/libc/mingw/lib64/mfc42.def b/lib/libc/mingw/lib64/mfc42.def new file mode 100644 index 0000000000..f975b7b92d --- /dev/null +++ b/lib/libc/mingw/lib64/mfc42.def @@ -0,0 +1,20 @@ +; +; Exports of file MFC42.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MFC42.dll +EXPORTS +DllGetClassObject +DllCanUnloadNow +DllRegisterServer +DllUnregisterServer +; public: static struct CRuntimeClass const CCachedDataPathProperty::classCCachedDataPathProperty +?classCCachedDataPathProperty@CCachedDataPathProperty@@2UCRuntimeClass@@B DATA +; public: static struct CRuntimeClass const CDataPathProperty::classCDataPathProperty +?classCDataPathProperty@CDataPathProperty@@2UCRuntimeClass@@B DATA +AfxFreeLibrary +AfxLoadLibrary +AfxLockGlobals +AfxUnlockGlobals diff --git a/lib/libc/mingw/lib64/mfc42u.def b/lib/libc/mingw/lib64/mfc42u.def new file mode 100644 index 0000000000..e95784d312 --- /dev/null +++ b/lib/libc/mingw/lib64/mfc42u.def @@ -0,0 +1,20 @@ +; +; Exports of file MFC42u.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MFC42u.dll +EXPORTS +DllGetClassObject +DllCanUnloadNow +DllRegisterServer +DllUnregisterServer +; public: static struct CRuntimeClass const CCachedDataPathProperty::classCCachedDataPathProperty +?classCCachedDataPathProperty@CCachedDataPathProperty@@2UCRuntimeClass@@B DATA +; public: static struct CRuntimeClass const CDataPathProperty::classCDataPathProperty +?classCDataPathProperty@CDataPathProperty@@2UCRuntimeClass@@B DATA +AfxFreeLibrary +AfxLoadLibrary +AfxLockGlobals +AfxUnlockGlobals diff --git a/lib/libc/mingw/lib64/migism.def b/lib/libc/mingw/lib64/migism.def new file mode 100644 index 0000000000..1a08b76ac0 --- /dev/null +++ b/lib/libc/mingw/lib64/migism.def @@ -0,0 +1,257 @@ +; +; Exports of file MIGISM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MIGISM.dll +EXPORTS +DllMain +IsmAbandonObjectIdOnCollision +IsmAbandonObjectOnCollision +IsmAbortApplyObjectEnum +IsmAbortComponentEnum +IsmAbortObjectAttributeEnum +IsmAbortObjectEnum +IsmAbortObjectOperationEnum +IsmAbortObjectPropertyEnum +IsmAbortObjectTypeIdEnum +IsmAbortObjectWithAttributeEnum +IsmAbortObjectWithOperationEnum +IsmAbortObjectWithPropertyEnum +IsmAbortPersistentObjectEnum +IsmAbortScopeEnum +IsmAbortTransportEnum +IsmAcquireObjectEx +IsmAddComponentAlias +IsmAddControlFile +IsmAddPropertyDataToObject +IsmAddPropertyDataToObjectId +IsmAddPropertyToObject +IsmAddPropertyToObjectId +IsmAddToPhysicalEnum +IsmAllocEnvironmentVariableList +IsmAppendEnvironmentMultiSz +IsmAppendEnvironmentString +IsmAreObjectsIdentical +IsmCanWriteRollbackJournal +IsmClearAbandonObjectIdOnCollision +IsmClearAbandonObjectOnCollision +IsmClearApplyOnObject +IsmClearApplyOnObjectId +IsmClearAttributeOnObject +IsmClearAttributeOnObjectId +IsmClearNonCriticalFlagOnObject +IsmClearNonCriticalFlagOnObjectId +IsmClearOperationOnObject +IsmClearOperationOnObjectId +IsmClearPersistenceOnObject +IsmClearPersistenceOnObjectId +IsmConvertObjectContentToAnsi +IsmConvertObjectContentToUnicode +IsmConvertObjectToMultiSz +IsmCreateParsedPattern +IsmCreateScope +IsmCurrentlyExecuting +IsmDeleteEnvironmentVariable +IsmDeleteScope +IsmDeselectScope +IsmDestroyGlobalVariable +IsmDestroyObjectHandle +IsmDestroyObjectString +IsmDestroyParsedPattern +IsmDoesObjectExist +IsmDoesRollbackDataExist +IsmEnumFirstApplyObject +IsmEnumFirstComponent +IsmEnumFirstDestinationObjectEx +IsmEnumFirstObjectAttribute +IsmEnumFirstObjectAttributeById +IsmEnumFirstObjectOperation +IsmEnumFirstObjectOperationById +IsmEnumFirstObjectProperty +IsmEnumFirstObjectPropertyById +IsmEnumFirstObjectTypeId +IsmEnumFirstObjectWithAttribute +IsmEnumFirstObjectWithOperation +IsmEnumFirstObjectWithProperty +IsmEnumFirstPersistentObject +IsmEnumFirstScope +IsmEnumFirstSourceObjectEx +IsmEnumFirstTransport +IsmEnumNextApplyObject +IsmEnumNextComponent +IsmEnumNextObject +IsmEnumNextObjectAttribute +IsmEnumNextObjectOperation +IsmEnumNextObjectProperty +IsmEnumNextObjectTypeId +IsmEnumNextObjectWithAttribute +IsmEnumNextObjectWithOperation +IsmEnumNextObjectWithProperty +IsmEnumNextPersistentObject +IsmEnumNextScope +IsmEnumNextTransport +IsmExecute +IsmExecuteFunction +IsmExecuteHooks +IsmFilterObject +IsmFreeConvertedObjectContent +IsmFreeCurrentUserData +IsmFreeEnvironmentVariableList +IsmGetActiveScopeId +IsmGetActiveScopeName +IsmGetActiveScopeNameRenamed +IsmGetAttributeGroup +IsmGetAttributeName +IsmGetControlFile +IsmGetCurrentSidString +IsmGetEnvironmentCallback +IsmGetEnvironmentData +IsmGetEnvironmentMultiSz +IsmGetEnvironmentString +IsmGetEnvironmentValue +IsmGetGlobalVariable +IsmGetMappedUserData +IsmGetObjectIdFromName +IsmGetObjectOperationData +IsmGetObjectOperationDataById +IsmGetObjectTypeId +IsmGetObjectTypeName +IsmGetObjectTypePriority +IsmGetObjectsStatistics +IsmGetOnlineUserData +IsmGetOperationGroup +IsmGetOperationName +IsmGetOsVersionInfo +IsmGetPropertyData +IsmGetPropertyFromObject +IsmGetPropertyFromObjectId +IsmGetPropertyGroup +IsmGetPropertyName +IsmGetRealPlatform +IsmGetScopeObjectTypeName +IsmGetScopeProperty +IsmGetTempDirectory +IsmGetTempFile +IsmGetTempStorage +IsmGetTransportVariable +IsmGetVirtualPlatform +IsmHookEnumeration +IsmInitialize +IsmIsApplyObject +IsmIsApplyObjectId +IsmIsAttributeSetOnObject +IsmIsAttributeSetOnObjectId +IsmIsComponentSelected +IsmIsEnvironmentFlagSet +IsmIsNonCriticalObject +IsmIsNonCriticalObjectId +IsmIsObjectAbandonedOnCollision +IsmIsObjectHandleLeafOnly +IsmIsObjectHandleNodeOnly +IsmIsObjectIdAbandonedOnCollision +IsmIsOperationSetOnObject +IsmIsOperationSetOnObjectId +IsmIsPersistentObject +IsmIsPersistentObjectId +IsmIsPropertySetOnObject +IsmIsPropertySetOnObjectId +IsmIsScopeOnline +IsmIsScopeSelected +IsmIsSystemScopeSelected +IsmLoad +IsmLockAttribute +IsmLockObject +IsmLockObjectId +IsmLockOperation +IsmLockProperty +IsmMakeApplyObject +IsmMakeApplyObjectId +IsmMakeNonCriticalObject +IsmMakeNonCriticalObjectId +IsmMakePersistentObject +IsmMakePersistentObjectId +IsmParsedPatternMatch +IsmParsedPatternMatchEx +IsmPreserveJournal +IsmProhibitPhysicalEnum +IsmQueueEnumeration +IsmRecordDelayedOperation +IsmRecordOperation +IsmRecoverEfsFile +IsmRegisterAttribute +IsmRegisterCompareCallback +IsmRegisterDynamicExclusion +IsmRegisterGlobalApplyCallback +IsmRegisterGlobalFilterCallback +IsmRegisterObjectType +IsmRegisterOperation +IsmRegisterOperationApplyCallback +IsmRegisterOperationData +IsmRegisterOperationFilterCallback +IsmRegisterPhysicalAcquireHook +IsmRegisterPostEnumerationCallback +IsmRegisterPreEnumerationCallback +IsmRegisterProgressBarCallback +IsmRegisterProgressSlice +IsmRegisterProperty +IsmRegisterPropertyData +IsmRegisterRestoreCallback +IsmRegisterScopeChangeCallback +IsmRegisterStaticExclusion +IsmRegisterTransport +IsmRegisterTypePostEnumerationCallback +IsmRegisterTypePreEnumerationCallback +IsmReleaseMemory +IsmReleaseObject +IsmRemoveAllUserSuppliedComponents +IsmRemovePhysicalObject +IsmRemovePropertyData +IsmRemovePropertyFromObject +IsmRemovePropertyFromObjectId +IsmReplacePhysicalObject +IsmResumeLoad +IsmResumeSave +IsmRollback +IsmSave +IsmSelectComponent +IsmSelectMasterGroup +IsmSelectPreferredAlias +IsmSelectScope +IsmSelectTransport +IsmSendMessageToApp +IsmSetAttributeOnObject +IsmSetAttributeOnObjectId +IsmSetCancel +IsmSetDelayedOperationsCommand +IsmSetEnvironmentCallback +IsmSetEnvironmentData +IsmSetEnvironmentFlag +IsmSetEnvironmentMultiSz +IsmSetEnvironmentString +IsmSetEnvironmentValue +IsmSetOperationOnObject +IsmSetOperationOnObject2 +IsmSetOperationOnObjectId +IsmSetOperationOnObjectId2 +IsmSetPlatform +IsmSetRollbackJournalType +IsmSetTransportStorage +IsmSetTransportVariable +IsmStartEtmModules +IsmStartTransport +IsmTerminate +IsmTickProgressBar +IsmUnregisterScopeChangeCallback +TrackedIsmCompressEnvironmentString +TrackedIsmConvertMultiSzToObject +TrackedIsmCreateObjectHandle +TrackedIsmCreateObjectPattern +TrackedIsmCreateObjectStringsFromHandleEx +TrackedIsmCreateSimpleObjectPattern +TrackedIsmDuplicateString +TrackedIsmExpandEnvironmentString +TrackedIsmGetLongName +TrackedIsmGetMemory +TrackedIsmGetNativeObjectName diff --git a/lib/libc/mingw/lib64/miglibnt.def b/lib/libc/mingw/lib64/miglibnt.def new file mode 100644 index 0000000000..ac8ac9e509 --- /dev/null +++ b/lib/libc/mingw/lib64/miglibnt.def @@ -0,0 +1,19 @@ +; +; Exports of file MIGLIBNT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MIGLIBNT.dll +EXPORTS +MigDllAddDllToListW +MigDllApplySystemSettingsW +MigDllCloseW +MigDllCreateList +MigDllEnumFirstW +MigDllEnumNextW +MigDllFreeList +MigDllInit +MigDllInitializeDstW +MigDllOpenW +MigDllShutdown diff --git a/lib/libc/mingw/lib64/mll_hp.def b/lib/libc/mingw/lib64/mll_hp.def new file mode 100644 index 0000000000..383ab6a1fc --- /dev/null +++ b/lib/libc/mingw/lib64/mll_hp.def @@ -0,0 +1,10 @@ +; +; Exports of file MLL_HP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MLL_HP.dll +EXPORTS +ClaimMediaLabel +MaxMediaLabel diff --git a/lib/libc/mingw/lib64/mll_mtf.def b/lib/libc/mingw/lib64/mll_mtf.def new file mode 100644 index 0000000000..77166542e6 --- /dev/null +++ b/lib/libc/mingw/lib64/mll_mtf.def @@ -0,0 +1,10 @@ +; +; Exports of file MLL_MTF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MLL_MTF.dll +EXPORTS +ClaimMediaLabel +MaxMediaLabel diff --git a/lib/libc/mingw/lib64/mll_qic.def b/lib/libc/mingw/lib64/mll_qic.def new file mode 100644 index 0000000000..7cd8aa9651 --- /dev/null +++ b/lib/libc/mingw/lib64/mll_qic.def @@ -0,0 +1,10 @@ +; +; Exports of file MLL_QIC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MLL_QIC.dll +EXPORTS +ClaimMediaLabel +MaxMediaLabel diff --git a/lib/libc/mingw/lib64/mmfutil.def b/lib/libc/mingw/lib64/mmfutil.def new file mode 100644 index 0000000000..a5e2e64295 --- /dev/null +++ b/lib/libc/mingw/lib64/mmfutil.def @@ -0,0 +1,19 @@ +; +; Exports of file MMFUtil.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MMFUtil.DLL +EXPORTS +; __int64 __cdecl DisplayAVIBox(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,struct HWND__ * __ptr64 * __ptr64) +?DisplayAVIBox@@YA_JPEAUHWND__@@PEBG1PEAPEAU1@@Z +; int __cdecl DisplayUserMessage(struct HWND__ * __ptr64,struct HINSTANCE__ * __ptr64,unsigned int,unsigned int,enum ERROR_SRC,long,unsigned int) +?DisplayUserMessage@@YAHPEAUHWND__@@PEAUHINSTANCE__@@IIW4ERROR_SRC@@JI@Z +; int __cdecl DisplayUserMessage(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,enum ERROR_SRC,long,unsigned int) +?DisplayUserMessage@@YAHPEAUHWND__@@PEBG1W4ERROR_SRC@@JI@Z +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +ErrorStringEx diff --git a/lib/libc/mingw/lib64/mmutilse.def b/lib/libc/mingw/lib64/mmutilse.def new file mode 100644 index 0000000000..f1eaad3783 --- /dev/null +++ b/lib/libc/mingw/lib64/mmutilse.def @@ -0,0 +1,295 @@ +; +; Exports of file mmutilse.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mmutilse.dll +EXPORTS +; public: __cdecl IHammer::CDirectDrawSurface::CDirectDrawSurface(struct HPALETTE__ * __ptr64,unsigned long,struct tagSIZE const * __ptr64,long * __ptr64) __ptr64 +??0CDirectDrawSurface@IHammer@@QEAA@PEAUHPALETTE__@@KPEBUtagSIZE@@PEAJ@Z +; public: __cdecl CHalftone::CHalftone(struct HPALETTE__ * __ptr64) __ptr64 +??0CHalftone@@QEAA@PEAUHPALETTE__@@@Z +; public: __cdecl CHalftonePalette::CHalftonePalette(struct HPALETTE__ * __ptr64) __ptr64 +??0CHalftonePalette@@QEAA@PEAUHPALETTE__@@@Z +; public: __cdecl CHalftonePalette::CHalftonePalette(void) __ptr64 +??0CHalftonePalette@@QEAA@XZ +; public: __cdecl CMemManager::CMemManager(void) __ptr64 +??0CMemManager@@QEAA@XZ +; public: __cdecl CMemUser::CMemUser(void) __ptr64 +??0CMemUser@@QEAA@XZ +; public: __cdecl CTStr::CTStr(class CTStr & __ptr64) __ptr64 +??0CTStr@@QEAA@AEAV0@@Z +; public: __cdecl CTStr::CTStr(int) __ptr64 +??0CTStr@@QEAA@H@Z +; public: __cdecl CTStr::CTStr(char * __ptr64) __ptr64 +??0CTStr@@QEAA@PEAD@Z +; public: __cdecl CTStr::CTStr(unsigned short * __ptr64) __ptr64 +??0CTStr@@QEAA@PEAG@Z +; public: __cdecl CURLArchive::CURLArchive(struct IUnknown * __ptr64) __ptr64 +??0CURLArchive@@QEAA@PEAUIUnknown@@@Z +; public: __cdecl OTrig::OTrig(void) __ptr64 +??0OTrig@@QEAA@XZ +; public: virtual __cdecl CMemManager::~CMemManager(void) __ptr64 +??1CMemManager@@UEAA@XZ +; public: virtual __cdecl CMemUser::~CMemUser(void) __ptr64 +??1CMemUser@@UEAA@XZ +; public: __cdecl CTStr::~CTStr(void) __ptr64 +??1CTStr@@QEAA@XZ +; public: virtual __cdecl CURLArchive::~CURLArchive(void) __ptr64 +??1CURLArchive@@UEAA@XZ +; public: void __cdecl CTStr::`default constructor closure'(void) __ptr64 +??_FCTStr@@QEAAXXZ +; public: void __cdecl CURLArchive::`default constructor closure'(void) __ptr64 +??_FCURLArchive@@QEAAXXZ +; public: void * __ptr64 __cdecl CMemManager::AllocBuffer(unsigned long,unsigned short) __ptr64 +?AllocBuffer@CMemManager@@QEAAPEAXKG@Z +; public: struct MEMBLOCK_tag * __ptr64 __cdecl CMemUser::AllocBuffer(unsigned long,unsigned short) __ptr64 +?AllocBuffer@CMemUser@@QEAAPEAUMEMBLOCK_tag@@KG@Z +; public: int __cdecl CTStr::AllocBuffer(int,int) __ptr64 +?AllocBuffer@CTStr@@QEAAHHH@Z +; public: static void * __ptr64 __cdecl CMemManager::AllocBufferGlb(unsigned long,unsigned short) +?AllocBufferGlb@CMemManager@@SAPEAXKG@Z +; public: static int __cdecl CStringWrapper::Atoi(char const * __ptr64) +?Atoi@CStringWrapper@@SAHPEBD@Z +; public: static long __cdecl CStringWrapper::Atol(char const * __ptr64) +?Atol@CStringWrapper@@SAJPEBD@Z +; long __cdecl BitCountFromDDPIXELFORMAT(struct _DDPIXELFORMAT const & __ptr64) +?BitCountFromDDPIXELFORMAT@@YAJAEBU_DDPIXELFORMAT@@@Z +; public: virtual long __cdecl CURLArchive::Close(void) __ptr64 +?Close@CURLArchive@@UEAAJXZ +; public: virtual int __cdecl CNonCollapsingDrg::CopyFrom(class CDrg * __ptr64) __ptr64 +?CopyFrom@CNonCollapsingDrg@@UEAAHPEAVCDrg@@@Z +; public: virtual long __cdecl CURLArchive::CopyLocal(char * __ptr64,int) __ptr64 +?CopyLocal@CURLArchive@@UEAAJPEADH@Z +; public: virtual long __cdecl CURLArchive::CopyLocal(unsigned short * __ptr64,int) __ptr64 +?CopyLocal@CURLArchive@@UEAAJPEAGH@Z +; public: float __cdecl OTrig::Cos(long) __ptr64 +?Cos@OTrig@@QEAAMJ@Z +; public: float __cdecl OTrig::Cos(float) __ptr64 +?Cos@OTrig@@QEAAMM@Z +; public: static float __cdecl CMathWrapper::CosDeg(long) +?CosDeg@CMathWrapper@@SAMJ@Z +; public: static float __cdecl CMathWrapper::CosDeg(float) +?CosDeg@CMathWrapper@@SAMM@Z +; public: static float __cdecl CMathWrapper::CosDegWrap(long) +?CosDegWrap@CMathWrapper@@SAMJ@Z +; public: static float __cdecl CMathWrapper::CosDegWrap(float) +?CosDegWrap@CMathWrapper@@SAMM@Z +; public: static double __cdecl CMathWrapper::CosRad(double) +?CosRad@CMathWrapper@@SANN@Z +; public: float __cdecl OTrig::CosWrap(long) __ptr64 +?CosWrap@OTrig@@QEAAMJ@Z +; public: float __cdecl OTrig::CosWrap(float) __ptr64 +?CosWrap@OTrig@@QEAAMM@Z +; public: virtual long __cdecl CURLArchive::Create(char const * __ptr64) __ptr64 +?Create@CURLArchive@@UEAAJPEBD@Z +; public: virtual long __cdecl CURLArchive::Create(unsigned short const * __ptr64) __ptr64 +?Create@CURLArchive@@UEAAJPEBG@Z +; int __cdecl CreateIDispatchCollection(struct IUnknown * __ptr64 * __ptr64) +?CreateIDispatchCollection@@YAHPEAPEAUIUnknown@@@Z +; public: void __cdecl CMemManager::DumpAllocations(char * __ptr64) __ptr64 +?DumpAllocations@CMemManager@@QEAAXPEAD@Z +; public: static void __cdecl CMemManager::DumpAllocationsGlb(char * __ptr64) +?DumpAllocationsGlb@CMemManager@@SAXPEAD@Z +; private: void __cdecl CMemManager::DumpHeapHeader(struct HEAPHEADER_tag * __ptr64,struct _iobuf * __ptr64) __ptr64 +?DumpHeapHeader@CMemManager@@AEAAXPEAUHEAPHEADER_tag@@PEAU_iobuf@@@Z +; private: void __cdecl CMemManager::DumpMemBlock(struct MEMBLOCK_tag * __ptr64,struct _iobuf * __ptr64) __ptr64 +?DumpMemBlock@CMemManager@@AEAAXPEAUMEMBLOCK_tag@@PEAU_iobuf@@@Z +; private: void __cdecl CMemManager::DumpMemUserInfo(struct MEMUSERINFO_tag * __ptr64,struct _iobuf * __ptr64) __ptr64 +?DumpMemUserInfo@CMemManager@@AEAAXPEAUMEMUSERINFO_tag@@PEAU_iobuf@@@Z +; void __cdecl ExternalDumpAllocations(char * __ptr64) +?ExternalDumpAllocations@@YAXPEAD@Z +; public: void __cdecl CMemManager::FreeBuffer(void * __ptr64) __ptr64 +?FreeBuffer@CMemManager@@QEAAXPEAX@Z +; public: void __cdecl CMemUser::FreeBuffer(struct MEMBLOCK_tag * __ptr64) __ptr64 +?FreeBuffer@CMemUser@@QEAAXPEAUMEMBLOCK_tag@@@Z +; public: void __cdecl CTStr::FreeBuffer(void) __ptr64 +?FreeBuffer@CTStr@@QEAAXXZ +; public: static void __cdecl CMemManager::FreeBufferGlb(void * __ptr64) +?FreeBufferGlb@CMemManager@@SAXPEAX@Z +; public: void __cdecl CMemManager::FreeBufferMemBlock(struct MEMBLOCK_tag * __ptr64) __ptr64 +?FreeBufferMemBlock@CMemManager@@QEAAXPEAUMEMBLOCK_tag@@@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Gcvt(double,int,char * __ptr64) +?Gcvt@CStringWrapper@@SAPEADNHPEAD@Z +; public: virtual void * __ptr64 __cdecl CNonCollapsingDrg::GetAt(long) __ptr64 +?GetAt@CNonCollapsingDrg@@UEAAPEAXJ@Z +; public: virtual long __cdecl CURLArchive::GetFileSize(long & __ptr64) __ptr64 +?GetFileSize@CURLArchive@@UEAAJAEAJ@Z +; public: virtual void * __ptr64 __cdecl CNonCollapsingDrg::GetFirst(void) __ptr64 +?GetFirst@CNonCollapsingDrg@@UEAAPEAXXZ +; public: virtual void * __ptr64 __cdecl CNonCollapsingDrg::GetNext(void) __ptr64 +?GetNext@CNonCollapsingDrg@@UEAAPEAXXZ +; unsigned long __cdecl GetSigBitsFrom16BPP(struct HDC__ * __ptr64) +?GetSigBitsFrom16BPP@@YAKPEAUHDC__@@@Z +; public: virtual struct IStream * __ptr64 __cdecl CURLArchive::GetStreamInterface(void)const __ptr64 +?GetStreamInterface@CURLArchive@@UEBAPEAUIStream@@XZ +; public: virtual int __cdecl CDrg::Insert(void * __ptr64,long) __ptr64 +?Insert@CDrg@@UEAAHPEAXJ@Z +; int __cdecl IsMMXCpu(void) +?IsMMXCpu@@YAHXZ +; public: static int __cdecl CStringWrapper::Iswspace(unsigned short) +?Iswspace@CStringWrapper@@SAHG@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Itoa(int,char * __ptr64,int) +?Itoa@CStringWrapper@@SAPEADHPEADH@Z +; public: int __cdecl CTStr::Len(void) __ptr64 +?Len@CTStr@@QEAAHXZ +; public: static int __cdecl CStringWrapper::LoadStringW(struct HINSTANCE__ * __ptr64,unsigned int,unsigned short * __ptr64,int) +?LoadStringW@CStringWrapper@@SAHPEAUHINSTANCE__@@IPEAGH@Z +; public: void * __ptr64 __cdecl CMemUser::LockBuffer(struct MEMBLOCK_tag * __ptr64) __ptr64 +?LockBuffer@CMemUser@@QEAAPEAXPEAUMEMBLOCK_tag@@@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Ltoa(long,char * __ptr64,int) +?Ltoa@CStringWrapper@@SAPEADJPEADH@Z +; public: static unsigned __int64 __cdecl CStringWrapper::Mbstowcs(unsigned short * __ptr64,char const * __ptr64,unsigned __int64) +?Mbstowcs@CStringWrapper@@SA_KPEAGPEBD_K@Z +; public: static int __cdecl CStringWrapper::Memcmp(void const * __ptr64,void const * __ptr64,unsigned __int64) +?Memcmp@CStringWrapper@@SAHPEBX0_K@Z +; public: static void * __ptr64 __cdecl CStringWrapper::Memcpy(void * __ptr64,void const * __ptr64,unsigned __int64) +?Memcpy@CStringWrapper@@SAPEAXPEAXPEBX_K@Z +; public: static void * __ptr64 __cdecl CStringWrapper::Memset(void * __ptr64,int,unsigned __int64) +?Memset@CStringWrapper@@SAPEAXPEAXH_K@Z +; public: virtual int __cdecl CMemUser::NotifyMemUser(struct MEMNOTIFY_tag * __ptr64) __ptr64 +?NotifyMemUser@CMemUser@@UEAAHPEAUMEMNOTIFY_tag@@@Z +; unsigned long __cdecl OverheadOfSavePtrDrg(void) +?OverheadOfSavePtrDrg@@YAKXZ +; public: static float __cdecl CMathWrapper::Pow(double,double) +?Pow@CMathWrapper@@SAMNN@Z +; public: void * __ptr64 __cdecl CMemManager::ReAllocBuffer(void * __ptr64,unsigned long,unsigned short) __ptr64 +?ReAllocBuffer@CMemManager@@QEAAPEAXPEAXKG@Z +; public: static void * __ptr64 __cdecl CMemManager::ReAllocBufferGlb(void * __ptr64,unsigned long,unsigned short) +?ReAllocBufferGlb@CMemManager@@SAPEAXPEAXKG@Z +; public: virtual unsigned long __cdecl CURLArchive::Read(unsigned char * __ptr64,unsigned long) __ptr64 +?Read@CURLArchive@@UEAAKPEAEK@Z +; long __cdecl ReadBstrFromPropBag(struct IPropertyBag * __ptr64,struct IErrorLog * __ptr64,char * __ptr64,unsigned short * __ptr64 * __ptr64) +?ReadBstrFromPropBag@@YAJPEAUIPropertyBag@@PEAUIErrorLog@@PEADPEAPEAG@Z +; public: virtual unsigned long __cdecl CURLArchive::ReadLine(char * __ptr64,unsigned long) __ptr64 +?ReadLine@CURLArchive@@UEAAKPEADK@Z +; public: virtual unsigned long __cdecl CURLArchive::ReadLine(unsigned short * __ptr64,unsigned long) __ptr64 +?ReadLine@CURLArchive@@UEAAKPEAGK@Z +; long __cdecl ReadLongFromPropBag(struct IPropertyBag * __ptr64,struct IErrorLog * __ptr64,char * __ptr64,long * __ptr64) +?ReadLongFromPropBag@@YAJPEAUIPropertyBag@@PEAUIErrorLog@@PEADPEAJ@Z +; public: int __cdecl CMemManager::RegisterMemUser(class CMemUser * __ptr64) __ptr64 +?RegisterMemUser@CMemManager@@QEAAHPEAVCMemUser@@@Z +; public: static int __cdecl CMemManager::RegisterMemUserGlb(class CMemUser * __ptr64) +?RegisterMemUserGlb@CMemManager@@SAHPEAVCMemUser@@@Z +; public: virtual int __cdecl CDrg::Remove(void * __ptr64,long) __ptr64 +?Remove@CDrg@@UEAAHPEAXJ@Z +; public: virtual int __cdecl CNonCollapsingDrg::Remove(void * __ptr64,long) __ptr64 +?Remove@CNonCollapsingDrg@@UEAAHPEAXJ@Z +; public: void __cdecl CTStr::ResetLength(void) __ptr64 +?ResetLength@CTStr@@QEAAXXZ +; void __cdecl RetailEcho(char * __ptr64,...) +?RetailEcho@@YAXPEADZZ +; public: virtual long __cdecl CURLArchive::Seek(long,enum CURLArchive::origin) __ptr64 +?Seek@CURLArchive@@UEAAJJW4origin@1@@Z +; public: virtual void __cdecl CNonCollapsingDrg::SetArray(unsigned char * __ptr64,long,unsigned int) __ptr64 +?SetArray@CNonCollapsingDrg@@UEAAXPEAEJI@Z +; public: virtual int __cdecl CNonCollapsingDrg::SetAt(void * __ptr64,long) __ptr64 +?SetAt@CNonCollapsingDrg@@UEAAHPEAXJ@Z +; public: virtual void __cdecl CDrg::SetNonDefaultSizes(unsigned int,unsigned int) __ptr64 +?SetNonDefaultSizes@CDrg@@UEAAXII@Z +; public: int __cdecl CTStr::SetString(char * __ptr64) __ptr64 +?SetString@CTStr@@QEAAHPEAD@Z +; public: int __cdecl CTStr::SetString(unsigned short * __ptr64) __ptr64 +?SetString@CTStr@@QEAAHPEAG@Z +; public: int __cdecl CTStr::SetStringPointer(char * __ptr64,int) __ptr64 +?SetStringPointer@CTStr@@QEAAHPEADH@Z +; public: float __cdecl OTrig::Sin(long) __ptr64 +?Sin@OTrig@@QEAAMJ@Z +; public: float __cdecl OTrig::Sin(float) __ptr64 +?Sin@OTrig@@QEAAMM@Z +; public: static float __cdecl CMathWrapper::SinDeg(long) +?SinDeg@CMathWrapper@@SAMJ@Z +; public: static float __cdecl CMathWrapper::SinDeg(float) +?SinDeg@CMathWrapper@@SAMM@Z +; public: static float __cdecl CMathWrapper::SinDegWrap(long) +?SinDegWrap@CMathWrapper@@SAMJ@Z +; public: static float __cdecl CMathWrapper::SinDegWrap(float) +?SinDegWrap@CMathWrapper@@SAMM@Z +; public: static double __cdecl CMathWrapper::SinRad(double) +?SinRad@CMathWrapper@@SANN@Z +; public: float __cdecl OTrig::SinWrap(long) __ptr64 +?SinWrap@OTrig@@QEAAMJ@Z +; public: float __cdecl OTrig::SinWrap(float) __ptr64 +?SinWrap@OTrig@@QEAAMM@Z +; public: unsigned long __cdecl CMemManager::SizeBuffer(void * __ptr64) __ptr64 +?SizeBuffer@CMemManager@@QEAAKPEAX@Z +; public: static unsigned long __cdecl CMemManager::SizeBufferGlb(void * __ptr64) +?SizeBufferGlb@CMemManager@@SAKPEAX@Z +; public: static int __cdecl CStringWrapper::Sprintf(char * __ptr64,char const * __ptr64,...) +?Sprintf@CStringWrapper@@SAHPEADPEBDZZ +; public: static float __cdecl CMathWrapper::Sqrt(float) +?Sqrt@CMathWrapper@@SAMM@Z +; public: static int __cdecl CStringWrapper::Sscanf1(char const * __ptr64,char const * __ptr64,void * __ptr64) +?Sscanf1@CStringWrapper@@SAHPEBD0PEAX@Z +; public: static int __cdecl CStringWrapper::Sscanf2(char const * __ptr64,char const * __ptr64,void * __ptr64,void * __ptr64) +?Sscanf2@CStringWrapper@@SAHPEBD0PEAX1@Z +; public: static int __cdecl CStringWrapper::Sscanf3(char const * __ptr64,char const * __ptr64,void * __ptr64,void * __ptr64,void * __ptr64) +?Sscanf3@CStringWrapper@@SAHPEBD0PEAX11@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strcat(char * __ptr64,char const * __ptr64) +?Strcat@CStringWrapper@@SAPEADPEADPEBD@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strchr(char const * __ptr64,char) +?Strchr@CStringWrapper@@SAPEADPEBDD@Z +; public: static int __cdecl CStringWrapper::Strcmp(char const * __ptr64,char const * __ptr64) +?Strcmp@CStringWrapper@@SAHPEBD0@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strcpy(char * __ptr64,char const * __ptr64) +?Strcpy@CStringWrapper@@SAPEADPEADPEBD@Z +; public: static int __cdecl CStringWrapper::Stricmp(char const * __ptr64,char const * __ptr64) +?Stricmp@CStringWrapper@@SAHPEBD0@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strinc(char const * __ptr64) +?Strinc@CStringWrapper@@SAPEADPEBD@Z +; public: static int __cdecl CStringWrapper::Strlen(char const * __ptr64) +?Strlen@CStringWrapper@@SAHPEBD@Z +; public: static int __cdecl CStringWrapper::Strncmp(char const * __ptr64,char const * __ptr64,unsigned __int64) +?Strncmp@CStringWrapper@@SAHPEBD0_K@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strncpy(char * __ptr64,char const * __ptr64,unsigned __int64) +?Strncpy@CStringWrapper@@SAPEADPEADPEBD_K@Z +; public: static int __cdecl CStringWrapper::Strnicmp(char const * __ptr64,char const * __ptr64,unsigned __int64) +?Strnicmp@CStringWrapper@@SAHPEBD0_K@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strrchr(char const * __ptr64,char) +?Strrchr@CStringWrapper@@SAPEADPEBDD@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strstr(char const * __ptr64,char const * __ptr64) +?Strstr@CStringWrapper@@SAPEADPEBD0@Z +; public: static char * __ptr64 __cdecl CStringWrapper::Strtok(char * __ptr64,char const * __ptr64) +?Strtok@CStringWrapper@@SAPEADPEADPEBD@Z +; public: unsigned short * __ptr64 __cdecl CTStr::SysAllocString(void) __ptr64 +?SysAllocString@CTStr@@QEAAPEAGXZ +; public: void __cdecl CMemUser::UnLockBuffer(struct MEMBLOCK_tag * __ptr64) __ptr64 +?UnLockBuffer@CMemUser@@QEAAXPEAUMEMBLOCK_tag@@@Z +; public: int __cdecl CMemManager::UnRegisterMemUser(class CMemUser * __ptr64) __ptr64 +?UnRegisterMemUser@CMemManager@@QEAAHPEAVCMemUser@@@Z +; public: static int __cdecl CMemManager::UnRegisterMemUserGlb(class CMemUser * __ptr64) +?UnRegisterMemUserGlb@CMemManager@@SAHPEAVCMemUser@@@Z +; public: static int __cdecl CStringWrapper::WStrCmpin(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned __int64) +?WStrCmpin@CStringWrapper@@SAHPEBG0_K@Z +; public: static unsigned short * __ptr64 __cdecl CStringWrapper::WStrcat(unsigned short * __ptr64,unsigned short const * __ptr64) +?WStrcat@CStringWrapper@@SAPEAGPEAGPEBG@Z +; public: static unsigned short * __ptr64 __cdecl CStringWrapper::WStrcpy(unsigned short * __ptr64,unsigned short const * __ptr64) +?WStrcpy@CStringWrapper@@SAPEAGPEAGPEBG@Z +; public: static int __cdecl CStringWrapper::WStrlen(unsigned short const * __ptr64) +?WStrlen@CStringWrapper@@SAHPEBG@Z +; public: static unsigned short * __ptr64 __cdecl CStringWrapper::WStrncpy(unsigned short * __ptr64,unsigned short const * __ptr64,unsigned __int64) +?WStrncpy@CStringWrapper@@SAPEAGPEAGPEBG_K@Z +; public: static unsigned __int64 __cdecl CStringWrapper::Wcstombs(char * __ptr64,unsigned short const * __ptr64,unsigned __int64) +?Wcstombs@CStringWrapper@@SA_KPEADPEBG_K@Z +; public: virtual unsigned long __cdecl CURLArchive::Write(unsigned char * __ptr64,unsigned long) __ptr64 +?Write@CURLArchive@@UEAAKPEAEK@Z +; long __cdecl WriteBstrToPropBag(struct IPropertyBag * __ptr64,char * __ptr64,unsigned short * __ptr64) +?WriteBstrToPropBag@@YAJPEAUIPropertyBag@@PEADPEAG@Z +; long __cdecl WriteLongToPropBag(struct IPropertyBag * __ptr64,char * __ptr64,long) +?WriteLongToPropBag@@YAJPEAUIPropertyBag@@PEADJ@Z +; public: char * __ptr64 __cdecl CTStr::psz(void) __ptr64 +?psz@CTStr@@QEAAPEADXZ +; public: char * __ptr64 __cdecl CTStr::pszA(void) __ptr64 +?pszA@CTStr@@QEAAPEADXZ +; public: unsigned short * __ptr64 __cdecl CTStr::pszW(void) __ptr64 +?pszW@CTStr@@QEAAPEAGXZ +_wcsicmp +_wtoi +fmod +memcmp +memset +setlocale +strcpy +strlen +swprintf diff --git a/lib/libc/mingw/lib64/mobsync.def b/lib/libc/mingw/lib64/mobsync.def new file mode 100644 index 0000000000..6ff74df928 --- /dev/null +++ b/lib/libc/mingw/lib64/mobsync.def @@ -0,0 +1,31 @@ +; +; Exports of file mobsync.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mobsync.dll +EXPORTS +RunDllRegister +SyncMgrRasProc +DisplayOptions +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +MobsyncGetClassObject +RegGetHandlerRegistrationInfo +RegGetHandlerTopLevelKey +RegGetProgressDetailsState +RegGetSchedConnectionName +RegGetSchedSyncSettings +RegGetSyncItemSettings +RegGetSyncSettings +RegQueryLoadHandlerOnEvent +RegRemoveManualSyncSettings +RegSchedHandlerItemsChecked +RegSetProgressDetailsState +RegSetSyncItemSettings +RegSetUserDefaults +SyncMgrResolveConflictA +SyncMgrResolveConflictW diff --git a/lib/libc/mingw/lib64/mofd.def b/lib/libc/mingw/lib64/mofd.def new file mode 100644 index 0000000000..1a486bb6a0 --- /dev/null +++ b/lib/libc/mingw/lib64/mofd.def @@ -0,0 +1,14 @@ +; +; Exports of file mofd.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mofd.dll +EXPORTS +CompileFileViaDLL +CreateBMOFViaDLL +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/mprddm.def b/lib/libc/mingw/lib64/mprddm.def new file mode 100644 index 0000000000..544b544362 --- /dev/null +++ b/lib/libc/mingw/lib64/mprddm.def @@ -0,0 +1,47 @@ +; +; Exports of file MPRDDM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MPRDDM.dll +EXPORTS +DDMAdminConnectionClearStats +DDMAdminConnectionEnum +DDMAdminConnectionGetInfo +DDMAdminInterfaceConnect +DDMAdminInterfaceDisconnect +DDMAdminPortClearStats +DDMAdminPortDisconnect +DDMAdminPortEnum +DDMAdminPortGetInfo +DDMAdminPortReset +DDMAdminRemoveQuarantine +DDMAdminServerGetInfo +DDMAdminServerSetInfo +DDMConnectInterface +DDMDisconnectInterface +DDMGetIdentityAttributes +DDMPostCleanup +DDMRegisterConnectionNotification +DDMSendUserMessage +DDMServiceInitialize +DDMServicePostListens +DDMTransportCreate +IfObjectFreePhonebookContext +IfObjectInitiatePersistentConnections +IfObjectLoadPhonebookInfo +IfObjectNotifyOfReachabilityChange +IfObjectSetDialoutHoursRestriction +RasAcctConfigChangeNotification +RasAcctProviderFreeAttributes +RasAcctProviderInitialize +RasAcctProviderInterimAccounting +RasAcctProviderStartAccounting +RasAcctProviderStopAccounting +RasAcctProviderTerminate +RasAuthConfigChangeNotification +RasAuthProviderAuthenticateUser +RasAuthProviderFreeAttributes +RasAuthProviderInitialize +RasAuthProviderTerminate diff --git a/lib/libc/mingw/lib64/mprmsg.def b/lib/libc/mingw/lib64/mprmsg.def new file mode 100644 index 0000000000..16722df9ae --- /dev/null +++ b/lib/libc/mingw/lib64/mprmsg.def @@ -0,0 +1,9 @@ +; +; Exports of file ROUTEMSG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ROUTEMSG.dll +EXPORTS +GetEventIds diff --git a/lib/libc/mingw/lib64/mprui.def b/lib/libc/mingw/lib64/mprui.def new file mode 100644 index 0000000000..ed8a698daa --- /dev/null +++ b/lib/libc/mingw/lib64/mprui.def @@ -0,0 +1,21 @@ +; +; Exports of file MPRUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MPRUI.dll +EXPORTS +BrowseDialogA0 +MPRUI_DoPasswordDialog +MPRUI_DoProfileErrorDialog +MPRUI_ShowReconnectDialog +MPRUI_WNetClearConnections +MPRUI_WNetConnectionDialog +MPRUI_WNetConnectionDialog1A +MPRUI_WNetConnectionDialog1W +MPRUI_WNetDisconnectDialog +MPRUI_WNetDisconnectDialog1A +MPRUI_WNetDisconnectDialog1W +WNetBrowseDialog +WNetBrowsePrinterDialog diff --git a/lib/libc/mingw/lib64/mqad.def b/lib/libc/mingw/lib64/mqad.def new file mode 100644 index 0000000000..11bfb846eb --- /dev/null +++ b/lib/libc/mingw/lib64/mqad.def @@ -0,0 +1,42 @@ +; +; Exports of file mqad.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqad.dll +EXPORTS +MQADBeginDeleteNotification +MQADCreateObject +MQADDeleteObject +MQADDeleteObjectGuid +MQADDeleteObjectGuidSid +MQADEndDeleteNotification +MQADEndQuery +MQADFreeMemory +MQADGetADsPathInfo +MQADGetComputerSites +MQADGetComputerVersion +MQADGetGenObjectProperties +MQADGetObjectProperties +MQADGetObjectPropertiesGuid +MQADGetObjectSecurity +MQADGetObjectSecurityGuid +MQADInit +MQADNotifyDelete +MQADQMGetObjectSecurity +MQADQueryAllLinks +MQADQueryAllSites +MQADQueryConnectors +MQADQueryForeignSites +MQADQueryLinks +MQADQueryMachineQueues +MQADQueryNT4MQISServers +MQADQueryQueues +MQADQueryResults +MQADQuerySiteServers +MQADQueryUserCert +MQADSetObjectProperties +MQADSetObjectPropertiesGuid +MQADSetObjectSecurity +MQADSetObjectSecurityGuid diff --git a/lib/libc/mingw/lib64/mqcertui.def b/lib/libc/mingw/lib64/mqcertui.def new file mode 100644 index 0000000000..8a2ae090c9 --- /dev/null +++ b/lib/libc/mingw/lib64/mqcertui.def @@ -0,0 +1,12 @@ +; +; Exports of file MQCERTUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MQCERTUI.dll +EXPORTS +SelectPersonalCertificateForRegister +SelectPersonalCertificateForRemoval +ShowCertificate +ShowPersonalCertificates diff --git a/lib/libc/mingw/lib64/mqdscli.def b/lib/libc/mingw/lib64/mqdscli.def new file mode 100644 index 0000000000..ba9af18c61 --- /dev/null +++ b/lib/libc/mingw/lib64/mqdscli.def @@ -0,0 +1,34 @@ +; +; Exports of file mqdscli.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqdscli.dll +EXPORTS +DSBeginDeleteNotification +DSClientInit +DSCreateObject +DSCreateServersCache +DSDeleteObject +DSDeleteObjectGuid +DSEndDeleteNotification +DSFreeMemory +DSGetComputerSites +DSGetObjectProperties +DSGetObjectPropertiesEx +DSGetObjectPropertiesGuid +DSGetObjectPropertiesGuidEx +DSGetObjectSecurity +DSGetObjectSecurityGuid +DSGetUserParams +DSLookupBegin +DSLookupEnd +DSLookupNext +DSNotifyDelete +DSQMGetObjectSecurity +DSSetObjectProperties +DSSetObjectPropertiesGuid +DSSetObjectSecurity +DSSetObjectSecurityGuid +DSTerminate diff --git a/lib/libc/mingw/lib64/mqise.def b/lib/libc/mingw/lib64/mqise.def new file mode 100644 index 0000000000..e3728e3e97 --- /dev/null +++ b/lib/libc/mingw/lib64/mqise.def @@ -0,0 +1,11 @@ +; +; Exports of file mqise.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqise.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/mqlogmgr.def b/lib/libc/mingw/lib64/mqlogmgr.def new file mode 100644 index 0000000000..208b55ae03 --- /dev/null +++ b/lib/libc/mingw/lib64/mqlogmgr.def @@ -0,0 +1,16 @@ +; +; Exports of file MSDTCLOG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDTCLOG.dll +EXPORTS +; public: static long __cdecl CLogMgr::CreateInstance(class CLogMgr * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?CreateInstance@CLogMgr@@SAJPEAPEAV1@PEAUIUnknown@@@Z +DllGetDTCLOG2 +; int __cdecl DllGetDTCLOG(struct _GUID const & __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) +?DllGetDTCLOG@@YAHAEBU_GUID@@0PEAPEAX@Z +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/mqperf.def b/lib/libc/mingw/lib64/mqperf.def new file mode 100644 index 0000000000..115d6a5032 --- /dev/null +++ b/lib/libc/mingw/lib64/mqperf.def @@ -0,0 +1,11 @@ +; +; Exports of file MQPERF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MQPERF.dll +EXPORTS +PerfClose +PerfCollect +PerfOpen diff --git a/lib/libc/mingw/lib64/mqrt.def b/lib/libc/mingw/lib64/mqrt.def new file mode 100644 index 0000000000..42dbc8ba28 --- /dev/null +++ b/lib/libc/mingw/lib64/mqrt.def @@ -0,0 +1,54 @@ +; +; Exports of file mqrt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqrt.dll +EXPORTS +MQLogHR +DllRegisterServer +MQADsPathToFormatName +MQAllocateMemory +MQBeginTransaction +MQCloseCursor +MQCloseQueue +MQCreateCursor +MQCreateQueue +MQDeleteQueue +MQFreeMemory +MQFreeSecurityContext +MQGetMachineProperties +MQGetOverlappedResult +MQGetPrivateComputerInformation +MQGetQueueProperties +MQGetQueueSecurity +MQGetSecurityContext +MQGetSecurityContextEx +MQHandleToFormatName +MQInstanceToFormatName +MQLocateBegin +MQLocateEnd +MQLocateNext +MQMgmtAction +MQMgmtGetInfo +MQOpenQueue +MQPathNameToFormatName +MQPurgeQueue +MQReceiveMessage +MQReceiveMessageByLookupId +MQRegisterCertificate +MQSendMessage +MQSetQueueProperties +MQSetQueueSecurity +RTCreateInternalCertificate +RTDeleteInternalCert +RTGetInternalCert +RTGetUserCerts +RTIsDependentClient +RTLogOnRegisterCert +RTOpenInternalCertStore +RTRegisterUserCert +RTRemoveUserCert +RTRemoveUserCertSid +RTXactGetDTC diff --git a/lib/libc/mingw/lib64/mqrtdep.def b/lib/libc/mingw/lib64/mqrtdep.def new file mode 100644 index 0000000000..e0979dad9d --- /dev/null +++ b/lib/libc/mingw/lib64/mqrtdep.def @@ -0,0 +1,47 @@ +; +; Exports of file MQRTDEP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MQRTDEP.dll +EXPORTS +DepBeginTransaction +DepCloseCursor +DepCloseQueue +DepCreateCursor +DepCreateInternalCertificate +DepCreateQueue +DepDeleteInternalCert +DepDeleteQueue +DepFreeMemory +DepFreeSecurityContext +DepGetInternalCert +DepGetMachineProperties +DepGetOverlappedResult +DepGetPrivateComputerInformation +DepGetQueueProperties +DepGetQueueSecurity +DepGetSecurityContext +DepGetSecurityContextEx +DepGetUserCerts +DepHandleToFormatName +DepInstanceToFormatName +DepLocateBegin +DepLocateEnd +DepLocateNext +DepMgmtAction +DepMgmtGetInfo +DepOpenInternalCertStore +DepOpenQueue +DepPathNameToFormatName +DepPurgeQueue +DepReceiveMessage +DepRegisterCertificate +DepRegisterServer +DepRegisterUserCert +DepRemoveUserCert +DepSendMessage +DepSetQueueProperties +DepSetQueueSecurity +DepXactGetDTC diff --git a/lib/libc/mingw/lib64/mqsec.def b/lib/libc/mingw/lib64/mqsec.def new file mode 100644 index 0000000000..03261f305d --- /dev/null +++ b/lib/libc/mingw/lib64/mqsec.def @@ -0,0 +1,329 @@ +; +; Exports of file mqsec.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqsec.dll +EXPORTS +; public: __cdecl CCancelRpc::CCancelRpc(class CCancelRpc const & __ptr64) __ptr64 +??0CCancelRpc@@QEAA@AEBV0@@Z +; public: __cdecl CCancelRpc::CCancelRpc(void) __ptr64 +??0CCancelRpc@@QEAA@XZ +; public: __cdecl CColumns::CColumns(class CColumns const & __ptr64) __ptr64 +??0CColumns@@QEAA@AEBV0@@Z +; public: __cdecl CColumns::CColumns(unsigned int) __ptr64 +??0CColumns@@QEAA@I@Z +; public: __cdecl CDSBaseUpdate::CDSBaseUpdate(class CDSBaseUpdate const & __ptr64) __ptr64 +??0CDSBaseUpdate@@QEAA@AEBV0@@Z +; public: __cdecl CDSBaseUpdate::CDSBaseUpdate(void) __ptr64 +??0CDSBaseUpdate@@QEAA@XZ +; public: __cdecl COutputReport::COutputReport(void) __ptr64 +??0COutputReport@@QEAA@XZ +; public: __cdecl CPropertyRestriction::CPropertyRestriction(class CPropertyRestriction const & __ptr64) __ptr64 +??0CPropertyRestriction@@QEAA@AEBV0@@Z +; public: __cdecl CPropertyRestriction::CPropertyRestriction(unsigned long,unsigned long const & __ptr64,class CMQVariant const & __ptr64) __ptr64 +??0CPropertyRestriction@@QEAA@KAEBKAEBVCMQVariant@@@Z +; public: __cdecl CPropertyRestriction::CPropertyRestriction(void) __ptr64 +??0CPropertyRestriction@@QEAA@XZ +; public: __cdecl CRestriction::CRestriction(class CRestriction const & __ptr64) __ptr64 +??0CRestriction@@QEAA@AEBV0@@Z +; public: __cdecl CRestriction::CRestriction(unsigned int) __ptr64 +??0CRestriction@@QEAA@I@Z +; public: __cdecl CSort::CSort(class CSort const & __ptr64) __ptr64 +??0CSort@@QEAA@AEBV0@@Z +; public: __cdecl CSort::CSort(unsigned int) __ptr64 +??0CSort@@QEAA@I@Z +; public: __cdecl CSortKey::CSortKey(unsigned long const & __ptr64,unsigned long) __ptr64 +??0CSortKey@@QEAA@AEBKK@Z +; public: __cdecl CSortKey::CSortKey(void) __ptr64 +??0CSortKey@@QEAA@XZ +; public: __cdecl CCancelRpc::~CCancelRpc(void) __ptr64 +??1CCancelRpc@@QEAA@XZ +; public: __cdecl CColumns::~CColumns(void) __ptr64 +??1CColumns@@QEAA@XZ +; public: __cdecl CDSBaseUpdate::~CDSBaseUpdate(void) __ptr64 +??1CDSBaseUpdate@@QEAA@XZ +; public: __cdecl COutputReport::~COutputReport(void) __ptr64 +??1COutputReport@@QEAA@XZ +; public: __cdecl CPropertyRestriction::~CPropertyRestriction(void) __ptr64 +??1CPropertyRestriction@@QEAA@XZ +; public: __cdecl CRestriction::~CRestriction(void) __ptr64 +??1CRestriction@@QEAA@XZ +; public: __cdecl CSort::~CSort(void) __ptr64 +??1CSort@@QEAA@XZ +; public: __cdecl CSortKey::~CSortKey(void) __ptr64 +??1CSortKey@@QEAA@XZ +; public: class CCancelRpc & __ptr64 __cdecl CCancelRpc::operator=(class CCancelRpc const & __ptr64) __ptr64 +??4CCancelRpc@@QEAAAEAV0@AEBV0@@Z +; public: class CDSBaseUpdate & __ptr64 __cdecl CDSBaseUpdate::operator=(class CDSBaseUpdate const & __ptr64) __ptr64 +??4CDSBaseUpdate@@QEAAAEAV0@AEBV0@@Z +; public: class COutputReport & __ptr64 __cdecl COutputReport::operator=(class COutputReport const & __ptr64) __ptr64 +??4COutputReport@@QEAAAEAV0@AEBV0@@Z +; public: class CPropertyRestriction & __ptr64 __cdecl CPropertyRestriction::operator=(class CPropertyRestriction const & __ptr64) __ptr64 +??4CPropertyRestriction@@QEAAAEAV0@AEBV0@@Z +; public: class CRestriction & __ptr64 __cdecl CRestriction::operator=(class CRestriction const & __ptr64) __ptr64 +??4CRestriction@@QEAAAEAV0@AEBV0@@Z +; public: class CSortKey & __ptr64 __cdecl CSortKey::operator=(class CSortKey const & __ptr64) __ptr64 +??4CSortKey@@QEAAAEAV0@AEBV0@@Z +; public: void __cdecl CColumns::`default constructor closure'(void) __ptr64 +??_FCColumns@@QEAAXXZ +; public: void __cdecl CRestriction::`default constructor closure'(void) __ptr64 +??_FCRestriction@@QEAAXXZ +; public: void __cdecl CSort::`default constructor closure'(void) __ptr64 +??_FCSort@@QEAAXXZ +; public: void __cdecl CCancelRpc::Add(void * __ptr64,__int64) __ptr64 +?Add@CCancelRpc@@QEAAXPEAX_J@Z +; public: void __cdecl CColumns::Add(unsigned long const & __ptr64) __ptr64 +?Add@CColumns@@QEAAXAEBK@Z +; public: void __cdecl CSort::Add(unsigned long const & __ptr64,unsigned long) __ptr64 +?Add@CSort@@QEAAXAEBKK@Z +; public: void __cdecl CSort::Add(class CSortKey const & __ptr64) __ptr64 +?Add@CSort@@QEAAXAEBVCSortKey@@@Z +; public: void __cdecl CRestriction::AddChild(class CPropertyRestriction const & __ptr64) __ptr64 +?AddChild@CRestriction@@QEAAXAEBVCPropertyRestriction@@@Z +; public: void __cdecl CRestriction::AddRestriction(struct tagBLOB & __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXAEAUtagBLOB@@KK@Z +; public: void __cdecl CRestriction::AddRestriction(class CMQVariant const & __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXAEBVCMQVariant@@KK@Z +; public: void __cdecl CRestriction::AddRestriction(unsigned char,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXEKK@Z +; public: void __cdecl CRestriction::AddRestriction(short,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXFKK@Z +; public: void __cdecl CRestriction::AddRestriction(long,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXJKK@Z +; public: void __cdecl CRestriction::AddRestriction(unsigned long,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXKKK@Z +; public: void __cdecl CRestriction::AddRestriction(unsigned short * __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXPEAGKK@Z +; public: void __cdecl CRestriction::AddRestriction(struct _GUID * __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXPEAU_GUID@@KK@Z +; public: void __cdecl CRestriction::AddRestriction(struct tagCACLSID * __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXPEAUtagCACLSID@@KK@Z +; public: void __cdecl CRestriction::AddRestriction(struct tagCALPWSTR * __ptr64,unsigned long,unsigned long) __ptr64 +?AddRestriction@CRestriction@@QEAAXPEAUtagCALPWSTR@@KK@Z +; public: void __cdecl CCancelRpc::CancelRequests(__int64) __ptr64 +?CancelRequests@CCancelRpc@@QEAAX_J@Z +; private: static unsigned long __cdecl CCancelRpc::CancelThread(void * __ptr64) +?CancelThread@CCancelRpc@@CAKPEAX@Z +; public: struct tagMQCOLUMNSET * __ptr64 __cdecl CColumns::CastToStruct(void) __ptr64 +?CastToStruct@CColumns@@QEAAPEAUtagMQCOLUMNSET@@XZ +; public: struct tagMQRESTRICTION * __ptr64 __cdecl CRestriction::CastToStruct(void) __ptr64 +?CastToStruct@CRestriction@@QEAAPEAUtagMQRESTRICTION@@XZ +; public: struct tagMQSORTSET * __ptr64 __cdecl CSort::CastToStruct(void) __ptr64 +?CastToStruct@CSort@@QEAAPEAUtagMQSORTSET@@XZ +; void __cdecl ComposeRPCEndPointName(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) +?ComposeRPCEndPointName@@YAXPEBG0PEAPEAG@Z +; private: long __cdecl CDSBaseUpdate::CopyProperty(struct tagPROPVARIANT & __ptr64,struct tagPROPVARIANT * __ptr64) __ptr64 +?CopyProperty@CDSBaseUpdate@@AEAAJAEAUtagPROPVARIANT@@PEAU2@@Z +; public: unsigned int __cdecl CColumns::Count(void)const __ptr64 +?Count@CColumns@@QEBAIXZ +; public: unsigned int __cdecl CRestriction::Count(void)const __ptr64 +?Count@CRestriction@@QEBAIXZ +; public: unsigned int __cdecl CSort::Count(void)const __ptr64 +?Count@CSort@@QEBAIXZ +; long __cdecl DeleteFalconKeyValue(unsigned short const * __ptr64) +?DeleteFalconKeyValue@@YAJPEBG@Z +; private: void __cdecl CDSBaseUpdate::DeleteProperty(struct tagPROPVARIANT & __ptr64) __ptr64 +?DeleteProperty@CDSBaseUpdate@@AEAAXAEAUtagPROPVARIANT@@@Z +FreeContextHandle +; public: unsigned long const & __ptr64 __cdecl CColumns::Get(unsigned int)const __ptr64 +?Get@CColumns@@QEBAAEBKI@Z +; public: class CSortKey const & __ptr64 __cdecl CSort::Get(unsigned int)const __ptr64 +?Get@CSort@@QEBAAEBVCSortKey@@I@Z +; public: class CPropertyRestriction const & __ptr64 __cdecl CRestriction::GetChild(unsigned int)const __ptr64 +?GetChild@CRestriction@@QEBAAEBVCPropertyRestriction@@I@Z +; public: unsigned char __cdecl CDSBaseUpdate::GetCommand(void) __ptr64 +?GetCommand@CDSBaseUpdate@@QEAAEXZ +; long __cdecl GetComputerDnsNameInternal(unsigned short * __ptr64,unsigned long * __ptr64) +?GetComputerDnsNameInternal@@YAJPEAGPEAK@Z +; long __cdecl GetComputerNameInternal(unsigned short * __ptr64,unsigned long * __ptr64) +?GetComputerNameInternal@@YAJPEAGPEAK@Z +GetDomainFQDNName +; long __cdecl GetFalconKey(unsigned short const * __ptr64,struct HKEY__ * __ptr64 * __ptr64) +?GetFalconKey@@YAJPEBGPEAPEAUHKEY__@@@Z +GetFalconKeyValue +; unsigned short const * __ptr64 __cdecl GetFalconSectionName(void) +?GetFalconSectionName@@YAPEBGXZ +; unsigned long __cdecl GetFalconServiceName(unsigned short * __ptr64,unsigned long) +?GetFalconServiceName@@YAKPEAGK@Z +; public: struct _GUID * __ptr64 __cdecl CDSBaseUpdate::GetGuidIdentifier(void) __ptr64 +?GetGuidIdentifier@CDSBaseUpdate@@QEAAPEAU_GUID@@XZ +; public: struct _GUID const * __ptr64 __cdecl CDSBaseUpdate::GetMasterId(void) __ptr64 +?GetMasterId@CDSBaseUpdate@@QEAAPEBU_GUID@@XZ +; public: unsigned long __cdecl CDSBaseUpdate::GetObjectType(void) __ptr64 +?GetObjectType@CDSBaseUpdate@@QEAAKXZ +; public: unsigned long __cdecl CSortKey::GetOrder(void)const __ptr64 +?GetOrder@CSortKey@@QEBAKXZ +; public: unsigned short * __ptr64 __cdecl CDSBaseUpdate::GetPathName(void) __ptr64 +?GetPathName@CDSBaseUpdate@@QEAAPEAGXZ +; public: class CSeqNum const & __ptr64 __cdecl CDSBaseUpdate::GetPrevSeqNum(void)const __ptr64 +?GetPrevSeqNum@CDSBaseUpdate@@QEBAAEBVCSeqNum@@XZ +; public: unsigned long const & __ptr64 __cdecl CSortKey::GetProperty(void)const __ptr64 +?GetProperty@CSortKey@@QEBAAEBKXZ +; public: unsigned long * __ptr64 __cdecl CDSBaseUpdate::GetProps(void) __ptr64 +?GetProps@CDSBaseUpdate@@QEAAPEAKXZ +; public: class CSeqNum const & __ptr64 __cdecl CDSBaseUpdate::GetPurgeSeqNum(void)const __ptr64 +?GetPurgeSeqNum@CDSBaseUpdate@@QEBAAEBVCSeqNum@@XZ +; public: class CSeqNum const & __ptr64 __cdecl CDSBaseUpdate::GetSeqNum(void)const __ptr64 +?GetSeqNum@CDSBaseUpdate@@QEBAAEBVCSeqNum@@XZ +; public: long __cdecl CDSBaseUpdate::GetSerializeSize(unsigned long * __ptr64) __ptr64 +?GetSerializeSize@CDSBaseUpdate@@QEAAJPEAK@Z +GetSizes +; long __cdecl GetThisServerIpPort(unsigned short * __ptr64,unsigned long) +?GetThisServerIpPort@@YAJPEAGK@Z +; public: struct tagPROPVARIANT * __ptr64 __cdecl CDSBaseUpdate::GetVars(void) __ptr64 +?GetVars@CDSBaseUpdate@@QEAAPEAUtagPROPVARIANT@@XZ +; private: void __cdecl CRestriction::Grow(void) __ptr64 +?Grow@CRestriction@@AEAAXXZ +; long __cdecl HashMessageProperties(unsigned __int64,unsigned char const * __ptr64,unsigned long,unsigned long,unsigned char const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned long,struct QUEUE_FORMAT const * __ptr64,struct QUEUE_FORMAT const * __ptr64) +?HashMessageProperties@@YAJ_KPEBEKK1KPEBGKPEBUQUEUE_FORMAT@@3@Z +; long __cdecl HashProperties(unsigned __int64,unsigned long,unsigned long * __ptr64,struct tagPROPVARIANT * __ptr64) +?HashProperties@@YAJ_KKPEAKPEAUtagPROPVARIANT@@@Z +; public: void __cdecl CCancelRpc::Init(void) __ptr64 +?Init@CCancelRpc@@QEAAXXZ +; public: long __cdecl CDSBaseUpdate::Init(unsigned char const * __ptr64,unsigned long * __ptr64,int) __ptr64 +?Init@CDSBaseUpdate@@QEAAJPEBEPEAKH@Z +; public: long __cdecl CDSBaseUpdate::Init(struct _GUID const * __ptr64,class CSeqNum const & __ptr64,class CSeqNum const & __ptr64,class CSeqNum const & __ptr64,int,unsigned char,unsigned long,struct _GUID const * __ptr64,unsigned long,unsigned long * __ptr64,struct tagPROPVARIANT * __ptr64) __ptr64 +?Init@CDSBaseUpdate@@QEAAJPEBU_GUID@@AEBVCSeqNum@@11HEK0KPEAKPEAUtagPROPVARIANT@@@Z +; public: long __cdecl CDSBaseUpdate::Init(struct _GUID const * __ptr64,class CSeqNum const & __ptr64,class CSeqNum const & __ptr64,class CSeqNum const & __ptr64,int,unsigned char,unsigned long,unsigned short * __ptr64,unsigned long,unsigned long * __ptr64,struct tagPROPVARIANT * __ptr64) __ptr64 +?Init@CDSBaseUpdate@@QEAAJPEBU_GUID@@AEBVCSeqNum@@11HEKPEAGKPEAKPEAUtagPROPVARIANT@@@Z +; private: long __cdecl CDSBaseUpdate::InitProperty(unsigned char const * __ptr64,unsigned long * __ptr64,unsigned long,struct tagPROPVARIANT & __ptr64) __ptr64 +?InitProperty@CDSBaseUpdate@@AEAAJPEBEPEAKKAEAUtagPROPVARIANT@@@Z +; bool __cdecl IsLocalSystemCluster(void) +?IsLocalSystemCluster@@YA_NXZ +; public: void __cdecl COutputReport::KeepErrorHistory(unsigned short const * __ptr64,unsigned short,long) __ptr64 +?KeepErrorHistory@COutputReport@@QEAAXPEBGGJ@Z +MQSealBuffer +MQSec_AccessCheck +MQSec_AccessCheckForSelf +MQSec_AcquireCryptoProvider +MQSec_CanGenerateAudit +MQSec_ConvertSDToNT4Format +MQSec_ConvertSDToNT5Format +MQSec_CopySecurityDescriptor +MQSec_GetAdminSid +MQSec_GetAnonymousSid +MQSec_GetCryptoProvProperty +MQSec_GetDefaultSecDescriptor +MQSec_GetImpersonationObject +MQSec_GetLocalMachineSid +MQSec_GetLocalSystemSid +MQSec_GetNetworkServiceSid +MQSec_GetProcessSid +MQSec_GetProcessUserSid +MQSec_GetPubKeysFromDS +MQSec_GetThreadUserSid +MQSec_GetUserType +MQSec_GetWorldSid +MQSec_IsAnonymusSid +MQSec_IsDC +MQSec_IsGuestSid +MQSec_IsNetworkServiceSid +MQSec_IsSystemSid +MQSec_IsUnAuthenticatedUser +MQSec_MakeAbsoluteSD +MQSec_MakeSelfRelative +MQSec_MergeSecurityDescriptors +MQSec_PackPublicKey +MQSec_RpcAuthnLevel +MQSec_SetLocalRpcMutualAuth +MQSec_SetPrivilegeInThread +MQSec_SetSecurityDescriptorDacl +MQSec_StorePubKeys +MQSec_StorePubKeysInDS +MQSec_TraceThreadTokenInfo +MQSec_UnpackPublicKey +MQSec_UpdateLocalMachineSid +; long __cdecl MQSetCaConfig(unsigned long,class MQ_CA_CONFIG * __ptr64) +?MQSetCaConfig@@YAJKPEAVMQ_CA_CONFIG@@@Z +MQSigHashMessageProperties +MQUInitGlobalScurityVars +MQsspi_InitServerAuthntication +; private: void __cdecl CCancelRpc::ProcessEvents(void) __ptr64 +?ProcessEvents@CCancelRpc@@AEAAXXZ +; void __cdecl ProduceRPCErrorTracing(unsigned short * __ptr64,unsigned long) +?ProduceRPCErrorTracing@@YAXPEAGK@Z +; public: unsigned long __cdecl CPropertyRestriction::Relation(void) __ptr64 +?Relation@CPropertyRestriction@@QEAAKXZ +; public: void __cdecl CCancelRpc::Remove(void * __ptr64) __ptr64 +?Remove@CCancelRpc@@QEAAXPEAX@Z +; public: void __cdecl CColumns::Remove(unsigned int) __ptr64 +?Remove@CColumns@@QEAAXI@Z +; public: void __cdecl CSort::Remove(unsigned int) __ptr64 +?Remove@CSort@@QEAAXI@Z +; class COutputReport Report +?Report@@3VCOutputReport@@A DATA +; public: unsigned long __cdecl CCancelRpc::RpcCancelTimeout(void) __ptr64 +?RpcCancelTimeout@CCancelRpc@@QEAAKXZ +; public: long __cdecl CDSBaseUpdate::Serialize(unsigned char * __ptr64,unsigned long * __ptr64,int) __ptr64 +?Serialize@CDSBaseUpdate@@QEAAJPEAEPEAKH@Z +; private: long __cdecl CDSBaseUpdate::SerializeProperty(struct tagPROPVARIANT & __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) __ptr64 +?SerializeProperty@CDSBaseUpdate@@AEAAJAEAUtagPROPVARIANT@@PEAEPEAK@Z +ServerAcceptSecCtx +; public: void __cdecl CRestriction::SetChild(class CPropertyRestriction const & __ptr64,unsigned int) __ptr64 +?SetChild@CRestriction@@QEAAXAEBVCPropertyRestriction@@I@Z +SetFalconKeyValue +SetFalconServiceName +; public: void __cdecl CSortKey::SetOrder(unsigned long const & __ptr64) __ptr64 +?SetOrder@CSortKey@@QEAAXAEBK@Z +; public: void __cdecl CDSBaseUpdate::SetPrevSeqNum(class CSeqNum & __ptr64) __ptr64 +?SetPrevSeqNum@CDSBaseUpdate@@QEAAXAEAVCSeqNum@@@Z +; public: void __cdecl CPropertyRestriction::SetProperty(unsigned long const & __ptr64) __ptr64 +?SetProperty@CPropertyRestriction@@QEAAXAEBK@Z +; public: void __cdecl CSortKey::SetProperty(unsigned long const & __ptr64) __ptr64 +?SetProperty@CSortKey@@QEAAXAEBK@Z +; public: void __cdecl CPropertyRestriction::SetRelation(unsigned long) __ptr64 +?SetRelation@CPropertyRestriction@@QEAAXK@Z +; public: void __cdecl CPropertyRestriction::SetValue(struct tagBLOB & __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXAEAUtagBLOB@@@Z +; public: void __cdecl CPropertyRestriction::SetValue(class CMQVariant const & __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXAEBVCMQVariant@@@Z +; public: void __cdecl CPropertyRestriction::SetValue(unsigned char) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXE@Z +; public: void __cdecl CPropertyRestriction::SetValue(short) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXF@Z +; public: void __cdecl CPropertyRestriction::SetValue(long) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXJ@Z +; public: void __cdecl CPropertyRestriction::SetValue(unsigned long) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXK@Z +; public: void __cdecl CPropertyRestriction::SetValue(unsigned short * __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXPEAG@Z +; public: void __cdecl CPropertyRestriction::SetValue(struct _GUID * __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXPEAU_GUID@@@Z +; public: void __cdecl CPropertyRestriction::SetValue(struct tagCACLSID * __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXPEAUtagCACLSID@@@Z +; public: void __cdecl CPropertyRestriction::SetValue(struct tagCALPWSTR * __ptr64) __ptr64 +?SetValue@CPropertyRestriction@@QEAAXPEAUtagCALPWSTR@@@Z +; public: void __cdecl CCancelRpc::ShutDownCancelThread(void) __ptr64 +?ShutDownCancelThread@CCancelRpc@@QEAAXXZ +ShutDownDebugWindow +; unsigned __int64 __cdecl UnalignedWcslen(unsigned short const * __ptr64 __ptr64) +?UnalignedWcslen@@YA_KPEFBG@Z +; public: class CMQVariant const & __ptr64 __cdecl CPropertyRestriction::Value(void) __ptr64 +?Value@CPropertyRestriction@@QEAAAEBVCMQVariant@@XZ +; long __cdecl XactGetDTC(struct IUnknown * __ptr64 * __ptr64) +?XactGetDTC@@YAJPEAPEAUIUnknown@@@Z +; long __cdecl XactGetWhereabouts(unsigned long * __ptr64,unsigned char * __ptr64) +?XactGetWhereabouts@@YAJPEAKPEAE@Z +; class CCancelRpc g_CancelRpc +?g_CancelRpc@@3VCCancelRpc@@A DATA +; class CHCryptProv g_hProvVer +?g_hProvVer@@3VCHCryptProv@@A DATA +; public: unsigned char __cdecl CDSBaseUpdate::getNumOfProps(void) __ptr64 +?getNumOfProps@CDSBaseUpdate@@QEAAEXZ +; long __cdecl mqrpcBindQMService(unsigned short * __ptr64,unsigned short * __ptr64,unsigned long * __ptr64,void * __ptr64 * __ptr64,enum PORTTYPE,unsigned long (__cdecl*)(void * __ptr64,unsigned long),unsigned long) +?mqrpcBindQMService@@YAJPEAG0PEAKPEAPEAXW4PORTTYPE@@P6AKPEAXK@ZK@Z +; unsigned long __cdecl mqrpcGetLocalCallPID(void * __ptr64) +?mqrpcGetLocalCallPID@@YAKPEAX@Z +; int __cdecl mqrpcIsLocalCall(void * __ptr64) +?mqrpcIsLocalCall@@YAHPEAX@Z +; int __cdecl mqrpcIsTcpipTransport(void * __ptr64) +?mqrpcIsTcpipTransport@@YAHPEAX@Z +; long __cdecl mqrpcUnbindQMService(void * __ptr64 * __ptr64,unsigned short * __ptr64 * __ptr64) +?mqrpcUnbindQMService@@YAJPEAPEAXPEAPEAG@Z +MQSigCloneCertFromReg +MQSigCloneCertFromSysStore +MQSigCreateCertificate +MQSigOpenUserCertStore +MSMQGetOperatingSystem diff --git a/lib/libc/mingw/lib64/mqupgrd.def b/lib/libc/mingw/lib64/mqupgrd.def new file mode 100644 index 0000000000..17c3fdb294 --- /dev/null +++ b/lib/libc/mingw/lib64/mqupgrd.def @@ -0,0 +1,10 @@ +; +; Exports of file MQUPGRD.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MQUPGRD.dll +EXPORTS +CleanupOnCluster +MqCreateMsmqObj diff --git a/lib/libc/mingw/lib64/mqutil.def b/lib/libc/mingw/lib64/mqutil.def new file mode 100644 index 0000000000..4685d6d351 --- /dev/null +++ b/lib/libc/mingw/lib64/mqutil.def @@ -0,0 +1,9 @@ +; +; Exports of file mqutil.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mqutil.dll +EXPORTS +MQGetResourceHandle diff --git a/lib/libc/mingw/lib64/msadcs.def b/lib/libc/mingw/lib64/msadcs.def new file mode 100644 index 0000000000..992f8c63fd --- /dev/null +++ b/lib/libc/mingw/lib64/msadcs.def @@ -0,0 +1,11 @@ +; +; Exports of file MSADCS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSADCS.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/msado15.def b/lib/libc/mingw/lib64/msado15.def new file mode 100644 index 0000000000..c1cf497ea8 --- /dev/null +++ b/lib/libc/mingw/lib64/msado15.def @@ -0,0 +1,26 @@ +; +; Exports of file MSADO15.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSADO15.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +RNIGetCompatibleVersion +com_ms_wfc_data_Field_getBoolean +com_ms_wfc_data_Field_getByte +com_ms_wfc_data_Field_getBytes +com_ms_wfc_data_Field_getDataTimestamp +com_ms_wfc_data_Field_getDouble +com_ms_wfc_data_Field_getFloat +com_ms_wfc_data_Field_getInt +com_ms_wfc_data_Field_getLong +com_ms_wfc_data_Field_getShort +com_ms_wfc_data_Field_getString +com_ms_wfc_data_Field_isNull +com_ms_wfc_data_Field_loadMsjava +com_ms_wfc_data_Field_setDataDate diff --git a/lib/libc/mingw/lib64/msasn1.def b/lib/libc/mingw/lib64/msasn1.def new file mode 100644 index 0000000000..4946b66024 --- /dev/null +++ b/lib/libc/mingw/lib64/msasn1.def @@ -0,0 +1,274 @@ +; +; Exports of file MSASN1.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSASN1.dll +EXPORTS +ASN1BERDecBitString +ASN1BERDecBitString2 +ASN1BERDecBool +ASN1BERDecChar16String +ASN1BERDecChar32String +ASN1BERDecCharString +ASN1BERDecCheck +ASN1BERDecDouble +ASN1BERDecEndOfContents +ASN1BERDecEoid +ASN1BERDecExplicitTag +ASN1BERDecFlush +ASN1BERDecGeneralizedTime +ASN1BERDecLength +ASN1BERDecMultibyteString +ASN1BERDecNotEndOfContents +ASN1BERDecNull +ASN1BERDecObjectIdentifier +ASN1BERDecObjectIdentifier2 +ASN1BERDecOctetString +ASN1BERDecOctetString2 +ASN1BERDecOpenType +ASN1BERDecOpenType2 +ASN1BERDecPeekTag +ASN1BERDecS16Val +ASN1BERDecS32Val +ASN1BERDecS8Val +ASN1BERDecSXVal +ASN1BERDecSkip +ASN1BERDecTag +ASN1BERDecU16Val +ASN1BERDecU32Val +ASN1BERDecU8Val +ASN1BERDecUTCTime +ASN1BERDecUTF8String +ASN1BERDecZeroChar16String +ASN1BERDecZeroChar32String +ASN1BERDecZeroCharString +ASN1BERDecZeroMultibyteString +ASN1BERDotVal2Eoid +ASN1BEREncBitString +ASN1BEREncBool +ASN1BEREncChar16String +ASN1BEREncChar32String +ASN1BEREncCharString +ASN1BEREncCheck +ASN1BEREncDouble +ASN1BEREncEndOfContents +ASN1BEREncEoid +ASN1BEREncExplicitTag +ASN1BEREncFlush +ASN1BEREncGeneralizedTime +ASN1BEREncLength +ASN1BEREncMultibyteString +ASN1BEREncNull +ASN1BEREncObjectIdentifier +ASN1BEREncObjectIdentifier2 +ASN1BEREncOctetString +ASN1BEREncOpenType +ASN1BEREncRemoveZeroBits +ASN1BEREncS32 +ASN1BEREncSX +ASN1BEREncTag +ASN1BEREncU32 +ASN1BEREncUTCTime +ASN1BEREncUTF8String +ASN1BEREncZeroMultibyteString +ASN1BEREoid2DotVal +ASN1BEREoid_free +ASN1CEREncBeginBlk +ASN1CEREncBitString +ASN1CEREncChar16String +ASN1CEREncChar32String +ASN1CEREncCharString +ASN1CEREncEndBlk +ASN1CEREncFlushBlkElement +ASN1CEREncGeneralizedTime +ASN1CEREncMultibyteString +ASN1CEREncNewBlkElement +ASN1CEREncOctetString +ASN1CEREncUTCTime +ASN1CEREncZeroMultibyteString +ASN1DecAbort +ASN1DecAlloc +ASN1DecDone +ASN1DecRealloc +ASN1DecSetError +ASN1EncAbort +ASN1EncDone +ASN1EncSetError +ASN1Free +ASN1PERDecAlignment +ASN1PERDecBit +ASN1PERDecBits +ASN1PERDecBoolean +ASN1PERDecChar16String +ASN1PERDecChar32String +ASN1PERDecCharString +ASN1PERDecCharStringNoAlloc +ASN1PERDecComplexChoice +ASN1PERDecDouble +ASN1PERDecExtension +ASN1PERDecFlush +ASN1PERDecFragmented +ASN1PERDecFragmentedChar16String +ASN1PERDecFragmentedChar32String +ASN1PERDecFragmentedCharString +ASN1PERDecFragmentedExtension +ASN1PERDecFragmentedIntx +ASN1PERDecFragmentedLength +ASN1PERDecFragmentedTableChar16String +ASN1PERDecFragmentedTableChar32String +ASN1PERDecFragmentedTableCharString +ASN1PERDecFragmentedUIntx +ASN1PERDecFragmentedZeroChar16String +ASN1PERDecFragmentedZeroChar32String +ASN1PERDecFragmentedZeroCharString +ASN1PERDecFragmentedZeroTableChar16String +ASN1PERDecFragmentedZeroTableChar32String +ASN1PERDecFragmentedZeroTableCharString +ASN1PERDecGeneralizedTime +ASN1PERDecInteger +ASN1PERDecMultibyteString +ASN1PERDecN16Val +ASN1PERDecN32Val +ASN1PERDecN8Val +ASN1PERDecNormallySmallExtension +ASN1PERDecObjectIdentifier +ASN1PERDecObjectIdentifier2 +ASN1PERDecOctetString_FixedSize +ASN1PERDecOctetString_FixedSizeEx +ASN1PERDecOctetString_NoSize +ASN1PERDecOctetString_VarSize +ASN1PERDecOctetString_VarSizeEx +ASN1PERDecS16Val +ASN1PERDecS32Val +ASN1PERDecS8Val +ASN1PERDecSXVal +ASN1PERDecSeqOf_NoSize +ASN1PERDecSeqOf_VarSize +ASN1PERDecSimpleChoice +ASN1PERDecSimpleChoiceEx +ASN1PERDecSkipBits +ASN1PERDecSkipFragmented +ASN1PERDecSkipNormallySmall +ASN1PERDecSkipNormallySmallExtension +ASN1PERDecSkipNormallySmallExtensionFragmented +ASN1PERDecTableChar16String +ASN1PERDecTableChar32String +ASN1PERDecTableCharString +ASN1PERDecTableCharStringNoAlloc +ASN1PERDecU16Val +ASN1PERDecU32Val +ASN1PERDecU8Val +ASN1PERDecUTCTime +ASN1PERDecUXVal +ASN1PERDecUnsignedInteger +ASN1PERDecUnsignedShort +ASN1PERDecZeroChar16String +ASN1PERDecZeroChar32String +ASN1PERDecZeroCharString +ASN1PERDecZeroCharStringNoAlloc +ASN1PERDecZeroTableChar16String +ASN1PERDecZeroTableChar32String +ASN1PERDecZeroTableCharString +ASN1PERDecZeroTableCharStringNoAlloc +ASN1PEREncAlignment +ASN1PEREncBit +ASN1PEREncBitIntx +ASN1PEREncBitVal +ASN1PEREncBits +ASN1PEREncBoolean +ASN1PEREncChar16String +ASN1PEREncChar32String +ASN1PEREncCharString +ASN1PEREncCheckExtensions +ASN1PEREncComplexChoice +ASN1PEREncDouble +ASN1PEREncExtensionBitClear +ASN1PEREncExtensionBitSet +ASN1PEREncFlush +ASN1PEREncFlushFragmentedToParent +ASN1PEREncFragmented +ASN1PEREncFragmentedChar16String +ASN1PEREncFragmentedChar32String +ASN1PEREncFragmentedCharString +ASN1PEREncFragmentedIntx +ASN1PEREncFragmentedLength +ASN1PEREncFragmentedTableChar16String +ASN1PEREncFragmentedTableChar32String +ASN1PEREncFragmentedTableCharString +ASN1PEREncFragmentedUIntx +ASN1PEREncGeneralizedTime +ASN1PEREncInteger +ASN1PEREncMultibyteString +ASN1PEREncNormallySmall +ASN1PEREncNormallySmallBits +ASN1PEREncObjectIdentifier +ASN1PEREncObjectIdentifier2 +ASN1PEREncOctetString_FixedSize +ASN1PEREncOctetString_FixedSizeEx +ASN1PEREncOctetString_NoSize +ASN1PEREncOctetString_VarSize +ASN1PEREncOctetString_VarSizeEx +ASN1PEREncOctets +ASN1PEREncRemoveZeroBits +ASN1PEREncSeqOf_NoSize +ASN1PEREncSeqOf_VarSize +ASN1PEREncSimpleChoice +ASN1PEREncSimpleChoiceEx +ASN1PEREncTableChar16String +ASN1PEREncTableChar32String +ASN1PEREncTableCharString +ASN1PEREncUTCTime +ASN1PEREncUnsignedInteger +ASN1PEREncUnsignedShort +ASN1PEREncZero +ASN1PERFreeSeqOf +ASN1_CloseDecoder +ASN1_CloseEncoder +ASN1_CloseEncoder2 +ASN1_CloseModule +ASN1_CreateDecoder +ASN1_CreateDecoderEx +ASN1_CreateEncoder +ASN1_CreateModule +ASN1_Decode +ASN1_Encode +ASN1_FreeDecoded +ASN1_FreeEncoded +ASN1_GetDecoderOption +ASN1_GetEncoderOption +ASN1_SetDecoderOption +ASN1_SetEncoderOption +ASN1bitstring_cmp +ASN1bitstring_free +ASN1char16string_cmp +ASN1char16string_free +ASN1char32string_cmp +ASN1char32string_free +ASN1charstring_cmp +ASN1charstring_free +ASN1generalizedtime_cmp +ASN1intx2int32 +ASN1intx2uint32 +ASN1intx_add +ASN1intx_free +ASN1intx_setuint32 +ASN1intx_sub +ASN1intx_uoctets +ASN1intxisuint32 +ASN1objectidentifier2_cmp +ASN1objectidentifier_cmp +ASN1objectidentifier_free +ASN1octetstring_cmp +ASN1octetstring_free +ASN1open_cmp +ASN1open_free +ASN1uint32_uoctets +ASN1utctime_cmp +ASN1utf8string_free +ASN1ztchar16string_cmp +ASN1ztchar16string_free +ASN1ztchar32string_free +ASN1ztcharstring_cmp +ASN1ztcharstring_free diff --git a/lib/libc/mingw/lib64/mscms.def b/lib/libc/mingw/lib64/mscms.def deleted file mode 100644 index 946d3f4010..0000000000 --- a/lib/libc/mingw/lib64/mscms.def +++ /dev/null @@ -1,100 +0,0 @@ -; -; Definition file of mscms.dll -; Automatic generated by gendef -; written by Kai Tietz 2008 -; -LIBRARY "mscms.dll" -EXPORTS -AssociateColorProfileWithDeviceA -AssociateColorProfileWithDeviceW -CheckBitmapBits -CheckColors -CloseColorProfile -ColorCplGetDefaultProfileScope -ColorCplGetDefaultRenderingIntentScope -ColorCplGetProfileProperties -ColorCplHasSystemWideAssociationListChanged -ColorCplInitialize -ColorCplLoadAssociationList -ColorCplMergeAssociationLists -ColorCplOverwritePerUserAssociationList -ColorCplReleaseProfileProperties -ColorCplResetSystemWideAssociationListChangedWarning -ColorCplSaveAssociationList -ColorCplSetUsePerUserProfiles -ColorCplUninitialize -ConvertColorNameToIndex -ConvertIndexToColorName -CreateColorTransformA -CreateColorTransformW -CreateDeviceLinkProfile -CreateMultiProfileTransform -CreateProfileFromLogColorSpaceA -CreateProfileFromLogColorSpaceW -DeleteColorTransform -DeviceRenameEvent -DisassociateColorProfileFromDeviceA -DisassociateColorProfileFromDeviceW -EnumColorProfilesA -EnumColorProfilesW -GenerateCopyFilePaths -GetCMMInfo -GetColorDirectoryA -GetColorDirectoryW -GetColorProfileElement -GetColorProfileElementTag -GetColorProfileFromHandle -GetColorProfileHeader -GetCountColorProfileElements -GetNamedProfileInfo -GetPS2ColorRenderingDictionary -GetPS2ColorRenderingIntent -GetPS2ColorSpaceArray -GetStandardColorSpaceProfileA -GetStandardColorSpaceProfileW -InstallColorProfileA -InstallColorProfileW -InternalGetDeviceConfig -InternalGetPS2CSAFromLCS -InternalGetPS2ColorRenderingDictionary -InternalGetPS2ColorSpaceArray -InternalGetPS2PreviewCRD -InternalSetDeviceConfig -IsColorProfileTagPresent -IsColorProfileValid -OpenColorProfileA -OpenColorProfileW -RegisterCMMA -RegisterCMMW -SelectCMM -SetColorProfileElement -SetColorProfileElementReference -SetColorProfileElementSize -SetColorProfileHeader -SetStandardColorSpaceProfileA -SetStandardColorSpaceProfileW -SpoolerCopyFileEvent -TranslateBitmapBits -TranslateColors -UninstallColorProfileA -UninstallColorProfileW -UnregisterCMMA -UnregisterCMMW -WcsAssociateColorProfileWithDevice -WcsCheckColors -WcsCreateIccProfile -WcsDisassociateColorProfileFromDevice -WcsEnumColorProfiles -WcsEnumColorProfilesSize -WcsGetDefaultColorProfile -WcsGetDefaultColorProfileSize -WcsGetDefaultRenderingIntent -WcsGetUsePerUserProfiles -WcsGpCanInstallOrUninstallProfiles -WcsGpCanModifyDeviceAssociationList -WcsOpenColorProfileA -WcsOpenColorProfileW -WcsSetDefaultColorProfile -WcsSetDefaultRenderingIntent -WcsSetUsePerUserProfiles -WcsTranslateColors diff --git a/lib/libc/mingw/lib64/msdart.def b/lib/libc/mingw/lib64/msdart.def new file mode 100644 index 0000000000..9292e523a6 --- /dev/null +++ b/lib/libc/mingw/lib64/msdart.def @@ -0,0 +1,1013 @@ +; +; Exports of file MSDART.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDART.DLL +EXPORTS +; public: __cdecl CCritSec::CCritSec(void) __ptr64 +??0CCritSec@@QEAA@XZ +; public: __cdecl CDoubleList::CDoubleList(void) __ptr64 +??0CDoubleList@@QEAA@XZ +; public: __cdecl CEXAutoBackupFile::CEXAutoBackupFile(unsigned short const * __ptr64) __ptr64 +??0CEXAutoBackupFile@@QEAA@PEBG@Z +; public: __cdecl CEXAutoBackupFile::CEXAutoBackupFile(void) __ptr64 +??0CEXAutoBackupFile@@QEAA@XZ +; public: __cdecl CExFileOperation::CExFileOperation(void) __ptr64 +??0CExFileOperation@@QEAA@XZ +; public: __cdecl CFakeLock::CFakeLock(void) __ptr64 +??0CFakeLock@@QEAA@XZ +; private: __cdecl CLKRHashTable::CLKRHashTable(class CLKRHashTable const & __ptr64) __ptr64 +??0CLKRHashTable@@AEAA@AEBV0@@Z +; public: __cdecl CLKRHashTable::CLKRHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long) __ptr64 +??0CLKRHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK@Z +; public: __cdecl CLKRHashTableStats::CLKRHashTableStats(void) __ptr64 +??0CLKRHashTableStats@@QEAA@XZ +; private: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(class CLKRLinearHashTable const & __ptr64) __ptr64 +??0CLKRLinearHashTable@@AEAA@AEBV0@@Z +; private: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64) __ptr64 +??0CLKRLinearHashTable@@AEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAVCLKRHashTable@@@Z +; public: __cdecl CLKRLinearHashTable::CLKRLinearHashTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,unsigned long) __ptr64 +??0CLKRLinearHashTable@@QEAA@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKK@Z +; public: __cdecl CLockedDoubleList::CLockedDoubleList(void) __ptr64 +??0CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::CLockedSingleList(void) __ptr64 +??0CLockedSingleList@@QEAA@XZ +; public: __cdecl CReaderWriterLock2::CReaderWriterLock2(void) __ptr64 +??0CReaderWriterLock2@@QEAA@XZ +; public: __cdecl CReaderWriterLock3::CReaderWriterLock3(void) __ptr64 +??0CReaderWriterLock3@@QEAA@XZ +; public: __cdecl CReaderWriterLock::CReaderWriterLock(void) __ptr64 +??0CReaderWriterLock@@QEAA@XZ +; public: __cdecl CSingleList::CSingleList(void) __ptr64 +??0CSingleList@@QEAA@XZ +; public: __cdecl CSmallSpinLock::CSmallSpinLock(void) __ptr64 +??0CSmallSpinLock@@QEAA@XZ +; public: __cdecl CSpinLock::CSpinLock(void) __ptr64 +??0CSpinLock@@QEAA@XZ +; public: __cdecl CCritSec::~CCritSec(void) __ptr64 +??1CCritSec@@QEAA@XZ +; public: __cdecl CDoubleList::~CDoubleList(void) __ptr64 +??1CDoubleList@@QEAA@XZ +; public: __cdecl CEXAutoBackupFile::~CEXAutoBackupFile(void) __ptr64 +??1CEXAutoBackupFile@@QEAA@XZ +; public: __cdecl CExFileOperation::~CExFileOperation(void) __ptr64 +??1CExFileOperation@@QEAA@XZ +; public: __cdecl CFakeLock::~CFakeLock(void) __ptr64 +??1CFakeLock@@QEAA@XZ +; public: __cdecl CLKRHashTable::~CLKRHashTable(void) __ptr64 +??1CLKRHashTable@@QEAA@XZ +; public: __cdecl CLKRLinearHashTable::~CLKRLinearHashTable(void) __ptr64 +??1CLKRLinearHashTable@@QEAA@XZ +; public: __cdecl CLockedDoubleList::~CLockedDoubleList(void) __ptr64 +??1CLockedDoubleList@@QEAA@XZ +; public: __cdecl CLockedSingleList::~CLockedSingleList(void) __ptr64 +??1CLockedSingleList@@QEAA@XZ +; public: __cdecl CReaderWriterLock2::~CReaderWriterLock2(void) __ptr64 +??1CReaderWriterLock2@@QEAA@XZ +; public: __cdecl CReaderWriterLock3::~CReaderWriterLock3(void) __ptr64 +??1CReaderWriterLock3@@QEAA@XZ +; public: __cdecl CReaderWriterLock::~CReaderWriterLock(void) __ptr64 +??1CReaderWriterLock@@QEAA@XZ +; public: __cdecl CSingleList::~CSingleList(void) __ptr64 +??1CSingleList@@QEAA@XZ +; public: __cdecl CSmallSpinLock::~CSmallSpinLock(void) __ptr64 +??1CSmallSpinLock@@QEAA@XZ +; public: __cdecl CSpinLock::~CSpinLock(void) __ptr64 +??1CSpinLock@@QEAA@XZ +; public: class CLockBase<1,1,3,1,3,2> & __ptr64 __cdecl CLockBase<1,1,3,1,3,2>::operator=(class CLockBase<1,1,3,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$00$00$02$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<2,1,1,1,3,2> & __ptr64 __cdecl CLockBase<2,1,1,1,3,2>::operator=(class CLockBase<2,1,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$01$00$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<3,1,1,1,1,1> & __ptr64 __cdecl CLockBase<3,1,1,1,1,1>::operator=(class CLockBase<3,1,1,1,1,1> const & __ptr64) __ptr64 +??4?$CLockBase@$02$00$00$00$00$00@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<4,1,1,2,3,3> & __ptr64 __cdecl CLockBase<4,1,1,2,3,3>::operator=(class CLockBase<4,1,1,2,3,3> const & __ptr64) __ptr64 +??4?$CLockBase@$03$00$00$01$02$02@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<5,2,2,1,3,2> & __ptr64 __cdecl CLockBase<5,2,2,1,3,2>::operator=(class CLockBase<5,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$04$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<6,2,2,1,3,2> & __ptr64 __cdecl CLockBase<6,2,2,1,3,2>::operator=(class CLockBase<6,2,2,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$05$01$01$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CLockBase<7,2,1,1,3,2> & __ptr64 __cdecl CLockBase<7,2,1,1,3,2>::operator=(class CLockBase<7,2,1,1,3,2> const & __ptr64) __ptr64 +??4?$CLockBase@$06$01$00$00$02$01@@QEAAAEAV0@AEBV0@@Z +; public: class CCritSec & __ptr64 __cdecl CCritSec::operator=(class CCritSec const & __ptr64) __ptr64 +??4CCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CDoubleList & __ptr64 __cdecl CDoubleList::operator=(class CDoubleList const & __ptr64) __ptr64 +??4CDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CEXAutoBackupFile & __ptr64 __cdecl CEXAutoBackupFile::operator=(class CEXAutoBackupFile const & __ptr64) __ptr64 +??4CEXAutoBackupFile@@QEAAAEAV0@AEBV0@@Z +; public: class CExFileOperation & __ptr64 __cdecl CExFileOperation::operator=(class CExFileOperation const & __ptr64) __ptr64 +??4CExFileOperation@@QEAAAEAV0@AEBV0@@Z +; public: class CFakeLock & __ptr64 __cdecl CFakeLock::operator=(class CFakeLock const & __ptr64) __ptr64 +??4CFakeLock@@QEAAAEAV0@AEBV0@@Z +; private: class CLKRHashTable & __ptr64 __cdecl CLKRHashTable::operator=(class CLKRHashTable const & __ptr64) __ptr64 +??4CLKRHashTable@@AEAAAEAV0@AEBV0@@Z +; public: class CLKRHashTableStats & __ptr64 __cdecl CLKRHashTableStats::operator=(class CLKRHashTableStats const & __ptr64) __ptr64 +??4CLKRHashTableStats@@QEAAAEAV0@AEBV0@@Z +; private: class CLKRLinearHashTable & __ptr64 __cdecl CLKRLinearHashTable::operator=(class CLKRLinearHashTable const & __ptr64) __ptr64 +??4CLKRLinearHashTable@@AEAAAEAV0@AEBV0@@Z +; public: class CLockedDoubleList & __ptr64 __cdecl CLockedDoubleList::operator=(class CLockedDoubleList const & __ptr64) __ptr64 +??4CLockedDoubleList@@QEAAAEAV0@AEBV0@@Z +; public: class CLockedSingleList & __ptr64 __cdecl CLockedSingleList::operator=(class CLockedSingleList const & __ptr64) __ptr64 +??4CLockedSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CMdVersionInfo & __ptr64 __cdecl CMdVersionInfo::operator=(class CMdVersionInfo const & __ptr64) __ptr64 +??4CMdVersionInfo@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock2 & __ptr64 __cdecl CReaderWriterLock2::operator=(class CReaderWriterLock2 const & __ptr64) __ptr64 +??4CReaderWriterLock2@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock3 & __ptr64 __cdecl CReaderWriterLock3::operator=(class CReaderWriterLock3 const & __ptr64) __ptr64 +??4CReaderWriterLock3@@QEAAAEAV0@AEBV0@@Z +; public: class CReaderWriterLock & __ptr64 __cdecl CReaderWriterLock::operator=(class CReaderWriterLock const & __ptr64) __ptr64 +??4CReaderWriterLock@@QEAAAEAV0@AEBV0@@Z +; public: class CSingleList & __ptr64 __cdecl CSingleList::operator=(class CSingleList const & __ptr64) __ptr64 +??4CSingleList@@QEAAAEAV0@AEBV0@@Z +; public: class CSmallSpinLock & __ptr64 __cdecl CSmallSpinLock::operator=(class CSmallSpinLock const & __ptr64) __ptr64 +??4CSmallSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: class CSpinLock & __ptr64 __cdecl CSpinLock::operator=(class CSpinLock const & __ptr64) __ptr64 +??4CSpinLock@@QEAAAEAV0@AEBV0@@Z +; public: unsigned long __cdecl CLKRHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?Apply@CLKRLinearHashTable@@QEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; public: unsigned long __cdecl CLKRLinearHashTable::ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE) __ptr64 +?ApplyIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +; public: long __cdecl CEXAutoBackupFile::BackupFile(unsigned short const * __ptr64) __ptr64 +?BackupFile@CEXAutoBackupFile@@QEAAJPEBG@Z +; public: static long __cdecl CLKRHashTableStats::BucketIndex(long) +?BucketIndex@CLKRHashTableStats@@SAJJ@Z +; public: static long __cdecl CLKRHashTableStats::BucketSize(long) +?BucketSize@CLKRHashTableStats@@SAJJ@Z +; public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void) +?BucketSizes@CLKRHashTableStats@@SAPEBJXZ +; public: int __cdecl CLKRHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRHashTable@@QEBAHXZ +; public: int __cdecl CLKRLinearHashTable::CheckTable(void)const __ptr64 +?CheckTable@CLKRLinearHashTable@@QEBAHXZ +; public: static char const * __ptr64 __cdecl CCritSec::ClassName(void) +?ClassName@CCritSec@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CFakeLock::ClassName(void) +?ClassName@CFakeLock@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CLKRHashTable::ClassName(void) +?ClassName@CLKRHashTable@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CLKRLinearHashTable::ClassName(void) +?ClassName@CLKRLinearHashTable@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock2::ClassName(void) +?ClassName@CReaderWriterLock2@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock3::ClassName(void) +?ClassName@CReaderWriterLock3@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CReaderWriterLock::ClassName(void) +?ClassName@CReaderWriterLock@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CSmallSpinLock::ClassName(void) +?ClassName@CSmallSpinLock@@SAPEBDXZ +; public: static char const * __ptr64 __cdecl CSpinLock::ClassName(void) +?ClassName@CSpinLock@@SAPEBDXZ +; public: void __cdecl CLKRHashTable::Clear(void) __ptr64 +?Clear@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::Clear(void) __ptr64 +?Clear@CLKRLinearHashTable@@QEAAXXZ +; public: enum LK_RETCODE __cdecl CLKRHashTable::CloseIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?CloseIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::CloseIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?CloseIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::CloseIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?CloseIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::CloseIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?CloseIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: void __cdecl CCritSec::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertExclusiveToShared(void)const __ptr64 +?ConvertExclusiveToShared@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertExclusiveToShared(void) __ptr64 +?ConvertExclusiveToShared@CSpinLock@@QEAAXXZ +; public: void __cdecl CCritSec::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ConvertSharedToExclusive(void)const __ptr64 +?ConvertSharedToExclusive@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ConvertSharedToExclusive(void) __ptr64 +?ConvertSharedToExclusive@CSpinLock@@QEAAXXZ +; long __cdecl CreateHolder(struct IGPDispenser * __ptr64,int,unsigned int,struct IGPHolder * __ptr64 * __ptr64) +?CreateHolder@@YAJPEAUIGPDispenser@@HIPEAPEAUIGPHolder@@@Z +; public: unsigned long __cdecl CLKRHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: unsigned long __cdecl CLKRLinearHashTable::DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64) __ptr64 +?DeleteIf@CLKRLinearHashTable@@QEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteKey(unsigned __int64) __ptr64 +?DeleteKey@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@_K@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::DeleteRecord(void const * __ptr64) __ptr64 +?DeleteRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX@Z +; public: long __cdecl CExFileOperation::FOCopyFile(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +?FOCopyFile@CExFileOperation@@QEAAJPEBG0H@Z +; public: long __cdecl CExFileOperation::FOCopyFileDACLS(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?FOCopyFileDACLS@CExFileOperation@@QEAAJPEBG0@Z +; public: long __cdecl CExFileOperation::FODeleteFile(unsigned short const * __ptr64) __ptr64 +?FODeleteFile@CExFileOperation@@QEAAJPEBG@Z +; public: long __cdecl CExFileOperation::FOMoveFile(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?FOMoveFile@CExFileOperation@@QEAAJPEBG0@Z +; public: long __cdecl CExFileOperation::FOReplaceFile(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?FOReplaceFile@CExFileOperation@@QEAAJPEBG0@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindKey(unsigned __int64,void const * __ptr64 * __ptr64)const __ptr64 +?FindKey@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@_KPEAPEBX@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::FindRecord(void const * __ptr64)const __ptr64 +?FindRecord@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEBX@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::First(void)const __ptr64 +?First@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::First(void) __ptr64 +?First@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: int __cdecl CEXAutoBackupFile::GetBackupFile(unsigned short * __ptr64 * __ptr64) __ptr64 +?GetBackupFile@CEXAutoBackupFile@@QEAAHPEAPEAG@Z +; public: unsigned short __cdecl CLKRHashTable::GetBucketLockSpinCount(void) __ptr64 +?GetBucketLockSpinCount@CLKRHashTable@@QEAAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetBucketLockSpinCount(void) __ptr64 +?GetBucketLockSpinCount@CLKRLinearHashTable@@QEAAGXZ +; public: static double __cdecl CCritSec::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CCritSec@@SANXZ +; public: static double __cdecl CFakeLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CFakeLock@@SANXZ +; public: static double __cdecl CReaderWriterLock2::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SANXZ +; public: static double __cdecl CReaderWriterLock3::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SANXZ +; public: static double __cdecl CReaderWriterLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SANXZ +; public: static double __cdecl CSmallSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SANXZ +; public: static double __cdecl CSpinLock::GetDefaultSpinAdjustmentFactor(void) +?GetDefaultSpinAdjustmentFactor@CSpinLock@@SANXZ +; public: static unsigned short __cdecl CCritSec::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CCritSec@@SAGXZ +; public: static unsigned short __cdecl CFakeLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CFakeLock@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock2::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock2@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock3::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock3@@SAGXZ +; public: static unsigned short __cdecl CReaderWriterLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CReaderWriterLock@@SAGXZ +; public: static unsigned short __cdecl CSmallSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSmallSpinLock@@SAGXZ +; public: static unsigned short __cdecl CSpinLock::GetDefaultSpinCount(void) +?GetDefaultSpinCount@CSpinLock@@SAGXZ +; public: unsigned short __cdecl CCritSec::GetSpinCount(void)const __ptr64 +?GetSpinCount@CCritSec@@QEBAGXZ +; public: unsigned short __cdecl CFakeLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CFakeLock@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock2::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock2@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock3::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock3@@QEBAGXZ +; public: unsigned short __cdecl CReaderWriterLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CReaderWriterLock@@QEBAGXZ +; public: unsigned short __cdecl CSmallSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSmallSpinLock@@QEBAGXZ +; public: unsigned short __cdecl CSpinLock::GetSpinCount(void)const __ptr64 +?GetSpinCount@CSpinLock@@QEBAGXZ +; public: class CLKRHashTableStats __cdecl CLKRHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: class CLKRHashTableStats __cdecl CLKRLinearHashTable::GetStatistics(void)const __ptr64 +?GetStatistics@CLKRLinearHashTable@@QEBA?AVCLKRHashTableStats@@XZ +; public: unsigned short __cdecl CLKRHashTable::GetTableLockSpinCount(void) __ptr64 +?GetTableLockSpinCount@CLKRHashTable@@QEAAGXZ +; public: unsigned short __cdecl CLKRLinearHashTable::GetTableLockSpinCount(void) __ptr64 +?GetTableLockSpinCount@CLKRLinearHashTable@@QEAAGXZ +; public: static int __cdecl CMdVersionInfo::GetVersionExW(struct _OSVERSIONINFOW * __ptr64) +?GetVersionExW@CMdVersionInfo@@SAHPEAU_OSVERSIONINFOW@@@Z +; public: class CListEntry const * __ptr64 __cdecl CDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CDoubleList@@QEBAQEBVCListEntry@@XZ +; public: class CListEntry const * __ptr64 __cdecl CLockedDoubleList::HeadNode(void)const __ptr64 +?HeadNode@CLockedDoubleList@@QEBAQEBVCListEntry@@XZ +; public: enum LK_RETCODE __cdecl CLKRHashTable::IncrementIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?IncrementIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::IncrementIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?IncrementIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::IncrementIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?IncrementIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::IncrementIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?IncrementIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InitializeIterator(class CLKRHashTable::CIterator * __ptr64) __ptr64 +?InitializeIterator@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InitializeIterator(class CLKRHashTable::CConstIterator * __ptr64)const __ptr64 +?InitializeIterator@CLKRHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InitializeIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?InitializeIterator@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InitializeIterator(class CLKRLinearHashTable::CConstIterator * __ptr64)const __ptr64 +?InitializeIterator@CLKRLinearHashTable@@QEBA?AW4LK_RETCODE@@PEAVCConstIterator@1@@Z +; private: static int __cdecl CMdVersionInfo::InitializeVersionInfo(void) +?InitializeVersionInfo@CMdVersionInfo@@CAHXZ +; public: void __cdecl CDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertHead(class CListEntry * __ptr64 const) __ptr64 +?InsertHead@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: enum LK_RETCODE __cdecl CLKRHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: enum LK_RETCODE __cdecl CLKRLinearHashTable::InsertRecord(void const * __ptr64,bool) __ptr64 +?InsertRecord@CLKRLinearHashTable@@QEAA?AW4LK_RETCODE@@PEBX_N@Z +; public: void __cdecl CDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::InsertTail(class CListEntry * __ptr64 const) __ptr64 +?InsertTail@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: bool __cdecl CDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedDoubleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CSingleList::IsEmpty(void)const __ptr64 +?IsEmpty@CSingleList@@QEBA_NXZ +; public: bool __cdecl CLockedDoubleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsLocked(void)const __ptr64 +?IsLocked@CLockedSingleList@@QEBA_NXZ +; public: static int __cdecl CMdVersionInfo::IsMillnm(void) +?IsMillnm@CMdVersionInfo@@SAHXZ +; public: bool __cdecl CCritSec::IsReadLocked(void)const __ptr64 +?IsReadLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadLocked(void)const __ptr64 +?IsReadLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadLocked(void)const __ptr64 +?IsReadLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsReadUnlocked(void)const __ptr64 +?IsReadUnlocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CLockedDoubleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedDoubleList@@QEBA_NXZ +; public: bool __cdecl CLockedSingleList::IsUnlocked(void)const __ptr64 +?IsUnlocked@CLockedSingleList@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsUsable(void)const __ptr64 +?IsUsable@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsValid(void)const __ptr64 +?IsValid@CLKRLinearHashTable@@QEBA_NXZ +; public: static int __cdecl CMdVersionInfo::IsWin2k(void) +?IsWin2k@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWin2korLater(void) +?IsWin2korLater@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWin95(void) +?IsWin95@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWin98(void) +?IsWin98@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWin98orLater(void) +?IsWin98orLater@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWin9x(void) +?IsWin9x@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWinNT4(void) +?IsWinNT4@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWinNT(void) +?IsWinNT@CMdVersionInfo@@SAHXZ +; public: static int __cdecl CMdVersionInfo::IsWinNt4orLater(void) +?IsWinNt4orLater@CMdVersionInfo@@SAHXZ +; public: bool __cdecl CCritSec::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteLocked(void)const __ptr64 +?IsWriteLocked@CSpinLock@@QEBA_NXZ +; public: bool __cdecl CCritSec::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CCritSec@@QEBA_NXZ +; public: bool __cdecl CFakeLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CFakeLock@@QEBA_NXZ +; public: bool __cdecl CLKRHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CLKRLinearHashTable@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock2::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock2@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock3::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock3@@QEBA_NXZ +; public: bool __cdecl CReaderWriterLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CReaderWriterLock@@QEBA_NXZ +; public: bool __cdecl CSmallSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSmallSpinLock@@QEBA_NXZ +; public: bool __cdecl CSpinLock::IsWriteUnlocked(void)const __ptr64 +?IsWriteUnlocked@CSpinLock@@QEBA_NXZ +; public: class CListEntry * __ptr64 __cdecl CDoubleList::Last(void)const __ptr64 +?Last@CDoubleList@@QEBAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::Last(void) __ptr64 +?Last@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: void __cdecl CLockedDoubleList::Lock(void) __ptr64 +?Lock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Lock(void) __ptr64 +?Lock@CLockedSingleList@@QEAAXXZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<1,1,3,1,3,2>::LockType(void) +?LockType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<2,1,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<3,1,1,1,1,1>::LockType(void) +?LockType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<4,1,1,2,3,3>::LockType(void) +?LockType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<5,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<6,2,2,1,3,2>::LockType(void) +?LockType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: static enum LOCK_LOCKTYPE __cdecl CLockBase<7,2,1,1,3,2>::LockType(void) +?LockType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +; public: unsigned long __cdecl CLKRHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::MaxSize(void)const __ptr64 +?MaxSize@CLKRLinearHashTable@@QEBAKXZ +; unsigned __int64 __cdecl MpHeapCompact(void * __ptr64) +?MpHeapCompact@@YA_KPEAX@Z +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<1,1,3,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<2,1,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<3,1,1,1,1,1>::MutexType(void) +?MutexType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<4,1,1,2,3,3>::MutexType(void) +?MutexType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<5,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<6,2,2,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: static enum LOCK_RW_MUTEX __cdecl CLockBase<7,2,1,1,3,2>::MutexType(void) +?MutexType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +; public: int __cdecl CLKRHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; public: int __cdecl CLKRLinearHashTable::NumSubTables(void)const __ptr64 +?NumSubTables@CLKRLinearHashTable@@QEBAHXZ +; public: static enum LK_TABLESIZE __cdecl CLKRLinearHashTable::NumSubTables(unsigned long & __ptr64,unsigned long & __ptr64) +?NumSubTables@CLKRLinearHashTable@@SA?AW4LK_TABLESIZE@@AEAK0@Z +; int __cdecl OnUnicodeSystem(void) +?OnUnicodeSystem@@YAHXZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<1,1,3,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<2,1,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<3,1,1,1,1,1>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<4,1,1,2,3,3>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<5,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<6,2,2,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: static enum LOCK_PERLOCK_SPIN __cdecl CLockBase<7,2,1,1,3,2>::PerLockSpin(void) +?PerLockSpin@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CLockedSingleList::Pop(void) __ptr64 +?Pop@CLockedSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: class CSingleListEntry * __ptr64 __cdecl CSingleList::Pop(void) __ptr64 +?Pop@CSingleList@@QEAAQEAVCSingleListEntry@@XZ +; public: void __cdecl CLKRHashTable::Print(void)const __ptr64 +?Print@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::Print(void)const __ptr64 +?Print@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CLockedSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CLockedSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: void __cdecl CSingleList::Push(class CSingleListEntry * __ptr64 const) __ptr64 +?Push@CSingleList@@QEAAXQEAVCSingleListEntry@@@Z +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<1,1,3,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<2,1,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<3,1,1,1,1,1>::QueueType(void) +?QueueType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<4,1,1,2,3,3>::QueueType(void) +?QueueType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<5,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<6,2,2,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: static enum LOCK_QUEUE_TYPE __cdecl CLockBase<7,2,1,1,3,2>::QueueType(void) +?QueueType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +; public: void __cdecl CCritSec::ReadLock(void) __ptr64 +?ReadLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadLock(void) __ptr64 +?ReadLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadLock(void)const __ptr64 +?ReadLock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadLock(void) __ptr64 +?ReadLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadLock(void) __ptr64 +?ReadLock@CSpinLock@@QEAAXXZ +; public: bool __cdecl CCritSec::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CSpinLock::ReadOrWriteLock(void) __ptr64 +?ReadOrWriteLock@CSpinLock@@QEAA_NXZ +; public: void __cdecl CCritSec::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CCritSec@@QEAAX_N@Z +; public: void __cdecl CFakeLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CFakeLock@@QEAAX_N@Z +; public: void __cdecl CReaderWriterLock3::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CReaderWriterLock3@@QEAAX_N@Z +; public: void __cdecl CSpinLock::ReadOrWriteUnlock(bool) __ptr64 +?ReadOrWriteUnlock@CSpinLock@@QEAAX_N@Z +; public: void __cdecl CCritSec::ReadUnlock(void) __ptr64 +?ReadUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::ReadUnlock(void)const __ptr64 +?ReadUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::ReadUnlock(void) __ptr64 +?ReadUnlock@CSpinLock@@QEAAXXZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<1,1,3,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<2,1,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<3,1,1,1,1,1>::Recursion(void) +?Recursion@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<4,1,1,2,3,3>::Recursion(void) +?Recursion@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<5,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<6,2,2,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static enum LOCK_RECURSION __cdecl CLockBase<7,2,1,1,3,2>::Recursion(void) +?Recursion@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +; public: static void __cdecl CMdVersionInfo::ReleaseVersionInfo(void) +?ReleaseVersionInfo@CMdVersionInfo@@SAXXZ +; public: static void __cdecl CDoubleList::RemoveEntry(class CListEntry * __ptr64 const) +?RemoveEntry@CDoubleList@@SAXQEAVCListEntry@@@Z +; public: void __cdecl CLockedDoubleList::RemoveEntry(class CListEntry * __ptr64 const) __ptr64 +?RemoveEntry@CLockedDoubleList@@QEAAXQEAVCListEntry@@@Z +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveHead(void) __ptr64 +?RemoveHead@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CDoubleList@@QEAAQEAVCListEntry@@XZ +; public: class CListEntry * __ptr64 __cdecl CLockedDoubleList::RemoveTail(void) __ptr64 +?RemoveTail@CLockedDoubleList@@QEAAQEAVCListEntry@@XZ +; public: long __cdecl CEXAutoBackupFile::RestoreFile(void) __ptr64 +?RestoreFile@CEXAutoBackupFile@@QEAAJXZ +; public: void __cdecl CLKRHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetBucketLockSpinCount(unsigned short) __ptr64 +?SetBucketLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: static void __cdecl CCritSec::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CCritSec@@SAXN@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CFakeLock@@SAXN@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SAXN@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SAXN@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SAXN@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SAXN@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinAdjustmentFactor(double) +?SetDefaultSpinAdjustmentFactor@CSpinLock@@SAXN@Z +; public: static void __cdecl CCritSec::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CCritSec@@SAXG@Z +; public: static void __cdecl CFakeLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CFakeLock@@SAXG@Z +; public: static void __cdecl CReaderWriterLock2::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock2@@SAXG@Z +; public: static void __cdecl CReaderWriterLock3::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock3@@SAXG@Z +; public: static void __cdecl CReaderWriterLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CReaderWriterLock@@SAXG@Z +; public: static void __cdecl CSmallSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSmallSpinLock@@SAXG@Z +; public: static void __cdecl CSpinLock::SetDefaultSpinCount(unsigned short) +?SetDefaultSpinCount@CSpinLock@@SAXG@Z +; public: bool __cdecl CCritSec::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CCritSec@@QEAA_NG@Z +; public: static unsigned long __cdecl CCritSec::SetSpinCount(class CCriticalSection * __ptr64 * __ptr64,unsigned long) +?SetSpinCount@CCritSec@@SAKPEAPEAVCCriticalSection@@K@Z +; public: bool __cdecl CFakeLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CFakeLock@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock2::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock2@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock3::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock3@@QEAA_NG@Z +; public: bool __cdecl CReaderWriterLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CReaderWriterLock@@QEAA_NG@Z +; public: bool __cdecl CSmallSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSmallSpinLock@@QEAA_NG@Z +; public: bool __cdecl CSpinLock::SetSpinCount(unsigned short) __ptr64 +?SetSpinCount@CSpinLock@@QEAA_NG@Z +; public: void __cdecl CLKRHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRHashTable@@QEAAXG@Z +; public: void __cdecl CLKRLinearHashTable::SetTableLockSpinCount(unsigned short) __ptr64 +?SetTableLockSpinCount@CLKRLinearHashTable@@QEAAXG@Z +; public: unsigned long __cdecl CLKRHashTable::Size(void)const __ptr64 +?Size@CLKRHashTable@@QEBAKXZ +; public: unsigned long __cdecl CLKRLinearHashTable::Size(void)const __ptr64 +?Size@CLKRLinearHashTable@@QEBAKXZ +; public: bool __cdecl CCritSec::TryReadLock(void) __ptr64 +?TryReadLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryReadLock(void) __ptr64 +?TryReadLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryReadLock(void) __ptr64 +?TryReadLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryReadLock(void) __ptr64 +?TryReadLock@CSpinLock@@QEAA_NXZ +; public: bool __cdecl CCritSec::TryWriteLock(void) __ptr64 +?TryWriteLock@CCritSec@@QEAA_NXZ +; public: bool __cdecl CFakeLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CFakeLock@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock2::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock2@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock3::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock3@@QEAA_NXZ +; public: bool __cdecl CReaderWriterLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CReaderWriterLock@@QEAA_NXZ +; public: bool __cdecl CSmallSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSmallSpinLock@@QEAA_NXZ +; public: bool __cdecl CSpinLock::TryWriteLock(void) __ptr64 +?TryWriteLock@CSpinLock@@QEAA_NXZ +; public: long __cdecl CEXAutoBackupFile::UndoBackup(void) __ptr64 +?UndoBackup@CEXAutoBackupFile@@QEAAJXZ +; public: void __cdecl CLockedDoubleList::Unlock(void) __ptr64 +?Unlock@CLockedDoubleList@@QEAAXXZ +; public: void __cdecl CLockedSingleList::Unlock(void) __ptr64 +?Unlock@CLockedSingleList@@QEAAXXZ +; public: bool __cdecl CLKRHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRHashTable@@QEBA_NXZ +; public: bool __cdecl CLKRLinearHashTable::ValidSignature(void)const __ptr64 +?ValidSignature@CLKRLinearHashTable@@QEBA_NXZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<1,1,3,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<2,1,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<3,1,1,1,1,1>::WaitType(void) +?WaitType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<4,1,1,2,3,3>::WaitType(void) +?WaitType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<5,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<6,2,2,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: static enum LOCK_WAIT_TYPE __cdecl CLockBase<7,2,1,1,3,2>::WaitType(void) +?WaitType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +; public: void __cdecl CCritSec::WriteLock(void) __ptr64 +?WriteLock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteLock(void) __ptr64 +?WriteLock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRHashTable@@QEAAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteLock(void) __ptr64 +?WriteLock@CLKRLinearHashTable@@QEAAXXZ +; public: void __cdecl CReaderWriterLock2::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteLock(void) __ptr64 +?WriteLock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteLock(void) __ptr64 +?WriteLock@CSpinLock@@QEAAXXZ +; public: void __cdecl CCritSec::WriteUnlock(void) __ptr64 +?WriteUnlock@CCritSec@@QEAAXXZ +; public: void __cdecl CFakeLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CFakeLock@@QEAAXXZ +; public: void __cdecl CLKRHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRHashTable@@QEBAXXZ +; public: void __cdecl CLKRLinearHashTable::WriteUnlock(void)const __ptr64 +?WriteUnlock@CLKRLinearHashTable@@QEBAXXZ +; public: void __cdecl CReaderWriterLock2::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock2@@QEAAXXZ +; public: void __cdecl CReaderWriterLock3::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock3@@QEAAXXZ +; public: void __cdecl CReaderWriterLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CReaderWriterLock@@QEAAXXZ +; public: void __cdecl CSmallSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSmallSpinLock@@QEAAXXZ +; public: void __cdecl CSpinLock::WriteUnlock(void) __ptr64 +?WriteUnlock@CSpinLock@@QEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_AddRefRecord(void const * __ptr64,int)const __ptr64 +?_AddRefRecord@CLKRLinearHashTable@@AEBAXPEBXH@Z +; private: static class CLKRLinearHashTable::CNodeClump * __ptr64 __cdecl CLKRLinearHashTable::_AllocateNodeClump(void) +?_AllocateNodeClump@CLKRLinearHashTable@@CAQEAVCNodeClump@1@XZ +; private: class CLKRLinearHashTable::CSegment * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegment(void)const __ptr64 +?_AllocateSegment@CLKRLinearHashTable@@AEBAQEAVCSegment@1@XZ +; private: static class CLKRLinearHashTable::CDirEntry * __ptr64 __cdecl CLKRLinearHashTable::_AllocateSegmentDirectory(unsigned __int64) +?_AllocateSegmentDirectory@CLKRLinearHashTable@@CAQEAVCDirEntry@1@_K@Z +; private: static class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_AllocateSubTable(char const * __ptr64,unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),double,unsigned long,class CLKRHashTable * __ptr64) +?_AllocateSubTable@CLKRHashTable@@CAQEAVCLKRLinearHashTable@@PEBDP6A?B_KPEBX@ZP6AK_K@ZP6A_N33@ZP6AX1H@ZNKPEAV1@@Z +; private: static class CLKRLinearHashTable * __ptr64 * __ptr64 __cdecl CLKRHashTable::_AllocateSubTableArray(unsigned __int64) +?_AllocateSubTableArray@CLKRHashTable@@CAQEAPEAVCLKRLinearHashTable@@_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_Apply(enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_Apply@CLKRLinearHashTable@@AEAAKP6A?AW4LK_ACTION@@PEBXPEAX@Z1W4LK_LOCKTYPE@@AEAW4LK_PREDICATE@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_ApplyIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),enum LK_ACTION (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_LOCKTYPE,enum LK_PREDICATE & __ptr64) __ptr64 +?_ApplyIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@AEAW42@@Z +; private: class CLKRLinearHashTable::CBucket * __ptr64 __cdecl CLKRLinearHashTable::_Bucket(unsigned long)const __ptr64 +?_Bucket@CLKRLinearHashTable@@AEBAPEAVCBucket@1@K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_BucketAddress(unsigned long)const __ptr64 +?_BucketAddress@CLKRLinearHashTable@@AEBAKK@Z +; private: unsigned long __cdecl CLKRHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRHashTable@@AEBAK_K@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_CalcKeyHash(unsigned __int64)const __ptr64 +?_CalcKeyHash@CLKRLinearHashTable@@AEBAK_K@Z +; private: void __cdecl CLKRLinearHashTable::_Clear(bool) __ptr64 +?_Clear@CLKRLinearHashTable@@AEAAX_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_CloseIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?_CloseIterator@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; private: bool __cdecl CReaderWriterLock2::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock2@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock3::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock3@@AEAA_NJJ@Z +; private: bool __cdecl CReaderWriterLock::_CmpExch(long,long) __ptr64 +?_CmpExch@CReaderWriterLock@@AEAA_NJJ@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Contract(void) __ptr64 +?_Contract@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: static long __cdecl CReaderWriterLock3::_CurrentThreadId(void) +?_CurrentThreadId@CReaderWriterLock3@@CAJXZ +; private: static long __cdecl CSmallSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSmallSpinLock@@CAJXZ +; private: static long __cdecl CSpinLock::_CurrentThreadId(void) +?_CurrentThreadId@CSpinLock@@CAJXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_DeleteIf(enum LK_PREDICATE (__cdecl*)(void const * __ptr64,void * __ptr64),void * __ptr64,enum LK_PREDICATE & __ptr64) __ptr64 +?_DeleteIf@CLKRLinearHashTable@@AEAAKP6A?AW4LK_PREDICATE@@PEBXPEAX@Z1AEAW42@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteKey(unsigned __int64,unsigned long) __ptr64 +?_DeleteKey@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@_KK@Z +; private: bool __cdecl CLKRLinearHashTable::_DeleteNode(class CLKRLinearHashTable::CBucket * __ptr64,class CLKRLinearHashTable::CNodeClump * __ptr64 & __ptr64,class CLKRLinearHashTable::CNodeClump * __ptr64 & __ptr64,int & __ptr64) __ptr64 +?_DeleteNode@CLKRLinearHashTable@@AEAA_NPEAVCBucket@1@AEAPEAVCNodeClump@1@1AEAH@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_DeleteRecord(void const * __ptr64,unsigned long) __ptr64 +?_DeleteRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK@Z +; private: bool __cdecl CLKRLinearHashTable::_EqualKeys(unsigned __int64,unsigned __int64)const __ptr64 +?_EqualKeys@CLKRLinearHashTable@@AEBA_N_K0@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Expand(void) __ptr64 +?_Expand@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@XZ +; private: unsigned __int64 const __cdecl CLKRHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRHashTable@@AEBA?B_KPEBX@Z +; private: unsigned __int64 const __cdecl CLKRLinearHashTable::_ExtractKey(void const * __ptr64)const __ptr64 +?_ExtractKey@CLKRLinearHashTable@@AEBA?B_KPEBX@Z +; private: class CLKRLinearHashTable::CBucket * __ptr64 __cdecl CLKRLinearHashTable::_FindBucket(unsigned long,bool)const __ptr64 +?_FindBucket@CLKRLinearHashTable@@AEBAPEAVCBucket@1@K_N@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindKey(unsigned __int64,unsigned long,void const * __ptr64 * __ptr64)const __ptr64 +?_FindKey@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@_KKPEAPEBX@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_FindRecord(void const * __ptr64,unsigned long)const __ptr64 +?_FindRecord@CLKRLinearHashTable@@AEBA?AW4LK_RETCODE@@PEBXK@Z +; private: static bool __cdecl CLKRLinearHashTable::_FreeNodeClump(class CLKRLinearHashTable::CNodeClump * __ptr64) +?_FreeNodeClump@CLKRLinearHashTable@@CA_NPEAVCNodeClump@1@@Z +; private: bool __cdecl CLKRLinearHashTable::_FreeSegment(class CLKRLinearHashTable::CSegment * __ptr64)const __ptr64 +?_FreeSegment@CLKRLinearHashTable@@AEBA_NPEAVCSegment@1@@Z +; private: static bool __cdecl CLKRLinearHashTable::_FreeSegmentDirectory(class CLKRLinearHashTable::CDirEntry * __ptr64) +?_FreeSegmentDirectory@CLKRLinearHashTable@@CA_NPEAVCDirEntry@1@@Z +; private: static bool __cdecl CLKRHashTable::_FreeSubTable(class CLKRLinearHashTable * __ptr64) +?_FreeSubTable@CLKRHashTable@@CA_NPEAVCLKRLinearHashTable@@@Z +; private: static bool __cdecl CLKRHashTable::_FreeSubTableArray(class CLKRLinearHashTable * __ptr64 * __ptr64) +?_FreeSubTableArray@CLKRHashTable@@CA_NPEAPEAVCLKRLinearHashTable@@@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long)const __ptr64 +?_H0@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H0(unsigned long,unsigned long) +?_H0@CLKRLinearHashTable@@CAKKK@Z +; private: unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long)const __ptr64 +?_H1@CLKRLinearHashTable@@AEBAKK@Z +; private: static unsigned long __cdecl CLKRLinearHashTable::_H1(unsigned long,unsigned long) +?_H1@CLKRLinearHashTable@@CAKKK@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_Initialize(unsigned __int64 const (__cdecl*)(void const * __ptr64),unsigned long (__cdecl*)(unsigned __int64),bool (__cdecl*)(unsigned __int64,unsigned __int64),void (__cdecl*)(void const * __ptr64,int),char const * __ptr64,double,unsigned long) __ptr64 +?_Initialize@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@P6A?B_KPEBX@ZP6AK_K@ZP6A_N22@ZP6AX0H@ZPEBDNK@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_InitializeIterator(class CLKRLinearHashTable::CIterator * __ptr64) __ptr64 +?_InitializeIterator@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCIterator@1@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_InsertRecord(void const * __ptr64,unsigned long,bool) __ptr64 +?_InsertRecord@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEBXK_N@Z +; private: void __cdecl CLKRHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_InsertThisIntoGlobalList(void) __ptr64 +?_InsertThisIntoGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: bool __cdecl CSpinLock::_IsLocked(void)const __ptr64 +?_IsLocked@CSpinLock@@AEBA_NXZ +; private: int __cdecl CLKRLinearHashTable::_IsNodeCompact(class CLKRLinearHashTable::CBucket * __ptr64 const)const __ptr64 +?_IsNodeCompact@CLKRLinearHashTable@@AEBAHQEAVCBucket@1@@Z +; private: void __cdecl CSpinLock::_Lock(void) __ptr64 +?_Lock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock2@@AEAAX_N@Z +; private: void __cdecl CReaderWriterLock3::_LockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_LockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_LockSpin(bool) __ptr64 +?_LockSpin@CReaderWriterLock@@AEAAX_N@Z +; private: void __cdecl CSmallSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSmallSpinLock@@AEAAXXZ +; private: void __cdecl CSpinLock::_LockSpin(void) __ptr64 +?_LockSpin@CSpinLock@@AEAAXXZ +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_MergeRecordSets(class CLKRLinearHashTable::CBucket * __ptr64,class CLKRLinearHashTable::CNodeClump * __ptr64,class CLKRLinearHashTable::CNodeClump * __ptr64) __ptr64 +?_MergeRecordSets@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCBucket@1@PEAVCNodeClump@1@1@Z +; private: static enum LK_PREDICATE __cdecl CLKRLinearHashTable::_PredTrue(void const * __ptr64,void * __ptr64) +?_PredTrue@CLKRLinearHashTable@@CA?AW4LK_PREDICATE@@PEBXPEAX@Z +; private: void __cdecl CReaderWriterLock2::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_ReadLockSpin(enum CReaderWriterLock3::SPIN_TYPE) __ptr64 +?_ReadLockSpin@CReaderWriterLock3@@AEAAXW4SPIN_TYPE@1@@Z +; private: void __cdecl CReaderWriterLock::_ReadLockSpin(void) __ptr64 +?_ReadLockSpin@CReaderWriterLock@@AEAAXXZ +; private: bool __cdecl CLKRLinearHashTable::_ReadOrWriteLock(void)const __ptr64 +?_ReadOrWriteLock@CLKRLinearHashTable@@AEBA_NXZ +; private: void __cdecl CLKRLinearHashTable::_ReadOrWriteUnlock(bool)const __ptr64 +?_ReadOrWriteUnlock@CLKRLinearHashTable@@AEBAX_N@Z +; private: void __cdecl CLKRHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRHashTable@@AEAAXXZ +; private: void __cdecl CLKRLinearHashTable::_RemoveThisFromGlobalList(void) __ptr64 +?_RemoveThisFromGlobalList@CLKRLinearHashTable@@AEAAXXZ +; private: unsigned long __cdecl CLKRLinearHashTable::_SegIndex(unsigned long)const __ptr64 +?_SegIndex@CLKRLinearHashTable@@AEBAKK@Z +; private: class CLKRLinearHashTable::CSegment * __ptr64 & __ptr64 __cdecl CLKRLinearHashTable::_Segment(unsigned long)const __ptr64 +?_Segment@CLKRLinearHashTable@@AEBAAEAPEAVCSegment@1@K@Z +; private: void __cdecl CLKRLinearHashTable::_SetSegVars(enum LK_TABLESIZE) __ptr64 +?_SetSegVars@CLKRLinearHashTable@@AEAAXW4LK_TABLESIZE@@@Z +; private: enum LK_RETCODE __cdecl CLKRLinearHashTable::_SplitRecordSet(class CLKRLinearHashTable::CNodeClump * __ptr64,class CLKRLinearHashTable::CNodeClump * __ptr64,unsigned long,unsigned long,unsigned long,class CLKRLinearHashTable::CNodeClump * __ptr64) __ptr64 +?_SplitRecordSet@CLKRLinearHashTable@@AEAA?AW4LK_RETCODE@@PEAVCNodeClump@1@0KKK0@Z +; private: class CLKRLinearHashTable * __ptr64 __cdecl CLKRHashTable::_SubTable(unsigned long)const __ptr64 +?_SubTable@CLKRHashTable@@AEBAPEAVCLKRLinearHashTable@@K@Z +; private: bool __cdecl CSmallSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSmallSpinLock@@AEAA_NXZ +; private: bool __cdecl CSpinLock::_TryLock(void) __ptr64 +?_TryLock@CSpinLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock2@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock::_TryReadLock(void) __ptr64 +?_TryReadLock@CReaderWriterLock@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryReadLockRecursive(void) __ptr64 +?_TryReadLockRecursive@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock2(void) __ptr64 +?_TryWriteLock2@CReaderWriterLock3@@AEAA_NXZ +; private: bool __cdecl CReaderWriterLock2::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock2@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock3::_TryWriteLock(long) __ptr64 +?_TryWriteLock@CReaderWriterLock3@@AEAA_NJ@Z +; private: bool __cdecl CReaderWriterLock::_TryWriteLock(void) __ptr64 +?_TryWriteLock@CReaderWriterLock@@AEAA_NXZ +; private: void __cdecl CSpinLock::_Unlock(void) __ptr64 +?_Unlock@CSpinLock@@AEAAXXZ +; private: void __cdecl CReaderWriterLock2::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock2@@AEAAXXZ +; private: void __cdecl CReaderWriterLock3::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock3@@AEAAXXZ +; private: void __cdecl CReaderWriterLock::_WriteLockSpin(void) __ptr64 +?_WriteLockSpin@CReaderWriterLock@@AEAAXXZ +; private: long __cdecl CExFileOperation::_getFileSecurity(unsigned short const * __ptr64) __ptr64 +?_getFileSecurity@CExFileOperation@@AEAAJPEBG@Z +; private: long __cdecl CExFileOperation::_setFileSecurity(unsigned short const * __ptr64) __ptr64 +?_setFileSecurity@CExFileOperation@@AEAAJPEBG@Z +; public: int __cdecl CEXAutoBackupFile::fHaveBackup(void) __ptr64 +?fHaveBackup@CEXAutoBackupFile@@QEAAHXZ +; long const * const `public: static long const * __ptr64 __cdecl CLKRHashTableStats::BucketSizes(void)'::`2'::s_aBucketSizes +?s_aBucketSizes@?1??BucketSizes@CLKRHashTableStats@@SAPEBJXZ@4QBJB +; protected: static double CCritSec::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CCritSec@@1NA DATA +; protected: static double CFakeLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CFakeLock@@1NA DATA +; protected: static double CReaderWriterLock2::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock2@@1NA DATA +; protected: static double CReaderWriterLock3::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock3@@1NA DATA +; protected: static double CReaderWriterLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CReaderWriterLock@@1NA DATA +; protected: static double CSmallSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSmallSpinLock@@1NA DATA +; protected: static double CSpinLock::sm_dblDfltSpinAdjFctr +?sm_dblDfltSpinAdjFctr@CSpinLock@@1NA DATA +; private: static class CLockedDoubleList CLKRHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRHashTable@@0VCLockedDoubleList@@A DATA +; private: static class CLockedDoubleList CLKRLinearHashTable::sm_llGlobalList +?sm_llGlobalList@CLKRLinearHashTable@@0VCLockedDoubleList@@A DATA +; private: static struct _OSVERSIONINFOW * __ptr64 __ptr64 CMdVersionInfo::sm_lpOSVERSIONINFO +?sm_lpOSVERSIONINFO@CMdVersionInfo@@0PEAU_OSVERSIONINFOW@@EA DATA +; private: static unsigned long (__cdecl* __ptr64 CCriticalSection::sm_pfnSetCriticalSectionSpinCount)(struct _RTL_CRITICAL_SECTION * __ptr64,unsigned long) +?sm_pfnSetCriticalSectionSpinCount@CCriticalSection@@0P6AKPEAU_RTL_CRITICAL_SECTION@@K@ZEA DATA +; private: static int (__cdecl* __ptr64 CCriticalSection::sm_pfnTryEnterCriticalSection)(struct _RTL_CRITICAL_SECTION * __ptr64) +?sm_pfnTryEnterCriticalSection@CCriticalSection@@0P6AHPEAU_RTL_CRITICAL_SECTION@@@ZEA DATA +; protected: static unsigned short CCritSec::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CCritSec@@1GA DATA +; protected: static unsigned short CFakeLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CFakeLock@@1GA DATA +; protected: static unsigned short CReaderWriterLock2::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock2@@1GA DATA +; protected: static unsigned short CReaderWriterLock3::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock3@@1GA DATA +; protected: static unsigned short CReaderWriterLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CReaderWriterLock@@1GA DATA +; protected: static unsigned short CSmallSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSmallSpinLock@@1GA DATA +; protected: static unsigned short CSpinLock::sm_wDefaultSpinCount +?sm_wDefaultSpinCount@CSpinLock@@1GA DATA +DllBidEntryPoint +DllMain +FXMemAttach +FXMemDetach +GetIUMS +IrtlTrace +IsValidAddress +IsValidString +LoadVersionedResourceEx +MPCSInitialize +MPCSUninitialize +MPDeleteCriticalSection +MPInitializeCriticalSection +MPInitializeCriticalSectionAndSpinCount +MpGetHeapHandle +MpHeapAlloc +MpHeapCreate +MpHeapDestroy +MpHeapFree +MpHeapReAlloc +MpHeapSize +MpHeapValidate +SetIUMS +SetMemHook +UMSEnterCSWraper +mpCalloc +mpFree +mpMalloc +mpRealloc diff --git a/lib/libc/mingw/lib64/msdtclog.def b/lib/libc/mingw/lib64/msdtclog.def new file mode 100644 index 0000000000..208b55ae03 --- /dev/null +++ b/lib/libc/mingw/lib64/msdtclog.def @@ -0,0 +1,16 @@ +; +; Exports of file MSDTCLOG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDTCLOG.dll +EXPORTS +; public: static long __cdecl CLogMgr::CreateInstance(class CLogMgr * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?CreateInstance@CLogMgr@@SAJPEAPEAV1@PEAUIUnknown@@@Z +DllGetDTCLOG2 +; int __cdecl DllGetDTCLOG(struct _GUID const & __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) +?DllGetDTCLOG@@YAHAEBU_GUID@@0PEAPEAX@Z +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/msdtcprx.def b/lib/libc/mingw/lib64/msdtcprx.def new file mode 100644 index 0000000000..6eadd8945c --- /dev/null +++ b/lib/libc/mingw/lib64/msdtcprx.def @@ -0,0 +1,269 @@ +; +; Exports of file MSDTCPRX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDTCPRX.dll +EXPORTS +DllGetDTCProxy +; public: __cdecl CSecurityDescriptor::CSecurityDescriptor(void) __ptr64 +??0CSecurityDescriptor@@QEAA@XZ +; protected: __cdecl CService::CService(void) __ptr64 +??0CService@@IEAA@XZ +; protected: __cdecl CServiceControlManager::CServiceControlManager(void) __ptr64 +??0CServiceControlManager@@IEAA@XZ +; public: __cdecl CSecurityDescriptor::~CSecurityDescriptor(void) __ptr64 +??1CSecurityDescriptor@@QEAA@XZ +; protected: __cdecl CService::~CService(void) __ptr64 +??1CService@@IEAA@XZ +DTC_XaOpen +DTC_XaStart +DTC_XaEnd +DTC_XaPrepare +DTC_XaCommit +DTC_XaRollback +DTC_XaRecover +DTC_XaForget +DTC_XaComplete +DTC_XaClose +DTC_AxReg +DTC_AxUnReg +ax_reg +ax_unreg +ShutDownCM +DllGetDTCConnectionManager +DllGetDTCUtilObject +ContactToNameObject +SysPrepDtcReinstall +; protected: __cdecl CServiceControlManager::~CServiceControlManager(void) __ptr64 +??1CServiceControlManager@@IEAA@XZ +; public: class CSecurityDescriptor & __ptr64 __cdecl CSecurityDescriptor::operator=(class CSecurityDescriptor const & __ptr64) __ptr64 +??4CSecurityDescriptor@@QEAAAEAV0@AEBV0@@Z +; public: class CService & __ptr64 __cdecl CService::operator=(class CService const & __ptr64) __ptr64 +??4CService@@QEAAAEAV0@AEBV0@@Z +; public: class CServiceControlManager & __ptr64 __cdecl CServiceControlManager::operator=(class CServiceControlManager const & __ptr64) __ptr64 +??4CServiceControlManager@@QEAAAEAV0@AEBV0@@Z +; public: unsigned long __cdecl CService::AddRef(void) __ptr64 +?AddRef@CService@@QEAAKXZ +; public: unsigned long __cdecl CServiceControlManager::AddRef(void) __ptr64 +?AddRef@CServiceControlManager@@QEAAKXZ +; public: long __cdecl CSecurityDescriptor::AddSid(unsigned short * __ptr64,unsigned long,unsigned long) __ptr64 +?AddSid@CSecurityDescriptor@@QEAAJPEAGKK@Z +; public: long __cdecl CSecurityDescriptor::AddSid(void * __ptr64,unsigned long,unsigned long) __ptr64 +?AddSid@CSecurityDescriptor@@QEAAJPEAXKK@Z +; protected: long __cdecl CSecurityDescriptor::Alloc(unsigned long) __ptr64 +?Alloc@CSecurityDescriptor@@IEAAJK@Z +; long __cdecl ApplyAccountSettings(int,unsigned short * __ptr64,unsigned long,unsigned short * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,int) +?ApplyAccountSettings@@YAJHPEAGK000H@Z +; long __cdecl ApplyNamedSecurityChange(unsigned short * __ptr64,enum _SE_OBJECT_TYPE,void * __ptr64,void * __ptr64,unsigned long) +?ApplyNamedSecurityChange@@YAJPEAGW4_SE_OBJECT_TYPE@@PEAX2K@Z +; long __cdecl CheckForDCPromotionDemotion(unsigned short * __ptr64) +?CheckForDCPromotionDemotion@@YAJPEAG@Z +; public: long __cdecl CSecurityDescriptor::ClearAcl(void) __ptr64 +?ClearAcl@CSecurityDescriptor@@QEAAJXZ +; public: long __cdecl CSecurityDescriptor::ClearInMemoryAcl(void) __ptr64 +?ClearInMemoryAcl@CSecurityDescriptor@@QEAAJXZ +; void __cdecl CloseNetpEventLogHandle(void) +?CloseNetpEventLogHandle@@YAXXZ +; public: static long __cdecl CConnectionManager::Create(class CConnectionManager * __ptr64 * __ptr64) +?Create@CConnectionManager@@SAJPEAPEAV1@@Z +; public: static long __cdecl CNameService::Create(class CNameService * __ptr64 * __ptr64) +?Create@CNameService@@SAJPEAPEAV1@@Z +; public: static long __cdecl CService::Create(class CService * __ptr64 * __ptr64,unsigned short * __ptr64,class CServiceControlManager * __ptr64,unsigned long,unsigned short * __ptr64) +?Create@CService@@SAJPEAPEAV1@PEAGPEAVCServiceControlManager@@K1@Z +; public: static long __cdecl CServiceControlManager::Create(class CServiceControlManager * __ptr64 * __ptr64,unsigned long,unsigned short * __ptr64,unsigned short * __ptr64) +?Create@CServiceControlManager@@SAJPEAPEAV1@KPEAG1@Z +; void __cdecl CreateASRKey(void) +?CreateASRKey@@YAXXZ +; public: static long __cdecl CTmProxyCore::CreateInstance(class CTmProxyCore * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?CreateInstance@CTmProxyCore@@SAJPEAPEAV1@PEAUIUnknown@@@Z +; long __cdecl CreateNewContact(struct IProperties * __ptr64 * __ptr64) +?CreateNewContact@@YAJPEAPEAUIProperties@@@Z +; long __cdecl CreateOrOpenMutexW(void * __ptr64 * __ptr64,unsigned short const * __ptr64,int) +?CreateOrOpenMutexW@@YAJPEAPEAXPEBGH@Z +; void __cdecl DeleteExistingContacts(unsigned short * __ptr64,struct IContactPool * __ptr64,unsigned short * __ptr64) +?DeleteExistingContacts@@YAXPEAGPEAUIContactPool@@0@Z +; int __cdecl DllGetDTCAdmin(struct _GUID const & __ptr64,struct _GUID const & __ptr64,void * __ptr64 * __ptr64) +?DllGetDTCAdmin@@YAHAEBU_GUID@@0PEAPEAX@Z +; long __cdecl DtcWriteToEventLogger(unsigned long,unsigned long,unsigned long,unsigned long,void * __ptr64,char * __ptr64) +?DtcWriteToEventLogger@@YAJKKKKPEAXPEAD@Z +; long __cdecl DtcWriteToEventLoggerEx(unsigned short,unsigned short,unsigned long,void * __ptr64,unsigned short,unsigned long,char const * __ptr64 * __ptr64,void * __ptr64) +?DtcWriteToEventLoggerEx@@YAJGGKPEAXGKPEAPEBD0@Z +; long __cdecl DtcWriteToEventLoggerExUnFiltered(unsigned short,unsigned short,unsigned long,void * __ptr64,unsigned short,unsigned long,char const * __ptr64 * __ptr64,void * __ptr64) +?DtcWriteToEventLoggerExUnFiltered@@YAJGGKPEAXGKPEAPEBD0@Z +; long __cdecl DtcWriteToEventLoggerExUnFilteredA(unsigned short,unsigned short,unsigned long,void * __ptr64,unsigned short,unsigned long,char const * __ptr64 * __ptr64,void * __ptr64) +?DtcWriteToEventLoggerExUnFilteredA@@YAJGGKPEAXGKPEAPEBD0@Z +; long __cdecl EraseDtcClient(unsigned short * __ptr64) +?EraseDtcClient@@YAJPEAG@Z +; public: long __cdecl CService::GetAccount(unsigned short * __ptr64,unsigned long * __ptr64) __ptr64 +?GetAccount@CService@@QEAAJPEAGPEAK@Z +; long __cdecl GetAccountSid(unsigned short * __ptr64,unsigned short * __ptr64,void * __ptr64 * __ptr64) +?GetAccountSid@@YAJPEAG0PEAPEAX@Z +; public: long __cdecl CSecurityDescriptor::GetControl(unsigned short * __ptr64) __ptr64 +?GetControl@CSecurityDescriptor@@QEAAJPEAG@Z +; unsigned short * __ptr64 __cdecl GetDefaultLogPath(void) +?GetDefaultLogPath@@YAPEAGXZ +; unsigned long __cdecl GetDefaultLogSize(void) +?GetDefaultLogSize@@YAKXZ +; long __cdecl GetDefaultSecurityConfigurationOptions(unsigned short * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) +?GetDefaultSecurityConfigurationOptions@@YAJPEAGPEAK1@Z +; char * __ptr64 __cdecl GetDefaultServiceNameA(void) +?GetDefaultServiceNameA@@YAPEADXZ +; unsigned short * __ptr64 __cdecl GetDefaultServiceNameW(void) +?GetDefaultServiceNameW@@YAPEAGXZ +; unsigned short * __ptr64 __cdecl GetDefaultServicePath(void) +?GetDefaultServicePath@@YAPEAGXZ +; int __cdecl GetDtcCIDProps(struct _LOG_PROPERTIES & __ptr64,struct _DAC_PROPERTIES & __ptr64) +?GetDtcCIDProps@@YAHAEAU_LOG_PROPERTIES@@AEAU_DAC_PROPERTIES@@@Z +; int __cdecl GetDtcLogPath(unsigned long,unsigned short * __ptr64) +?GetDtcLogPath@@YAHKPEAG@Z +; int __cdecl GetDtcPath(unsigned long,unsigned short * __ptr64) +?GetDtcPath@@YAHKPEAG@Z +; long __cdecl GetDtcRpcSecurityLevel(unsigned short * __ptr64,enum _DTC_SECURITY_LEVEL * __ptr64,int) +?GetDtcRpcSecurityLevel@@YAJPEAGPEAW4_DTC_SECURITY_LEVEL@@H@Z +; unsigned short * __ptr64 __cdecl GetEventLogSource(void) +?GetEventLogSource@@YAPEAGXZ +; public: long __cdecl CService::GetHandle(struct SC_HANDLE__ * __ptr64 & __ptr64) __ptr64 +?GetHandle@CService@@QEAAJAEAPEAUSC_HANDLE__@@@Z +; public: long __cdecl CServiceControlManager::GetHandle(struct SC_HANDLE__ * __ptr64 & __ptr64) __ptr64 +?GetHandle@CServiceControlManager@@QEAAJAEAPEAUSC_HANDLE__@@@Z +; long __cdecl GetLastKnownDomainControllerState(unsigned short * __ptr64,unsigned long * __ptr64) +?GetLastKnownDomainControllerState@@YAJPEAGPEAK@Z +; long __cdecl GetLocalDtcClusteringVersion(unsigned long * __ptr64) +?GetLocalDtcClusteringVersion@@YAJPEAK@Z +; long __cdecl GetMsDtcSPN(unsigned short * __ptr64,unsigned short * __ptr64 * __ptr64) +?GetMsDtcSPN@@YAJPEAGPEAPEAG@Z +; public: long __cdecl CSecurityDescriptor::GetNamedInfo(unsigned short * __ptr64,enum _SE_OBJECT_TYPE) __ptr64 +?GetNamedInfo@CSecurityDescriptor@@QEAAJPEAGW4_SE_OBJECT_TYPE@@@Z +; unsigned short * __ptr64 __cdecl GetOldDefaultLogPath(void) +?GetOldDefaultLogPath@@YAPEAGXZ +; long __cdecl GetSecurityConfigurationOptions(unsigned short * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,int) +?GetSecurityConfigurationOptions@@YAJPEAGPEAK1H@Z +; public: long __cdecl CSecurityDescriptor::GetSecurityDescriptor(void * __ptr64 * __ptr64) __ptr64 +?GetSecurityDescriptor@CSecurityDescriptor@@QEAAJPEAPEAX@Z +; long __cdecl GetSecurityRegValueNonClusterW(unsigned short * __ptr64,unsigned short const * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64) +?GetSecurityRegValueNonClusterW@@YAJPEAGPEBGPEAEPEAK@Z +; long __cdecl GetSecurityRegValueW(unsigned short * __ptr64,unsigned short const * __ptr64,unsigned char * __ptr64,unsigned long * __ptr64,int) +?GetSecurityRegValueW@@YAJPEAGPEBGPEAEPEAKH@Z +; long __cdecl GetSharedDtcClusteringVersion(unsigned long * __ptr64) +?GetSharedDtcClusteringVersion@@YAJPEAK@Z +; long __cdecl GetTmContactA(char * __ptr64,char * __ptr64,struct IProperties * __ptr64 * __ptr64) +?GetTmContactA@@YAJPEAD0PEAPEAUIProperties@@@Z +; long __cdecl GetTmContactW(unsigned short * __ptr64,unsigned short * __ptr64,struct IProperties * __ptr64 * __ptr64) +?GetTmContactW@@YAJPEAG0PEAPEAUIProperties@@@Z +; long __cdecl GetTmUIContactA(char * __ptr64,char * __ptr64,struct IProperties * __ptr64 * __ptr64) +?GetTmUIContactA@@YAJPEAD0PEAPEAUIProperties@@@Z +; long __cdecl GetTmUIContactW(unsigned short * __ptr64,unsigned short * __ptr64,struct IProperties * __ptr64 * __ptr64) +?GetTmUIContactW@@YAJPEAG0PEAPEAUIProperties@@@Z +; long __cdecl GetXATmSecurityKey(unsigned short * __ptr64,unsigned short * __ptr64,unsigned long * __ptr64) +?GetXATmSecurityKey@@YAJPEAG0PEAK@Z +; long __cdecl InstallDtc(unsigned short * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64,unsigned long,unsigned short * __ptr64,int) +?InstallDtc@@YAJPEAG0000K0H@Z +; long __cdecl InstallDtcClient(unsigned short * __ptr64,unsigned long,unsigned long) +?InstallDtcClient@@YAJPEAGKK@Z +; long __cdecl InstallTipGw(unsigned short * __ptr64) +?InstallTipGw@@YAJPEAG@Z +; long __cdecl InstallXaTm(unsigned short * __ptr64) +?InstallXaTm@@YAJPEAG@Z +; protected: long __cdecl CService::InternalInit(unsigned short * __ptr64,class CServiceControlManager * __ptr64,unsigned long,unsigned short * __ptr64) __ptr64 +?InternalInit@CService@@IEAAJPEAGPEAVCServiceControlManager@@K0@Z +; protected: long __cdecl CServiceControlManager::InternalInit(unsigned long,unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?InternalInit@CServiceControlManager@@IEAAJKPEAG0@Z +; int __cdecl IsNtVersion5OrMore(void) +?IsNtVersion5OrMore@@YAHXZ +; long __cdecl JoinDtc(void) +?JoinDtc@@YAJXZ +; long __cdecl JoinDtcEx(unsigned short * __ptr64) +?JoinDtcEx@@YAJPEAG@Z +; long __cdecl LookupSpecialAccount(unsigned short * __ptr64,struct _SPECIAL_ACCOUNT_ * __ptr64 * __ptr64) +?LookupSpecialAccount@@YAJPEAGPEAPEAU_SPECIAL_ACCOUNT_@@@Z +; protected: long __cdecl CSecurityDescriptor::MakeAbsolute(void) __ptr64 +?MakeAbsolute@CSecurityDescriptor@@IEAAJXZ +; long __cdecl MirrorXaTmSecurityKey(unsigned short * __ptr64) +?MirrorXaTmSecurityKey@@YAJPEAG@Z +; long __cdecl MsDtcSPNFree(unsigned short * __ptr64 * __ptr64) +?MsDtcSPNFree@@YAJPEAPEAG@Z +; public: long __cdecl CServiceControlManager::OpenServiceA(class CService * __ptr64 * __ptr64,unsigned short * __ptr64,unsigned long) __ptr64 +?OpenServiceA@CServiceControlManager@@QEAAJPEAPEAVCService@@PEAGK@Z +; long __cdecl PopulateLocalRegistry(void) +?PopulateLocalRegistry@@YAJXZ +; long __cdecl PopulateSharedClusterRegistryWithContacts(void) +?PopulateSharedClusterRegistryWithContacts@@YAJXZ +; long __cdecl PopulateSharedClusterRegistryWithLogInfo(void) +?PopulateSharedClusterRegistryWithLogInfo@@YAJXZ +; public: long __cdecl CSecurityDescriptor::QueryServiceObjectSecurity(struct SC_HANDLE__ * __ptr64,unsigned long) __ptr64 +?QueryServiceObjectSecurity@CSecurityDescriptor@@QEAAJPEAUSC_HANDLE__@@K@Z +; public: unsigned long __cdecl CService::Release(void) __ptr64 +?Release@CService@@QEAAKXZ +; public: unsigned long __cdecl CServiceControlManager::Release(void) __ptr64 +?Release@CServiceControlManager@@QEAAKXZ +; long __cdecl RemoveDtc(unsigned short * __ptr64,unsigned short * __ptr64,unsigned short * __ptr64) +?RemoveDtc@@YAJPEAG00@Z +; public: long __cdecl CSecurityDescriptor::RemoveSid(unsigned short * __ptr64) __ptr64 +?RemoveSid@CSecurityDescriptor@@QEAAJPEAG@Z +; public: long __cdecl CSecurityDescriptor::RemoveSid(void * __ptr64) __ptr64 +?RemoveSid@CSecurityDescriptor@@QEAAJPEAX@Z +; protected: void __cdecl CSecurityDescriptor::Reset(void) __ptr64 +?Reset@CSecurityDescriptor@@IEAAXXZ +; long __cdecl RidToSid(unsigned long,void * __ptr64 * __ptr64) +?RidToSid@@YAJKPEAPEAX@Z +; public: long __cdecl CService::SetAccount(unsigned short * __ptr64,unsigned short * __ptr64) __ptr64 +?SetAccount@CService@@QEAAJPEAG0@Z +; long __cdecl SetAccountInfoInRegistryW(unsigned short * __ptr64) +?SetAccountInfoInRegistryW@@YAJPEAG@Z +; public: long __cdecl CSecurityDescriptor::SetControl(unsigned short,unsigned short) __ptr64 +?SetControl@CSecurityDescriptor@@QEAAJGG@Z +; long __cdecl SetDomainControllerState(unsigned short * __ptr64) +?SetDomainControllerState@@YAJPEAG@Z +; int __cdecl SetDtcCIDProps(struct _LOG_PROPERTIES & __ptr64,struct _DAC_PROPERTIES & __ptr64) +?SetDtcCIDProps@@YAHAEAU_LOG_PROPERTIES@@AEAU_DAC_PROPERTIES@@@Z +; long __cdecl SetDtcClient(unsigned short * __ptr64,char * __ptr64,unsigned short * __ptr64) +?SetDtcClient@@YAJPEAGPEAD0@Z +; long __cdecl SetDtcRpcSecurityLevel(unsigned short * __ptr64,enum _DTC_SECURITY_LEVEL,int) +?SetDtcRpcSecurityLevel@@YAJPEAGW4_DTC_SECURITY_LEVEL@@H@Z +; long __cdecl SetDtcServerProtocol(char * __ptr64,char * __ptr64) +?SetDtcServerProtocol@@YAJPEAD0@Z +; void __cdecl SetEventLogSourceToMsdtcCore(void) +?SetEventLogSourceToMsdtcCore@@YAXXZ +; public: long __cdecl CSecurityDescriptor::SetNamedInfo(unsigned short * __ptr64,enum _SE_OBJECT_TYPE,unsigned long) __ptr64 +?SetNamedInfo@CSecurityDescriptor@@QEAAJPEAGW4_SE_OBJECT_TYPE@@K@Z +; protected: long __cdecl CSecurityDescriptor::SetNewAcl(struct _ACL * __ptr64,unsigned long,int,int) __ptr64 +?SetNewAcl@CSecurityDescriptor@@IEAAJPEAU_ACL@@KHH@Z +; public: long __cdecl CSecurityDescriptor::SetOwner(unsigned short * __ptr64,int) __ptr64 +?SetOwner@CSecurityDescriptor@@QEAAJPEAGH@Z +; public: long __cdecl CSecurityDescriptor::SetOwner(void * __ptr64,int) __ptr64 +?SetOwner@CSecurityDescriptor@@QEAAJPEAXH@Z +; long __cdecl SetSecurityConfigurationOptions(unsigned short * __ptr64,unsigned long,unsigned long) +?SetSecurityConfigurationOptions@@YAJPEAGKK@Z +; long __cdecl SetSecurityRegValueNonClusterW(unsigned short * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned char * __ptr64,unsigned long) +?SetSecurityRegValueNonClusterW@@YAJPEAGPEBGKPEAEK@Z +; long __cdecl SetSecurityRegValueW(unsigned short * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned char * __ptr64,unsigned long) +?SetSecurityRegValueW@@YAJPEAGPEBGKPEAEK@Z +; public: long __cdecl CSecurityDescriptor::SetServiceObjectSecurity(struct SC_HANDLE__ * __ptr64,unsigned long) __ptr64 +?SetServiceObjectSecurity@CSecurityDescriptor@@QEAAJPEAUSC_HANDLE__@@K@Z +; public: long __cdecl CSecurityDescriptor::SetSpecialAccounts(unsigned long) __ptr64 +?SetSpecialAccounts@CSecurityDescriptor@@QEAAJK@Z +; long __cdecl StringToSid(unsigned short * __ptr64,void * __ptr64 * __ptr64) +?StringToSid@@YAJPEAGPEAPEAX@Z +; long __cdecl UpdateTmNameObject(struct INameObject * __ptr64,struct INameObject * __ptr64 * __ptr64) +?UpdateTmNameObject@@YAJPEAUINameObject@@PEAPEAU1@@Z +; long __cdecl UpgradeDtc(int) +?UpgradeDtc@@YAJH@Z +; long __cdecl VerifyAccountInfo(void) +?VerifyAccountInfo@@YAJXZ +; int __cdecl Win95Present(void) +?Win95Present@@YAHXZ +; struct _SPECIAL_ACCOUNT_ * g_aSpecialAccounts +?g_aSpecialAccounts@@3PAU_SPECIAL_ACCOUNT_@@A DATA +ClusterChangeDtcUserAccount +ClusterCryptoContainerCreate +ClusterCryptoContainerDelete +ClusterDaclCryptoContainer +ClusterUpdateAccountInformation +DecryptAccountInformation +DllGetClassObject +DllGetTransactionManagerCore +DllRegisterServer +DllUnregisterServer +EncryptAccountInformation diff --git a/lib/libc/mingw/lib64/msdtcstp.def b/lib/libc/mingw/lib64/msdtcstp.def new file mode 100644 index 0000000000..7b00affd58 --- /dev/null +++ b/lib/libc/mingw/lib64/msdtcstp.def @@ -0,0 +1,13 @@ +; +; Exports of file ntdtcsetup.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ntdtcsetup.dll +EXPORTS +OcEntry +RunDtcSetWebApplicationServerRoleW +SetupPrintLog +DtcGetWebApplicationServerRole +DtcSetWebApplicationServerRole diff --git a/lib/libc/mingw/lib64/msdtctm.def b/lib/libc/mingw/lib64/msdtctm.def new file mode 100644 index 0000000000..844a2d43f7 --- /dev/null +++ b/lib/libc/mingw/lib64/msdtctm.def @@ -0,0 +1,27 @@ +; +; Exports of file MSDTCTM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDTCTM.dll +EXPORTS +DtcMainExt +ASCWrapObject +ASCDeliverDeferred +ASCDefer +ASCGetSafeReference +; public: static long __cdecl CUISCore::Create(class CUISCore * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?Create@CUISCore@@SAJPEAPEAV1@PEAUIUnknown@@@Z +; public: static long __cdecl CTm::CreateInstance(class CTm * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?CreateInstance@CTm@@SAJPEAPEAV1@PEAUIUnknown@@@Z +; public: static long __cdecl CXaTmCore::CreateInstance(class CXaTmCore * __ptr64 * __ptr64,struct IUnknown * __ptr64) +?CreateInstance@CXaTmCore@@SAJPEAPEAV1@PEAUIUnknown@@@Z +; long __cdecl CreateThreadPool(void) +?CreateThreadPool@@YAJXZ +ASCWrapClassFactory +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetTipFunctionalityWorking +SetTipFunctionalityWorking diff --git a/lib/libc/mingw/lib64/msdtcuiu.def b/lib/libc/mingw/lib64/msdtcuiu.def new file mode 100644 index 0000000000..ed5a97ac22 --- /dev/null +++ b/lib/libc/mingw/lib64/msdtcuiu.def @@ -0,0 +1,68 @@ +; +; Exports of file MSDTCUIU.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSDTCUIU.dll +EXPORTS +InitDACDLL +TermDACDLL +TermDACInstance +DoDACPropSheet +DoDACAdvanced +GetDACStatsMinMaxInfo +; public: __cdecl CDac::CDac(class CDac const & __ptr64) __ptr64 +??0CDac@@QEAA@AEBV0@@Z +; public: __cdecl CDac::CDac(unsigned long) __ptr64 +??0CDac@@QEAA@K@Z +; public: __cdecl CDac::~CDac(void) __ptr64 +??1CDac@@QEAA@XZ +; public: class CDac & __ptr64 __cdecl CDac::operator=(class CDac const & __ptr64) __ptr64 +??4CDac@@QEAAAEAV0@AEBV0@@Z +; public: int __cdecl CDac::Connect(struct HWND__ * __ptr64,struct INTServiceControl * __ptr64) __ptr64 +?Connect@CDac@@QEAAHPEAUHWND__@@PEAUINTServiceControl@@@Z +; public: static long __cdecl CUicCore::Create(class CUicCore * __ptr64 * __ptr64) +?Create@CUicCore@@SAJPEAPEAV1@@Z +; public: class CDialog * __ptr64 __cdecl CDac::CreateAdvancedPropertySheet(class CWnd * __ptr64) __ptr64 +?CreateAdvancedPropertySheet@CDac@@QEAAPEAVCDialog@@PEAVCWnd@@@Z +; public: int __cdecl CDac::ErrorMessage(unsigned long,unsigned int) __ptr64 +?ErrorMessage@CDac@@QEAAHKI@Z +; public: unsigned long __cdecl CDac::GetAdminAccess(void) __ptr64 +?GetAdminAccess@CDac@@QEAAKXZ +; public: char * __ptr64 __cdecl CDac::GetHostNameA(void) __ptr64 +?GetHostNameA@CDac@@QEAAPEADXZ +; public: unsigned short * __ptr64 __cdecl CDac::GetHostNameW(void) __ptr64 +?GetHostNameW@CDac@@QEAAPEAGXZ +; public: struct HWND__ * __ptr64 __cdecl CDac::GetOwnerHwnd(void) __ptr64 +?GetOwnerHwnd@CDac@@QEAAPEAUHWND__@@XZ +; public: unsigned short * __ptr64 __cdecl CDac::GetVirtualHostName(void) __ptr64 +?GetVirtualHostName@CDac@@QEAAPEAGXZ +; public: long __cdecl CDac::Init(unsigned short * __ptr64) __ptr64 +?Init@CDac@@QEAAJPEAG@Z +; public: int __cdecl CDac::IsConnected(void) __ptr64 +?IsConnected@CDac@@QEAAHXZ +; public: int __cdecl CDac::ProcessCommand(unsigned __int64,__int64) __ptr64 +?ProcessCommand@CDac@@QEAAH_K_J@Z +; void __cdecl RegisterErrorSink(struct IDacErrorSink * __ptr64) +?RegisterErrorSink@@YAXPEAUIDacErrorSink@@@Z +RunDACExe +; public: long __cdecl CDac::ServiceRequest(unsigned long,void * __ptr64,unsigned long,bool) __ptr64 +?ServiceRequest@CDac@@QEAAJKPEAXK_N@Z +; public: void __cdecl CDac::SetHostNameA(char * __ptr64) __ptr64 +?SetHostNameA@CDac@@QEAAXPEAD@Z +; public: void __cdecl CDac::SetHostNameW(unsigned short * __ptr64) __ptr64 +?SetHostNameW@CDac@@QEAAXPEAG@Z +; public: void __cdecl CDac::SetOwnerWnd(class CWnd * __ptr64) __ptr64 +?SetOwnerWnd@CDac@@QEAAXPEAVCWnd@@@Z +; class CDac * __ptr64 __cdecl ValidateDACInstance(void * __ptr64 * __ptr64,unsigned short * __ptr64) +?ValidateDACInstance@@YAPEAVCDac@@PEAPEAXPEAG@Z +DllGetClassObject +DllGetDTCUIC +DllRegisterServer +DllUnregisterServer +DtcPerfClose +DtcPerfCollect +DtcPerfOpen +PerfDllRegisterServer +ShutDownUIC diff --git a/lib/libc/mingw/lib64/msftedit.def b/lib/libc/mingw/lib64/msftedit.def new file mode 100644 index 0000000000..98afce005b --- /dev/null +++ b/lib/libc/mingw/lib64/msftedit.def @@ -0,0 +1,22 @@ +; +; Exports of file MSFTEDIT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSFTEDIT.dll +EXPORTS +IID_IRichEditOle +IID_IRichEditOleCallback +CreateTextServices +IID_ITextServices +IID_ITextHost +IID_ITextHost2 +REExtendedRegisterClass +RichEditANSIWndProc +RichEdit10ANSIWndProc +SetCustomTextOutHandlerEx +DllGetVersion +RichEditWndProc +RichListBoxWndProc +RichComboBoxWndProc diff --git a/lib/libc/mingw/lib64/msgina.def b/lib/libc/mingw/lib64/msgina.def new file mode 100644 index 0000000000..0645dafad0 --- /dev/null +++ b/lib/libc/mingw/lib64/msgina.def @@ -0,0 +1,30 @@ +; +; Exports of file MSGINA.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSGINA.dll +EXPORTS +ShellShutdownDialog +WlxActivateUserShell +WlxDisconnectNotify +WlxDisplayLockedNotice +WlxDisplaySASNotice +WlxDisplayStatusMessage +WlxGetConsoleSwitchCredentials +WlxGetStatusMessage +WlxInitialize +WlxIsLockOk +WlxIsLogoffOk +WlxLoggedOnSAS +WlxLoggedOutSAS +WlxLogoff +WlxNegotiate +WlxNetworkProviderLoad +WlxReconnectNotify +WlxRemoveStatusMessage +WlxScreenSaverNotify +WlxShutdown +WlxStartApplication +WlxWkstaLockedSAS diff --git a/lib/libc/mingw/lib64/msgr3en.def b/lib/libc/mingw/lib64/msgr3en.def new file mode 100644 index 0000000000..fa468fe215 --- /dev/null +++ b/lib/libc/mingw/lib64/msgr3en.def @@ -0,0 +1,43 @@ +; +; Exports of file msgr3en.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msgr3en.dll +EXPORTS +CheckVersion +CheckInit +CheckTerminate +CheckText +CheckGetError +CheckGetErrorInformation +CheckIgnoreError +CheckResetError +CheckFreeHandle +CheckEnumHandles +CheckUnloadDoc +CheckOpenMdt +CheckCloseMdt +CheckAddStats +CheckGetStats +CheckInitStats +CheckStats +CheckIgnoreRule +CheckResetRule +CheckIsRuleIgnored +CheckUseOptions +CheckOptionSettings +CheckResetOptions +CheckWriteOptions +CheckLoadPersistData +CheckSavePersistData +DllCanUnloadNow +CheckSubtractStats +CheckBatchUpdate +CheckAddUdr +CheckGetNamedEntity +CheckGetNormalizedData +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/msgrocm.def b/lib/libc/mingw/lib64/msgrocm.def new file mode 100644 index 0000000000..1f4942268b --- /dev/null +++ b/lib/libc/mingw/lib64/msgrocm.def @@ -0,0 +1,9 @@ +; +; Exports of file OCMSN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OCMSN.dll +EXPORTS +OcEntry diff --git a/lib/libc/mingw/lib64/msgsvc.def b/lib/libc/mingw/lib64/msgsvc.def new file mode 100644 index 0000000000..9194e501ee --- /dev/null +++ b/lib/libc/mingw/lib64/msgsvc.def @@ -0,0 +1,10 @@ +; +; Exports of file msgsvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msgsvc.dll +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/lib64/mshtml.def b/lib/libc/mingw/lib64/mshtml.def new file mode 100644 index 0000000000..a53414836e --- /dev/null +++ b/lib/libc/mingw/lib64/mshtml.def @@ -0,0 +1,27 @@ +; +; Exports of file MSHTML.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSHTML.dll +EXPORTS +CreateHTMLPropertyPage +DllCanUnloadNow +DllEnumClassObjects +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer +MatchExactGetIDsOfNames +PrintHTML +RNIGetCompatibleVersion +RunHTMLApplication +ShowHTMLDialog +ShowHTMLDialogEx +ShowModalDialog +ShowModelessHTMLDialog +com_ms_osp_ospmrshl_classInit +com_ms_osp_ospmrshl_copyToExternal64 +com_ms_osp_ospmrshl_releaseByValExternal64 +com_ms_osp_ospmrshl_toJava64 diff --git a/lib/libc/mingw/lib64/msir3jp.def b/lib/libc/mingw/lib64/msir3jp.def new file mode 100644 index 0000000000..9be8c1fd6d --- /dev/null +++ b/lib/libc/mingw/lib64/msir3jp.def @@ -0,0 +1,20 @@ +; +; Exports of file msir3jp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msir3jp.dll +EXPORTS +EnumSelectionOffsets +DllGetClassObject +DllRegisterServer +DllUnregisterServer +EnumSummarizationOffsets +EnumStemInfo +EnumSentenceOffsets +WordBreakInit +WordBreakInitEx +EnumPhrases +EnumSummarizationOffsetsEx +EnumStemOffsets diff --git a/lib/libc/mingw/lib64/mslbui.def b/lib/libc/mingw/lib64/mslbui.def new file mode 100644 index 0000000000..fc3e80743a --- /dev/null +++ b/lib/libc/mingw/lib64/mslbui.def @@ -0,0 +1,9 @@ +; +; Exports of file MSLBUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSLBUI.dll +EXPORTS +CTFGetLangBarAddIn diff --git a/lib/libc/mingw/lib64/msmqocm.def b/lib/libc/mingw/lib64/msmqocm.def new file mode 100644 index 0000000000..dcb1c5e76f --- /dev/null +++ b/lib/libc/mingw/lib64/msmqocm.def @@ -0,0 +1,11 @@ +; +; Exports of file MSMQOCM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSMQOCM.dll +EXPORTS +MsmqOcm +SysprepDeleteQmId +WelcomeEntryProc diff --git a/lib/libc/mingw/lib64/msobdl.def b/lib/libc/mingw/lib64/msobdl.def new file mode 100644 index 0000000000..64eca5f359 --- /dev/null +++ b/lib/libc/mingw/lib64/msobdl.def @@ -0,0 +1,14 @@ +; +; Exports of file MSOBDL.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSOBDL.DLL +EXPORTS +DownLoadInit +DownLoadCancel +DownLoadExecute +DownLoadClose +DownLoadSetStatusCallback +DownLoadProcess diff --git a/lib/libc/mingw/lib64/msobmain.def b/lib/libc/mingw/lib64/msobmain.def new file mode 100644 index 0000000000..921136c6f4 --- /dev/null +++ b/lib/libc/mingw/lib64/msobmain.def @@ -0,0 +1,10 @@ +; +; Exports of file msobmain.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msobmain.dll +EXPORTS +LaunchMSOOBE +IsOemVer diff --git a/lib/libc/mingw/lib64/msoe.def b/lib/libc/mingw/lib64/msoe.def new file mode 100644 index 0000000000..21c0b7f980 --- /dev/null +++ b/lib/libc/mingw/lib64/msoe.def @@ -0,0 +1,40 @@ +; +; Exports of file MSOE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSOE.dll +EXPORTS +BMAPIAddress +BMAPIDetails +BMAPIFindNext +BMAPIGetAddress +BMAPIGetReadMail +BMAPIReadMail +BMAPIResolveName +BMAPISaveMail +BMAPISendMail +CoStartOutlookExpress +FIsDefaultMailConfiged +FIsDefaultNewsConfiged +ImportMailStoreToGUID +ImportNewsListToGUID +SetDefaultMailHandler +SetDefaultNewsHandler +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +MAPIAddress +MAPIDeleteMail +MAPIDetails +MAPIFindNext +MAPIFreeBuffer +MAPILogoff +MAPILogon +MAPIReadMail +MAPIResolveName +MAPISaveMail +MAPISendDocuments +MAPISendMail diff --git a/lib/libc/mingw/lib64/msoeacct.def b/lib/libc/mingw/lib64/msoeacct.def new file mode 100644 index 0000000000..dfa0bd8f94 --- /dev/null +++ b/lib/libc/mingw/lib64/msoeacct.def @@ -0,0 +1,17 @@ +; +; Exports of file MSOEACCT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSOEACCT.dll +EXPORTS +CreateAccountsFromFile +CreateAccountsFromFileEx +GetDllMajorVersion +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +HrCreateAccountManager +ValidEmailAddress diff --git a/lib/libc/mingw/lib64/msoert2.def b/lib/libc/mingw/lib64/msoert2.def new file mode 100644 index 0000000000..e3bf61039e --- /dev/null +++ b/lib/libc/mingw/lib64/msoert2.def @@ -0,0 +1,162 @@ +; +; Exports of file MSOERT2.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSOERT2.dll +EXPORTS +CreateSystemHandleName +CryptAllocFunc +CryptFreeFunc +FInitializeRichEdit +GetDllMajorVersion +GetHtmlCharset +GetRichEdClassStringW +HrGetCertKeyUsage +HrVerifyCertEnhKeyUsage +IUnknownList_CreateInstance +IVoidPtrList_CreateInstance +IsHttpUrlA +SetFontOnRichEd +AppendTempFileList +AthwsprintfW +BrowseForFolder +BrowseForFolderW +BuildNotificationPackage +CchFileTimeToDateTimeSz +CchFileTimeToDateTimeW +CenterDialog +ChConvertFromHex +CleanupFileNameInPlaceA +CleanupFileNameInPlaceW +CleanupGlobalTempFiles +CopyRegistry +CrackNotificationPackage +CreateDataObject +CreateEnumFormatEtc +CreateInfoWindow +CreateLogFile +CreateNotify +CreateStreamOnHFile +CreateStreamOnHFileW +CreateTempFile +CreateTempFileStream +DeleteTempFile +DeleteTempFileOnShutdown +DeleteTempFileOnShutdownEx +DoHotMailWizard +FBuildTempPath +FBuildTempPathW +FIsEmptyA +FIsEmptyW +FIsHTMLFile +FIsHTMLFileW +FIsSpaceA +FIsSpaceW +FIsValidFileNameCharA +FIsValidFileNameCharW +FMissingCert +FreeTempFileList +GenerateUniqueFileName +GetExePath +HrBSTRToLPSZ +HrByteToStream +HrCheckTridentMenu +HrCopyLockBytesToStream +HrCopyStream +HrCopyStreamCB +HrCopyStreamCBEndOnCRLF +HrCopyStreamToByte +HrCreatePhonebookEntry +HrCreateTridentMenu +HrDecodeObject +HrEditPhonebookEntry +HrFillRasCombo +HrFindInetTimeZone +HrGetBodyElement +HrGetCertificateParam +HrGetElementImpl +HrGetMsgParam +HrGetStreamPos +HrGetStreamSize +HrGetStyleSheet +HrIStreamToBSTR +HrIStreamWToBSTR +HrIndexOfMonth +HrIndexOfWeek +HrIsStreamUnicode +HrLPSZCPToBSTR +HrLPSZToBSTR +HrRewindStream +HrSafeGetStreamSize +HrSetDirtyFlagImpl +HrStreamSeekBegin +HrStreamSeekCur +HrStreamSeekEnd +HrStreamSeekSet +HrStreamToByte +IDrawText +IsDigit +IsPlatformWinNT +IsPrint +IsUpper +IsValidFileIfFileUrl +IsValidFileIfFileUrlW +LoadMappedToolbarBitmap +MessageBoxInst +MessageBoxInstW +OpenFileStream +OpenFileStreamShare +OpenFileStreamShareW +OpenFileStreamW +OpenFileStreamWithFlags +OpenFileStreamWithFlagsW +PSTCreateTypeSubType_NoUI +PSTFreeHandle +PSTGetData +PSTSetNewData +PVDecodeObject +PVGetCertificateParam +PVGetMsgParam +PszAllocA +PszAllocW +PszDayFromIndex +PszDupA +PszDupLenA +PszDupW +PszEscapeMenuStringA +PszFromANSIStreamA +PszMonthFromIndex +PszScanToCharA +PszScanToWhiteA +PszSkipWhiteA +PszSkipWhiteW +PszToANSI +PszToUnicode +ReplaceChars +ReplaceCharsW +RicheditStreamIn +RicheditStreamOut +SetIntlFont +SetWindowLongPtrAthW +ShellUtil_GetSpecialFolderPath +StrChrExA +StrToUintA +StrToUintW +StrTokEx +StreamSubStringMatch +StripCRLF +SzGetCertificateEmailAddress +UlStripWhitespace +UlStripWhitespaceW +UnlocStrEqNW +UpdateRebarBandColors +WriteStreamToFile +WriteStreamToFileHandle +WriteStreamToFileW +WszGenerateNameFromBlob +_MSG +fGetBrowserUrlEncoding +strtrim +strtrimW diff --git a/lib/libc/mingw/lib64/msoledbsql.def b/lib/libc/mingw/lib64/msoledbsql.def new file mode 100644 index 0000000000..c792aaff25 --- /dev/null +++ b/lib/libc/mingw/lib64/msoledbsql.def @@ -0,0 +1,13 @@ +; +; Definition file of msoledbsql.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "msoledbsql.dll" +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllMain +DllRegisterServer +DllUnregisterServer +OpenSqlFilestream diff --git a/lib/libc/mingw/lib64/msrle32.def b/lib/libc/mingw/lib64/msrle32.def new file mode 100644 index 0000000000..3d3bced8a0 --- /dev/null +++ b/lib/libc/mingw/lib64/msrle32.def @@ -0,0 +1,9 @@ +; +; Exports of file MSRLE32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSRLE32.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib64/mstlsapi.def b/lib/libc/mingw/lib64/mstlsapi.def new file mode 100644 index 0000000000..e97bae599a --- /dev/null +++ b/lib/libc/mingw/lib64/mstlsapi.def @@ -0,0 +1,84 @@ +; +; Exports of file mstlsapi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mstlsapi.dll +EXPORTS +TLSGetVersion +MIDL_user_allocate +MIDL_user_free +EnumerateTlsServer +TLSSendServerCertificate +TLSGetServerName +TLSGetServerScope +TLSIssuePlatformChallenge +TLSIssueNewLicense +TLSUpgradeLicense +TLSAllocateConcurrentLicense +TLSGetLastError +TLSKeyPackEnumBegin +TLSKeyPackEnumNext +TLSKeyPackEnumEnd +TLSLicenseEnumBegin +TLSLicenseEnumNext +TLSLicenseEnumEnd +TLSGetAvailableLicenses +TLSConnectToLsServer +TLSConnectToAnyLsServer +TLSDisconnectFromServer +FindEnterpriseServer +GetAllEnterpriseServers +TLSInit +TLSGetTSCertificate +LsCsp_GetServerData +LsCsp_DecryptEnvelopedData +LsCsp_EncryptHwid +LsCsp_StoreSecret +LsCsp_RetrieveSecret +TLSStartDiscovery +TLSStopDiscovery +TLSShutdown +TLSFreeTSCertificate +TLSIssueNewLicenseEx +TLSUpgradeLicenseEx +TLSCheckLicenseMark +TLSIssueNewLicenseExEx +TLSGetServerNameEx +TLSLicenseEnumNextEx +TLSGetServerNameFixed +TLSGetServerScopeFixed +TLSGetLastErrorFixed +GetLicenseServersFromReg +TLSConnectToAnyLsServerNoCertInstall +RequestToTlsRequest +TLSRequestTermServCert +TLSRetrieveTermServCert +TLSInstallCertificate +TLSGetServerCertificate +TLSRegisterLicenseKeyPack +TLSGetLSPKCS10CertRequest +TLSKeyPackAdd +TLSKeyPackSetStatus +TLSReturnLicense +TLSAnnounceServer +TLSLookupServer +TLSAnnounceLicensePack +TLSReturnLicensedProduct +TLSTelephoneRegisterLKP +TLSChallengeServer +TLSResponseServerChallenge +TLSGetTlsPrivateData +TLSTriggerReGenKey +TLSGetServerPID +TLSGetServerSPK +TLSDepositeServerSPK +TLSAllocateInternetLicenseEx +TLSReturnInternetLicenseEx +TLSIsBetaNTServer +TLSIsLicenseEnforceEnable +TLSInDomain +TLSMarkLicense +TLSGetSupportFlags +TLSLookupServerFixed diff --git a/lib/libc/mingw/lib64/msutb.def b/lib/libc/mingw/lib64/msutb.def new file mode 100644 index 0000000000..ed5fac382e --- /dev/null +++ b/lib/libc/mingw/lib64/msutb.def @@ -0,0 +1,16 @@ +; +; Exports of file MSUTB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSUTB.dll +EXPORTS +ClosePopupTipbar +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetLibTls +GetPopupTipbar +SetRegisterLangBand diff --git a/lib/libc/mingw/lib64/msvcirt.def b/lib/libc/mingw/lib64/msvcirt.def new file mode 100644 index 0000000000..54b11bcfd4 --- /dev/null +++ b/lib/libc/mingw/lib64/msvcirt.def @@ -0,0 +1,819 @@ +; +; Exports of file msvcirt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY msvcirt.dll +EXPORTS +; public: __cdecl Iostream_init::Iostream_init(class ios & __ptr64,int) __ptr64 +??0Iostream_init@@QEAA@AEAVios@@H@Z +; public: __cdecl Iostream_init::Iostream_init(void) __ptr64 +??0Iostream_init@@QEAA@XZ +; public: __cdecl exception::exception(char const * __ptr64 const & __ptr64) __ptr64 +??0exception@@QEAA@AEBQEBD@Z +; public: __cdecl exception::exception(class exception const & __ptr64) __ptr64 +??0exception@@QEAA@AEBV0@@Z +; public: __cdecl exception::exception(void) __ptr64 +??0exception@@QEAA@XZ +; public: __cdecl filebuf::filebuf(class filebuf const & __ptr64) __ptr64 +??0filebuf@@QEAA@AEBV0@@Z +; public: __cdecl filebuf::filebuf(int) __ptr64 +??0filebuf@@QEAA@H@Z +; public: __cdecl filebuf::filebuf(int,char * __ptr64,int) __ptr64 +??0filebuf@@QEAA@HPEADH@Z +; public: __cdecl filebuf::filebuf(void) __ptr64 +??0filebuf@@QEAA@XZ +; public: __cdecl fstream::fstream(class fstream const & __ptr64) __ptr64 +??0fstream@@QEAA@AEBV0@@Z +; public: __cdecl fstream::fstream(int) __ptr64 +??0fstream@@QEAA@H@Z +; public: __cdecl fstream::fstream(int,char * __ptr64,int) __ptr64 +??0fstream@@QEAA@HPEADH@Z +; public: __cdecl fstream::fstream(char const * __ptr64,int,int) __ptr64 +??0fstream@@QEAA@PEBDHH@Z +; public: __cdecl fstream::fstream(void) __ptr64 +??0fstream@@QEAA@XZ +; public: __cdecl ifstream::ifstream(class ifstream const & __ptr64) __ptr64 +??0ifstream@@QEAA@AEBV0@@Z +; public: __cdecl ifstream::ifstream(int) __ptr64 +??0ifstream@@QEAA@H@Z +; public: __cdecl ifstream::ifstream(int,char * __ptr64,int) __ptr64 +??0ifstream@@QEAA@HPEADH@Z +; public: __cdecl ifstream::ifstream(char const * __ptr64,int,int) __ptr64 +??0ifstream@@QEAA@PEBDHH@Z +; public: __cdecl ifstream::ifstream(void) __ptr64 +??0ifstream@@QEAA@XZ +; protected: __cdecl ios::ios(class ios const & __ptr64) __ptr64 +??0ios@@IEAA@AEBV0@@Z +; protected: __cdecl ios::ios(void) __ptr64 +??0ios@@IEAA@XZ +; public: __cdecl ios::ios(class streambuf * __ptr64) __ptr64 +??0ios@@QEAA@PEAVstreambuf@@@Z +; protected: __cdecl iostream::iostream(class iostream const & __ptr64) __ptr64 +??0iostream@@IEAA@AEBV0@@Z +; protected: __cdecl iostream::iostream(void) __ptr64 +??0iostream@@IEAA@XZ +; public: __cdecl iostream::iostream(class streambuf * __ptr64) __ptr64 +??0iostream@@QEAA@PEAVstreambuf@@@Z +; protected: __cdecl istream::istream(class istream const & __ptr64) __ptr64 +??0istream@@IEAA@AEBV0@@Z +; protected: __cdecl istream::istream(void) __ptr64 +??0istream@@IEAA@XZ +; public: __cdecl istream::istream(class streambuf * __ptr64) __ptr64 +??0istream@@QEAA@PEAVstreambuf@@@Z +; public: __cdecl istream_withassign::istream_withassign(class istream_withassign const & __ptr64) __ptr64 +??0istream_withassign@@QEAA@AEBV0@@Z +; public: __cdecl istream_withassign::istream_withassign(class streambuf * __ptr64) __ptr64 +??0istream_withassign@@QEAA@PEAVstreambuf@@@Z +; public: __cdecl istream_withassign::istream_withassign(void) __ptr64 +??0istream_withassign@@QEAA@XZ +; public: __cdecl istrstream::istrstream(class istrstream const & __ptr64) __ptr64 +??0istrstream@@QEAA@AEBV0@@Z +; public: __cdecl istrstream::istrstream(char * __ptr64) __ptr64 +??0istrstream@@QEAA@PEAD@Z +; public: __cdecl istrstream::istrstream(char * __ptr64,int) __ptr64 +??0istrstream@@QEAA@PEADH@Z +; public: __cdecl logic_error::logic_error(char const * __ptr64 const & __ptr64) __ptr64 +??0logic_error@@QEAA@AEBQEBD@Z +; public: __cdecl logic_error::logic_error(class logic_error const & __ptr64) __ptr64 +??0logic_error@@QEAA@AEBV0@@Z +; public: __cdecl ofstream::ofstream(class ofstream const & __ptr64) __ptr64 +??0ofstream@@QEAA@AEBV0@@Z +; public: __cdecl ofstream::ofstream(int) __ptr64 +??0ofstream@@QEAA@H@Z +; public: __cdecl ofstream::ofstream(int,char * __ptr64,int) __ptr64 +??0ofstream@@QEAA@HPEADH@Z +; public: __cdecl ofstream::ofstream(char const * __ptr64,int,int) __ptr64 +??0ofstream@@QEAA@PEBDHH@Z +; public: __cdecl ofstream::ofstream(void) __ptr64 +??0ofstream@@QEAA@XZ +; protected: __cdecl ostream::ostream(class ostream const & __ptr64) __ptr64 +??0ostream@@IEAA@AEBV0@@Z +; protected: __cdecl ostream::ostream(void) __ptr64 +??0ostream@@IEAA@XZ +; public: __cdecl ostream::ostream(class streambuf * __ptr64) __ptr64 +??0ostream@@QEAA@PEAVstreambuf@@@Z +; public: __cdecl ostream_withassign::ostream_withassign(class ostream_withassign const & __ptr64) __ptr64 +??0ostream_withassign@@QEAA@AEBV0@@Z +; public: __cdecl ostream_withassign::ostream_withassign(class streambuf * __ptr64) __ptr64 +??0ostream_withassign@@QEAA@PEAVstreambuf@@@Z +; public: __cdecl ostream_withassign::ostream_withassign(void) __ptr64 +??0ostream_withassign@@QEAA@XZ +; public: __cdecl ostrstream::ostrstream(class ostrstream const & __ptr64) __ptr64 +??0ostrstream@@QEAA@AEBV0@@Z +; public: __cdecl ostrstream::ostrstream(char * __ptr64,int,int) __ptr64 +??0ostrstream@@QEAA@PEADHH@Z +; public: __cdecl ostrstream::ostrstream(void) __ptr64 +??0ostrstream@@QEAA@XZ +; public: __cdecl stdiobuf::stdiobuf(class stdiobuf const & __ptr64) __ptr64 +??0stdiobuf@@QEAA@AEBV0@@Z +; public: __cdecl stdiobuf::stdiobuf(struct _iobuf * __ptr64) __ptr64 +??0stdiobuf@@QEAA@PEAU_iobuf@@@Z +; public: __cdecl stdiostream::stdiostream(class stdiostream const & __ptr64) __ptr64 +??0stdiostream@@QEAA@AEBV0@@Z +; public: __cdecl stdiostream::stdiostream(struct _iobuf * __ptr64) __ptr64 +??0stdiostream@@QEAA@PEAU_iobuf@@@Z +; protected: __cdecl streambuf::streambuf(char * __ptr64,int) __ptr64 +??0streambuf@@IEAA@PEADH@Z +; protected: __cdecl streambuf::streambuf(void) __ptr64 +??0streambuf@@IEAA@XZ +; public: __cdecl streambuf::streambuf(class streambuf const & __ptr64) __ptr64 +??0streambuf@@QEAA@AEBV0@@Z +; public: __cdecl strstream::strstream(class strstream const & __ptr64) __ptr64 +??0strstream@@QEAA@AEBV0@@Z +; public: __cdecl strstream::strstream(char * __ptr64,int,int) __ptr64 +??0strstream@@QEAA@PEADHH@Z +; public: __cdecl strstream::strstream(void) __ptr64 +??0strstream@@QEAA@XZ +; public: __cdecl strstreambuf::strstreambuf(class strstreambuf const & __ptr64) __ptr64 +??0strstreambuf@@QEAA@AEBV0@@Z +; public: __cdecl strstreambuf::strstreambuf(int) __ptr64 +??0strstreambuf@@QEAA@H@Z +; public: __cdecl strstreambuf::strstreambuf(void * __ptr64 (__cdecl*)(long),void (__cdecl*)(void * __ptr64)) __ptr64 +??0strstreambuf@@QEAA@P6APEAXJ@ZP6AXPEAX@Z@Z +; public: __cdecl strstreambuf::strstreambuf(char * __ptr64,int,char * __ptr64) __ptr64 +??0strstreambuf@@QEAA@PEADH0@Z +; public: __cdecl strstreambuf::strstreambuf(unsigned char * __ptr64,int,unsigned char * __ptr64) __ptr64 +??0strstreambuf@@QEAA@PEAEH0@Z +; public: __cdecl strstreambuf::strstreambuf(void) __ptr64 +??0strstreambuf@@QEAA@XZ +; public: __cdecl Iostream_init::~Iostream_init(void) __ptr64 +??1Iostream_init@@QEAA@XZ +; public: virtual __cdecl exception::~exception(void) __ptr64 +??1exception@@UEAA@XZ +; public: virtual __cdecl filebuf::~filebuf(void) __ptr64 +??1filebuf@@UEAA@XZ +; public: virtual __cdecl fstream::~fstream(void) __ptr64 +??1fstream@@UEAA@XZ +; public: virtual __cdecl ifstream::~ifstream(void) __ptr64 +??1ifstream@@UEAA@XZ +; public: virtual __cdecl ios::~ios(void) __ptr64 +??1ios@@UEAA@XZ +; public: virtual __cdecl iostream::~iostream(void) __ptr64 +??1iostream@@UEAA@XZ +; public: virtual __cdecl istream::~istream(void) __ptr64 +??1istream@@UEAA@XZ +; public: virtual __cdecl istream_withassign::~istream_withassign(void) __ptr64 +??1istream_withassign@@UEAA@XZ +; public: virtual __cdecl istrstream::~istrstream(void) __ptr64 +??1istrstream@@UEAA@XZ +; public: virtual __cdecl logic_error::~logic_error(void) __ptr64 +??1logic_error@@UEAA@XZ +; public: virtual __cdecl ofstream::~ofstream(void) __ptr64 +??1ofstream@@UEAA@XZ +; public: virtual __cdecl ostream::~ostream(void) __ptr64 +??1ostream@@UEAA@XZ +; public: virtual __cdecl ostream_withassign::~ostream_withassign(void) __ptr64 +??1ostream_withassign@@UEAA@XZ +; public: virtual __cdecl ostrstream::~ostrstream(void) __ptr64 +??1ostrstream@@UEAA@XZ +; public: virtual __cdecl stdiobuf::~stdiobuf(void) __ptr64 +??1stdiobuf@@UEAA@XZ +; public: virtual __cdecl stdiostream::~stdiostream(void) __ptr64 +??1stdiostream@@UEAA@XZ +; public: virtual __cdecl streambuf::~streambuf(void) __ptr64 +??1streambuf@@UEAA@XZ +; public: virtual __cdecl strstream::~strstream(void) __ptr64 +??1strstream@@UEAA@XZ +; public: virtual __cdecl strstreambuf::~strstreambuf(void) __ptr64 +??1strstreambuf@@UEAA@XZ +; public: class Iostream_init & __ptr64 __cdecl Iostream_init::operator=(class Iostream_init const & __ptr64) __ptr64 +??4Iostream_init@@QEAAAEAV0@AEBV0@@Z +; public: class exception & __ptr64 __cdecl exception::operator=(class exception const & __ptr64) __ptr64 +??4exception@@QEAAAEAV0@AEBV0@@Z +; public: class filebuf & __ptr64 __cdecl filebuf::operator=(class filebuf const & __ptr64) __ptr64 +??4filebuf@@QEAAAEAV0@AEBV0@@Z +; public: class fstream & __ptr64 __cdecl fstream::operator=(class fstream & __ptr64) __ptr64 +??4fstream@@QEAAAEAV0@AEAV0@@Z +; public: class ifstream & __ptr64 __cdecl ifstream::operator=(class ifstream const & __ptr64) __ptr64 +??4ifstream@@QEAAAEAV0@AEBV0@@Z +; protected: class ios & __ptr64 __cdecl ios::operator=(class ios const & __ptr64) __ptr64 +??4ios@@IEAAAEAV0@AEBV0@@Z +; protected: class iostream & __ptr64 __cdecl iostream::operator=(class iostream & __ptr64) __ptr64 +??4iostream@@IEAAAEAV0@AEAV0@@Z +; protected: class iostream & __ptr64 __cdecl iostream::operator=(class streambuf * __ptr64) __ptr64 +??4iostream@@IEAAAEAV0@PEAVstreambuf@@@Z +; protected: class istream & __ptr64 __cdecl istream::operator=(class istream const & __ptr64) __ptr64 +??4istream@@IEAAAEAV0@AEBV0@@Z +; protected: class istream & __ptr64 __cdecl istream::operator=(class streambuf * __ptr64) __ptr64 +??4istream@@IEAAAEAV0@PEAVstreambuf@@@Z +; public: class istream_withassign & __ptr64 __cdecl istream_withassign::operator=(class istream_withassign const & __ptr64) __ptr64 +??4istream_withassign@@QEAAAEAV0@AEBV0@@Z +; public: class istream & __ptr64 __cdecl istream_withassign::operator=(class istream const & __ptr64) __ptr64 +??4istream_withassign@@QEAAAEAVistream@@AEBV1@@Z +; public: class istream & __ptr64 __cdecl istream_withassign::operator=(class streambuf * __ptr64) __ptr64 +??4istream_withassign@@QEAAAEAVistream@@PEAVstreambuf@@@Z +; public: class istrstream & __ptr64 __cdecl istrstream::operator=(class istrstream const & __ptr64) __ptr64 +??4istrstream@@QEAAAEAV0@AEBV0@@Z +; public: class logic_error & __ptr64 __cdecl logic_error::operator=(class logic_error const & __ptr64) __ptr64 +??4logic_error@@QEAAAEAV0@AEBV0@@Z +; public: class ofstream & __ptr64 __cdecl ofstream::operator=(class ofstream const & __ptr64) __ptr64 +??4ofstream@@QEAAAEAV0@AEBV0@@Z +; protected: class ostream & __ptr64 __cdecl ostream::operator=(class ostream const & __ptr64) __ptr64 +??4ostream@@IEAAAEAV0@AEBV0@@Z +; protected: class ostream & __ptr64 __cdecl ostream::operator=(class streambuf * __ptr64) __ptr64 +??4ostream@@IEAAAEAV0@PEAVstreambuf@@@Z +; public: class ostream_withassign & __ptr64 __cdecl ostream_withassign::operator=(class ostream_withassign const & __ptr64) __ptr64 +??4ostream_withassign@@QEAAAEAV0@AEBV0@@Z +; public: class ostream & __ptr64 __cdecl ostream_withassign::operator=(class ostream const & __ptr64) __ptr64 +??4ostream_withassign@@QEAAAEAVostream@@AEBV1@@Z +; public: class ostream & __ptr64 __cdecl ostream_withassign::operator=(class streambuf * __ptr64) __ptr64 +??4ostream_withassign@@QEAAAEAVostream@@PEAVstreambuf@@@Z +; public: class ostrstream & __ptr64 __cdecl ostrstream::operator=(class ostrstream const & __ptr64) __ptr64 +??4ostrstream@@QEAAAEAV0@AEBV0@@Z +; public: class stdiobuf & __ptr64 __cdecl stdiobuf::operator=(class stdiobuf const & __ptr64) __ptr64 +??4stdiobuf@@QEAAAEAV0@AEBV0@@Z +; public: class stdiostream & __ptr64 __cdecl stdiostream::operator=(class stdiostream & __ptr64) __ptr64 +??4stdiostream@@QEAAAEAV0@AEAV0@@Z +; public: class streambuf & __ptr64 __cdecl streambuf::operator=(class streambuf const & __ptr64) __ptr64 +??4streambuf@@QEAAAEAV0@AEBV0@@Z +; public: class strstream & __ptr64 __cdecl strstream::operator=(class strstream & __ptr64) __ptr64 +??4strstream@@QEAAAEAV0@AEAV0@@Z +; public: class strstreambuf & __ptr64 __cdecl strstreambuf::operator=(class strstreambuf const & __ptr64) __ptr64 +??4strstreambuf@@QEAAAEAV0@AEBV0@@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(signed char & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAC@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(char & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAD@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(unsigned char & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAE@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(short & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAF@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(unsigned short & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAG@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(int & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAH@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(unsigned int & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAI@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(long & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAJ@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(unsigned long & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAK@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(float & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAM@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(double & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAN@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(long double & __ptr64) __ptr64 +??5istream@@QEAAAEAV0@AEAO@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(class istream & __ptr64 (__cdecl*)(class istream & __ptr64)) __ptr64 +??5istream@@QEAAAEAV0@P6AAEAV0@AEAV0@@Z@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(class ios & __ptr64 (__cdecl*)(class ios & __ptr64)) __ptr64 +??5istream@@QEAAAEAV0@P6AAEAVios@@AEAV1@@Z@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(signed char * __ptr64) __ptr64 +??5istream@@QEAAAEAV0@PEAC@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(char * __ptr64) __ptr64 +??5istream@@QEAAAEAV0@PEAD@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(unsigned char * __ptr64) __ptr64 +??5istream@@QEAAAEAV0@PEAE@Z +; public: class istream & __ptr64 __cdecl istream::operator>>(class streambuf * __ptr64) __ptr64 +??5istream@@QEAAAEAV0@PEAVstreambuf@@@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(signed char) __ptr64 +??6ostream@@QEAAAEAV0@C@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(char) __ptr64 +??6ostream@@QEAAAEAV0@D@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(unsigned char) __ptr64 +??6ostream@@QEAAAEAV0@E@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(short) __ptr64 +??6ostream@@QEAAAEAV0@F@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(unsigned short) __ptr64 +??6ostream@@QEAAAEAV0@G@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(int) __ptr64 +??6ostream@@QEAAAEAV0@H@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(unsigned int) __ptr64 +??6ostream@@QEAAAEAV0@I@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(long) __ptr64 +??6ostream@@QEAAAEAV0@J@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(unsigned long) __ptr64 +??6ostream@@QEAAAEAV0@K@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(float) __ptr64 +??6ostream@@QEAAAEAV0@M@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(double) __ptr64 +??6ostream@@QEAAAEAV0@N@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(long double) __ptr64 +??6ostream@@QEAAAEAV0@O@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(class ostream & __ptr64 (__cdecl*)(class ostream & __ptr64)) __ptr64 +??6ostream@@QEAAAEAV0@P6AAEAV0@AEAV0@@Z@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(class ios & __ptr64 (__cdecl*)(class ios & __ptr64)) __ptr64 +??6ostream@@QEAAAEAV0@P6AAEAVios@@AEAV1@@Z@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(class streambuf * __ptr64) __ptr64 +??6ostream@@QEAAAEAV0@PEAVstreambuf@@@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(signed char const * __ptr64) __ptr64 +??6ostream@@QEAAAEAV0@PEBC@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(char const * __ptr64) __ptr64 +??6ostream@@QEAAAEAV0@PEBD@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(unsigned char const * __ptr64) __ptr64 +??6ostream@@QEAAAEAV0@PEBE@Z +; public: class ostream & __ptr64 __cdecl ostream::operator<<(void const * __ptr64) __ptr64 +??6ostream@@QEAAAEAV0@PEBX@Z +; public: int __cdecl ios::operator!(void)const __ptr64 +??7ios@@QEBAHXZ +; public: __cdecl ios::operator void * __ptr64(void)const __ptr64 +??Bios@@QEBAPEAXXZ +; const exception::`vftable' +??_7exception@@6B@ +; const filebuf::`vftable' +??_7filebuf@@6B@ +; const fstream::`vftable' +??_7fstream@@6B@ +; const ifstream::`vftable' +??_7ifstream@@6B@ +; const ios::`vftable' +??_7ios@@6B@ +; const iostream::`vftable' +??_7iostream@@6B@ +; const istream::`vftable' +??_7istream@@6B@ +; const istream_withassign::`vftable' +??_7istream_withassign@@6B@ +; const istrstream::`vftable' +??_7istrstream@@6B@ +; const logic_error::`vftable' +??_7logic_error@@6B@ +; const ofstream::`vftable' +??_7ofstream@@6B@ +; const ostream::`vftable' +??_7ostream@@6B@ +; const ostream_withassign::`vftable' +??_7ostream_withassign@@6B@ +; const ostrstream::`vftable' +??_7ostrstream@@6B@ +; const stdiobuf::`vftable' +??_7stdiobuf@@6B@ +; const stdiostream::`vftable' +??_7stdiostream@@6B@ +; const streambuf::`vftable' +??_7streambuf@@6B@ +; const strstream::`vftable' +??_7strstream@@6B@ +; const strstreambuf::`vftable' +??_7strstreambuf@@6B@ +; const fstream::`vbtable'{for `istream'} +??_8fstream@@7Bistream@@@ DATA +; const fstream::`vbtable'{for `ostream'} +??_8fstream@@7Bostream@@@ DATA +; const ifstream::`vbtable' +??_8ifstream@@7B@ DATA +; const iostream::`vbtable'{for `istream'} +??_8iostream@@7Bistream@@@ DATA +; const iostream::`vbtable'{for `ostream'} +??_8iostream@@7Bostream@@@ DATA +; const istream::`vbtable' +??_8istream@@7B@ DATA +; const istream_withassign::`vbtable' +??_8istream_withassign@@7B@ DATA +; const istrstream::`vbtable' +??_8istrstream@@7B@ DATA +; const ofstream::`vbtable' +??_8ofstream@@7B@ DATA +; const ostream::`vbtable' +??_8ostream@@7B@ DATA +; const ostream_withassign::`vbtable' +??_8ostream_withassign@@7B@ DATA +; const ostrstream::`vbtable' +??_8ostrstream@@7B@ DATA +; const stdiostream::`vbtable'{for `istream'} +??_8stdiostream@@7Bistream@@@ DATA +; const stdiostream::`vbtable'{for `ostream'} +??_8stdiostream@@7Bostream@@@ DATA +; const strstream::`vbtable'{for `istream'} +??_8strstream@@7Bistream@@@ DATA +; const strstream::`vbtable'{for `ostream'} +??_8strstream@@7Bostream@@@ DATA +; public: void __cdecl fstream::`vbase destructor'(void) __ptr64 +??_Dfstream@@QEAAXXZ +; public: void __cdecl ifstream::`vbase destructor'(void) __ptr64 +??_Difstream@@QEAAXXZ +; public: void __cdecl iostream::`vbase destructor'(void) __ptr64 +??_Diostream@@QEAAXXZ +; public: void __cdecl istream::`vbase destructor'(void) __ptr64 +??_Distream@@QEAAXXZ +; public: void __cdecl istream_withassign::`vbase destructor'(void) __ptr64 +??_Distream_withassign@@QEAAXXZ +; public: void __cdecl istrstream::`vbase destructor'(void) __ptr64 +??_Distrstream@@QEAAXXZ +; public: void __cdecl ofstream::`vbase destructor'(void) __ptr64 +??_Dofstream@@QEAAXXZ +; public: void __cdecl ostream::`vbase destructor'(void) __ptr64 +??_Dostream@@QEAAXXZ +; public: void __cdecl ostream_withassign::`vbase destructor'(void) __ptr64 +??_Dostream_withassign@@QEAAXXZ +; public: void __cdecl ostrstream::`vbase destructor'(void) __ptr64 +??_Dostrstream@@QEAAXXZ +; public: void __cdecl stdiostream::`vbase destructor'(void) __ptr64 +??_Dstdiostream@@QEAAXXZ +; public: void __cdecl strstream::`vbase destructor'(void) __ptr64 +??_Dstrstream@@QEAAXXZ +; public: static long const ios::adjustfield +?adjustfield@ios@@2JB +; protected: int __cdecl streambuf::allocate(void) __ptr64 +?allocate@streambuf@@IEAAHXZ +; public: class filebuf * __ptr64 __cdecl filebuf::attach(int) __ptr64 +?attach@filebuf@@QEAAPEAV1@H@Z +; public: void __cdecl fstream::attach(int) __ptr64 +?attach@fstream@@QEAAXH@Z +; public: void __cdecl ifstream::attach(int) __ptr64 +?attach@ifstream@@QEAAXH@Z +; public: void __cdecl ofstream::attach(int) __ptr64 +?attach@ofstream@@QEAAXH@Z +; public: int __cdecl ios::bad(void)const __ptr64 +?bad@ios@@QEBAHXZ +; protected: char * __ptr64 __cdecl streambuf::base(void)const __ptr64 +?base@streambuf@@IEBAPEADXZ +; public: static long const ios::basefield +?basefield@ios@@2JB +; public: static int const filebuf::binary +?binary@filebuf@@2HB +; public: static long __cdecl ios::bitalloc(void) +?bitalloc@ios@@SAJXZ +; protected: int __cdecl streambuf::blen(void)const __ptr64 +?blen@streambuf@@IEBAHXZ +; class ostream_withassign cerr +?cerr@@3Vostream_withassign@@A DATA +; class istream_withassign cin +?cin@@3Vistream_withassign@@A DATA +; public: void __cdecl ios::clear(int) __ptr64 +?clear@ios@@QEAAXH@Z +; class ostream_withassign clog +?clog@@3Vostream_withassign@@A DATA +; public: class filebuf * __ptr64 __cdecl filebuf::close(void) __ptr64 +?close@filebuf@@QEAAPEAV1@XZ +; public: void __cdecl fstream::close(void) __ptr64 +?close@fstream@@QEAAXXZ +; public: void __cdecl ifstream::close(void) __ptr64 +?close@ifstream@@QEAAXXZ +; public: void __cdecl ofstream::close(void) __ptr64 +?close@ofstream@@QEAAXXZ +; public: void __cdecl ios::clrlock(void) __ptr64 +?clrlock@ios@@QEAAXXZ +; public: void __cdecl streambuf::clrlock(void) __ptr64 +?clrlock@streambuf@@QEAAXXZ +; class ostream_withassign cout +?cout@@3Vostream_withassign@@A DATA +; public: void __cdecl streambuf::dbp(void) __ptr64 +?dbp@streambuf@@QEAAXXZ +; class ios & __ptr64 __cdecl dec(class ios & __ptr64) +?dec@@YAAEAVios@@AEAV1@@Z +; public: void __cdecl ios::delbuf(int) __ptr64 +?delbuf@ios@@QEAAXH@Z +; public: int __cdecl ios::delbuf(void)const __ptr64 +?delbuf@ios@@QEBAHXZ +; protected: virtual int __cdecl streambuf::doallocate(void) __ptr64 +?doallocate@streambuf@@MEAAHXZ +; protected: virtual int __cdecl strstreambuf::doallocate(void) __ptr64 +?doallocate@strstreambuf@@MEAAHXZ +; public: void __cdecl istream::eatwhite(void) __ptr64 +?eatwhite@istream@@QEAAXXZ +; protected: char * __ptr64 __cdecl streambuf::eback(void)const __ptr64 +?eback@streambuf@@IEBAPEADXZ +; protected: char * __ptr64 __cdecl streambuf::ebuf(void)const __ptr64 +?ebuf@streambuf@@IEBAPEADXZ +; protected: char * __ptr64 __cdecl streambuf::egptr(void)const __ptr64 +?egptr@streambuf@@IEBAPEADXZ +; class ostream & __ptr64 __cdecl endl(class ostream & __ptr64) +?endl@@YAAEAVostream@@AEAV1@@Z +; class ostream & __ptr64 __cdecl ends(class ostream & __ptr64) +?ends@@YAAEAVostream@@AEAV1@@Z +; public: int __cdecl ios::eof(void)const __ptr64 +?eof@ios@@QEBAHXZ +; protected: char * __ptr64 __cdecl streambuf::epptr(void)const __ptr64 +?epptr@streambuf@@IEBAPEADXZ +; private: static int ios::fLockcInit +?fLockcInit@ios@@0HA DATA +; public: int __cdecl ios::fail(void)const __ptr64 +?fail@ios@@QEBAHXZ +; public: int __cdecl filebuf::fd(void)const __ptr64 +?fd@filebuf@@QEBAHXZ +; public: int __cdecl fstream::fd(void)const __ptr64 +?fd@fstream@@QEBAHXZ +; public: int __cdecl ifstream::fd(void)const __ptr64 +?fd@ifstream@@QEBAHXZ +; public: int __cdecl ofstream::fd(void)const __ptr64 +?fd@ofstream@@QEBAHXZ +; public: char __cdecl ios::fill(char) __ptr64 +?fill@ios@@QEAADD@Z +; public: char __cdecl ios::fill(void)const __ptr64 +?fill@ios@@QEBADXZ +; public: long __cdecl ios::flags(long) __ptr64 +?flags@ios@@QEAAJJ@Z +; public: long __cdecl ios::flags(void)const __ptr64 +?flags@ios@@QEBAJXZ +; public: static long const ios::floatfield +?floatfield@ios@@2JB +; class ostream & __ptr64 __cdecl flush(class ostream & __ptr64) +?flush@@YAAEAVostream@@AEAV1@@Z +; public: class ostream & __ptr64 __cdecl ostream::flush(void) __ptr64 +?flush@ostream@@QEAAAEAV1@XZ +; public: void __cdecl strstreambuf::freeze(int) __ptr64 +?freeze@strstreambuf@@QEAAXH@Z +; protected: void __cdecl streambuf::gbump(int) __ptr64 +?gbump@streambuf@@IEAAXH@Z +; public: int __cdecl istream::gcount(void)const __ptr64 +?gcount@istream@@QEBAHXZ +; protected: class istream & __ptr64 __cdecl istream::get(char * __ptr64,int,int) __ptr64 +?get@istream@@IEAAAEAV1@PEADHH@Z +; public: class istream & __ptr64 __cdecl istream::get(signed char & __ptr64) __ptr64 +?get@istream@@QEAAAEAV1@AEAC@Z +; public: class istream & __ptr64 __cdecl istream::get(char & __ptr64) __ptr64 +?get@istream@@QEAAAEAV1@AEAD@Z +; public: class istream & __ptr64 __cdecl istream::get(unsigned char & __ptr64) __ptr64 +?get@istream@@QEAAAEAV1@AEAE@Z +; public: class istream & __ptr64 __cdecl istream::get(class streambuf & __ptr64,char) __ptr64 +?get@istream@@QEAAAEAV1@AEAVstreambuf@@D@Z +; public: class istream & __ptr64 __cdecl istream::get(signed char * __ptr64,int,char) __ptr64 +?get@istream@@QEAAAEAV1@PEACHD@Z +; public: class istream & __ptr64 __cdecl istream::get(char * __ptr64,int,char) __ptr64 +?get@istream@@QEAAAEAV1@PEADHD@Z +; public: class istream & __ptr64 __cdecl istream::get(unsigned char * __ptr64,int,char) __ptr64 +?get@istream@@QEAAAEAV1@PEAEHD@Z +; public: int __cdecl istream::get(void) __ptr64 +?get@istream@@QEAAHXZ +; private: int __cdecl istream::getdouble(char * __ptr64,int) __ptr64 +?getdouble@istream@@AEAAHPEADH@Z +; private: int __cdecl istream::getint(char * __ptr64) __ptr64 +?getint@istream@@AEAAHPEAD@Z +; public: class istream & __ptr64 __cdecl istream::getline(signed char * __ptr64,int,char) __ptr64 +?getline@istream@@QEAAAEAV1@PEACHD@Z +; public: class istream & __ptr64 __cdecl istream::getline(char * __ptr64,int,char) __ptr64 +?getline@istream@@QEAAAEAV1@PEADHD@Z +; public: class istream & __ptr64 __cdecl istream::getline(unsigned char * __ptr64,int,char) __ptr64 +?getline@istream@@QEAAAEAV1@PEAEHD@Z +; public: int __cdecl ios::good(void)const __ptr64 +?good@ios@@QEBAHXZ +; protected: char * __ptr64 __cdecl streambuf::gptr(void)const __ptr64 +?gptr@streambuf@@IEBAPEADXZ +; class ios & __ptr64 __cdecl hex(class ios & __ptr64) +?hex@@YAAEAVios@@AEAV1@@Z +; public: class istream & __ptr64 __cdecl istream::ignore(int,int) __ptr64 +?ignore@istream@@QEAAAEAV1@HH@Z +; public: int __cdecl streambuf::in_avail(void)const __ptr64 +?in_avail@streambuf@@QEBAHXZ +; protected: void __cdecl ios::init(class streambuf * __ptr64) __ptr64 +?init@ios@@IEAAXPEAVstreambuf@@@Z +; public: int __cdecl istream::ipfx(int) __ptr64 +?ipfx@istream@@QEAAHH@Z +; public: int __cdecl filebuf::is_open(void)const __ptr64 +?is_open@filebuf@@QEBAHXZ +; public: int __cdecl fstream::is_open(void)const __ptr64 +?is_open@fstream@@QEBAHXZ +; public: int __cdecl ifstream::is_open(void)const __ptr64 +?is_open@ifstream@@QEBAHXZ +; public: int __cdecl ofstream::is_open(void)const __ptr64 +?is_open@ofstream@@QEBAHXZ +; public: void __cdecl istream::isfx(void) __ptr64 +?isfx@istream@@QEAAXXZ +; public: long & __ptr64 __cdecl ios::iword(int)const __ptr64 +?iword@ios@@QEBAAEAJH@Z +; public: void __cdecl ios::lock(void) __ptr64 +?lock@ios@@QEAAXXZ +; public: void __cdecl streambuf::lock(void) __ptr64 +?lock@streambuf@@QEAAXXZ +; public: void __cdecl ios::lockbuf(void) __ptr64 +?lockbuf@ios@@QEAAXXZ +; protected: static void __cdecl ios::lockc(void) +?lockc@ios@@KAXXZ +; protected: struct _CRT_CRITICAL_SECTION * __ptr64 __cdecl ios::lockptr(void) __ptr64 +?lockptr@ios@@IEAAPEAU_CRT_CRITICAL_SECTION@@XZ +; protected: struct _CRT_CRITICAL_SECTION * __ptr64 __cdecl streambuf::lockptr(void) __ptr64 +?lockptr@streambuf@@IEAAPEAU_CRT_CRITICAL_SECTION@@XZ +; class ios & __ptr64 __cdecl oct(class ios & __ptr64) +?oct@@YAAEAVios@@AEAV1@@Z +; public: class filebuf * __ptr64 __cdecl filebuf::open(char const * __ptr64,int,int) __ptr64 +?open@filebuf@@QEAAPEAV1@PEBDHH@Z +; public: void __cdecl fstream::open(char const * __ptr64,int,int) __ptr64 +?open@fstream@@QEAAXPEBDHH@Z +; public: void __cdecl ifstream::open(char const * __ptr64,int,int) __ptr64 +?open@ifstream@@QEAAXPEBDHH@Z +; public: void __cdecl ofstream::open(char const * __ptr64,int,int) __ptr64 +?open@ofstream@@QEAAXPEBDHH@Z +; public: static int const filebuf::openprot +?openprot@filebuf@@2HB +; public: int __cdecl ostream::opfx(void) __ptr64 +?opfx@ostream@@QEAAHXZ +; public: void __cdecl ostream::osfx(void) __ptr64 +?osfx@ostream@@QEAAXXZ +; public: int __cdecl streambuf::out_waiting(void)const __ptr64 +?out_waiting@streambuf@@QEBAHXZ +; public: virtual int __cdecl filebuf::overflow(int) __ptr64 +?overflow@filebuf@@UEAAHH@Z +; public: virtual int __cdecl stdiobuf::overflow(int) __ptr64 +?overflow@stdiobuf@@UEAAHH@Z +; public: virtual int __cdecl strstreambuf::overflow(int) __ptr64 +?overflow@strstreambuf@@UEAAHH@Z +; public: virtual int __cdecl stdiobuf::pbackfail(int) __ptr64 +?pbackfail@stdiobuf@@UEAAHH@Z +; public: virtual int __cdecl streambuf::pbackfail(int) __ptr64 +?pbackfail@streambuf@@UEAAHH@Z +; protected: char * __ptr64 __cdecl streambuf::pbase(void)const __ptr64 +?pbase@streambuf@@IEBAPEADXZ +; protected: void __cdecl streambuf::pbump(int) __ptr64 +?pbump@streambuf@@IEAAXH@Z +; public: int __cdecl ostrstream::pcount(void)const __ptr64 +?pcount@ostrstream@@QEBAHXZ +; public: int __cdecl strstream::pcount(void)const __ptr64 +?pcount@strstream@@QEBAHXZ +; public: int __cdecl istream::peek(void) __ptr64 +?peek@istream@@QEAAHXZ +; protected: char * __ptr64 __cdecl streambuf::pptr(void)const __ptr64 +?pptr@streambuf@@IEBAPEADXZ +; public: int __cdecl ios::precision(int) __ptr64 +?precision@ios@@QEAAHH@Z +; public: int __cdecl ios::precision(void)const __ptr64 +?precision@ios@@QEBAHXZ +; public: class ostream & __ptr64 __cdecl ostream::put(signed char) __ptr64 +?put@ostream@@QEAAAEAV1@C@Z +; public: class ostream & __ptr64 __cdecl ostream::put(char) __ptr64 +?put@ostream@@QEAAAEAV1@D@Z +; public: class ostream & __ptr64 __cdecl ostream::put(unsigned char) __ptr64 +?put@ostream@@QEAAAEAV1@E@Z +; public: class istream & __ptr64 __cdecl istream::putback(char) __ptr64 +?putback@istream@@QEAAAEAV1@D@Z +; public: void * __ptr64 & __ptr64 __cdecl ios::pword(int)const __ptr64 +?pword@ios@@QEBAAEAPEAXH@Z +; public: class filebuf * __ptr64 __cdecl fstream::rdbuf(void)const __ptr64 +?rdbuf@fstream@@QEBAPEAVfilebuf@@XZ +; public: class filebuf * __ptr64 __cdecl ifstream::rdbuf(void)const __ptr64 +?rdbuf@ifstream@@QEBAPEAVfilebuf@@XZ +; public: class streambuf * __ptr64 __cdecl ios::rdbuf(void)const __ptr64 +?rdbuf@ios@@QEBAPEAVstreambuf@@XZ +; public: class strstreambuf * __ptr64 __cdecl istrstream::rdbuf(void)const __ptr64 +?rdbuf@istrstream@@QEBAPEAVstrstreambuf@@XZ +; public: class filebuf * __ptr64 __cdecl ofstream::rdbuf(void)const __ptr64 +?rdbuf@ofstream@@QEBAPEAVfilebuf@@XZ +; public: class strstreambuf * __ptr64 __cdecl ostrstream::rdbuf(void)const __ptr64 +?rdbuf@ostrstream@@QEBAPEAVstrstreambuf@@XZ +; public: class stdiobuf * __ptr64 __cdecl stdiostream::rdbuf(void)const __ptr64 +?rdbuf@stdiostream@@QEBAPEAVstdiobuf@@XZ +; public: class strstreambuf * __ptr64 __cdecl strstream::rdbuf(void)const __ptr64 +?rdbuf@strstream@@QEBAPEAVstrstreambuf@@XZ +; public: int __cdecl ios::rdstate(void)const __ptr64 +?rdstate@ios@@QEBAHXZ +; public: class istream & __ptr64 __cdecl istream::read(signed char * __ptr64,int) __ptr64 +?read@istream@@QEAAAEAV1@PEACH@Z +; public: class istream & __ptr64 __cdecl istream::read(char * __ptr64,int) __ptr64 +?read@istream@@QEAAAEAV1@PEADH@Z +; public: class istream & __ptr64 __cdecl istream::read(unsigned char * __ptr64,int) __ptr64 +?read@istream@@QEAAAEAV1@PEAEH@Z +; public: int __cdecl streambuf::sbumpc(void) __ptr64 +?sbumpc@streambuf@@QEAAHXZ +; public: class istream & __ptr64 __cdecl istream::seekg(long) __ptr64 +?seekg@istream@@QEAAAEAV1@J@Z +; public: class istream & __ptr64 __cdecl istream::seekg(long,enum ios::seek_dir) __ptr64 +?seekg@istream@@QEAAAEAV1@JW4seek_dir@ios@@@Z +; public: virtual long __cdecl filebuf::seekoff(long,enum ios::seek_dir,int) __ptr64 +?seekoff@filebuf@@UEAAJJW4seek_dir@ios@@H@Z +; public: virtual long __cdecl stdiobuf::seekoff(long,enum ios::seek_dir,int) __ptr64 +?seekoff@stdiobuf@@UEAAJJW4seek_dir@ios@@H@Z +; public: virtual long __cdecl streambuf::seekoff(long,enum ios::seek_dir,int) __ptr64 +?seekoff@streambuf@@UEAAJJW4seek_dir@ios@@H@Z +; public: virtual long __cdecl strstreambuf::seekoff(long,enum ios::seek_dir,int) __ptr64 +?seekoff@strstreambuf@@UEAAJJW4seek_dir@ios@@H@Z +; public: class ostream & __ptr64 __cdecl ostream::seekp(long) __ptr64 +?seekp@ostream@@QEAAAEAV1@J@Z +; public: class ostream & __ptr64 __cdecl ostream::seekp(long,enum ios::seek_dir) __ptr64 +?seekp@ostream@@QEAAAEAV1@JW4seek_dir@ios@@@Z +; public: virtual long __cdecl streambuf::seekpos(long,int) __ptr64 +?seekpos@streambuf@@UEAAJJH@Z +; protected: void __cdecl streambuf::setb(char * __ptr64,char * __ptr64,int) __ptr64 +?setb@streambuf@@IEAAXPEAD0H@Z +; public: virtual class streambuf * __ptr64 __cdecl filebuf::setbuf(char * __ptr64,int) __ptr64 +?setbuf@filebuf@@UEAAPEAVstreambuf@@PEADH@Z +; public: class streambuf * __ptr64 __cdecl fstream::setbuf(char * __ptr64,int) __ptr64 +?setbuf@fstream@@QEAAPEAVstreambuf@@PEADH@Z +; public: class streambuf * __ptr64 __cdecl ifstream::setbuf(char * __ptr64,int) __ptr64 +?setbuf@ifstream@@QEAAPEAVstreambuf@@PEADH@Z +; public: class streambuf * __ptr64 __cdecl ofstream::setbuf(char * __ptr64,int) __ptr64 +?setbuf@ofstream@@QEAAPEAVstreambuf@@PEADH@Z +; public: virtual class streambuf * __ptr64 __cdecl streambuf::setbuf(char * __ptr64,int) __ptr64 +?setbuf@streambuf@@UEAAPEAV1@PEADH@Z +; public: virtual class streambuf * __ptr64 __cdecl strstreambuf::setbuf(char * __ptr64,int) __ptr64 +?setbuf@strstreambuf@@UEAAPEAVstreambuf@@PEADH@Z +; public: long __cdecl ios::setf(long) __ptr64 +?setf@ios@@QEAAJJ@Z +; public: long __cdecl ios::setf(long,long) __ptr64 +?setf@ios@@QEAAJJJ@Z +; protected: void __cdecl streambuf::setg(char * __ptr64,char * __ptr64,char * __ptr64) __ptr64 +?setg@streambuf@@IEAAXPEAD00@Z +; public: void __cdecl ios::setlock(void) __ptr64 +?setlock@ios@@QEAAXXZ +; public: void __cdecl streambuf::setlock(void) __ptr64 +?setlock@streambuf@@QEAAXXZ +; public: int __cdecl filebuf::setmode(int) __ptr64 +?setmode@filebuf@@QEAAHH@Z +; public: int __cdecl fstream::setmode(int) __ptr64 +?setmode@fstream@@QEAAHH@Z +; public: int __cdecl ifstream::setmode(int) __ptr64 +?setmode@ifstream@@QEAAHH@Z +; public: int __cdecl ofstream::setmode(int) __ptr64 +?setmode@ofstream@@QEAAHH@Z +; protected: void __cdecl streambuf::setp(char * __ptr64,char * __ptr64) __ptr64 +?setp@streambuf@@IEAAXPEAD0@Z +; public: int __cdecl stdiobuf::setrwbuf(int,int) __ptr64 +?setrwbuf@stdiobuf@@QEAAHHH@Z +; public: int __cdecl streambuf::sgetc(void) __ptr64 +?sgetc@streambuf@@QEAAHXZ +; public: int __cdecl streambuf::sgetn(char * __ptr64,int) __ptr64 +?sgetn@streambuf@@QEAAHPEADH@Z +; public: static int const filebuf::sh_none +?sh_none@filebuf@@2HB +; public: static int const filebuf::sh_read +?sh_read@filebuf@@2HB +; public: static int const filebuf::sh_write +?sh_write@filebuf@@2HB +; public: int __cdecl streambuf::snextc(void) __ptr64 +?snextc@streambuf@@QEAAHXZ +; public: int __cdecl streambuf::sputbackc(char) __ptr64 +?sputbackc@streambuf@@QEAAHD@Z +; public: int __cdecl streambuf::sputc(int) __ptr64 +?sputc@streambuf@@QEAAHH@Z +; public: int __cdecl streambuf::sputn(char const * __ptr64,int) __ptr64 +?sputn@streambuf@@QEAAHPEBDH@Z +; public: struct _iobuf * __ptr64 __cdecl stdiobuf::stdiofile(void) __ptr64 +?stdiofile@stdiobuf@@QEAAPEAU_iobuf@@XZ +; public: void __cdecl streambuf::stossc(void) __ptr64 +?stossc@streambuf@@QEAAXXZ +; public: char * __ptr64 __cdecl istrstream::str(void) __ptr64 +?str@istrstream@@QEAAPEADXZ +; public: char * __ptr64 __cdecl ostrstream::str(void) __ptr64 +?str@ostrstream@@QEAAPEADXZ +; public: char * __ptr64 __cdecl strstream::str(void) __ptr64 +?str@strstream@@QEAAPEADXZ +; public: char * __ptr64 __cdecl strstreambuf::str(void) __ptr64 +?str@strstreambuf@@QEAAPEADXZ +; private: static int ios::sunk_with_stdio +?sunk_with_stdio@ios@@0HA DATA +; public: virtual int __cdecl filebuf::sync(void) __ptr64 +?sync@filebuf@@UEAAHXZ +; public: int __cdecl istream::sync(void) __ptr64 +?sync@istream@@QEAAHXZ +; public: virtual int __cdecl stdiobuf::sync(void) __ptr64 +?sync@stdiobuf@@UEAAHXZ +; public: virtual int __cdecl streambuf::sync(void) __ptr64 +?sync@streambuf@@UEAAHXZ +; public: virtual int __cdecl strstreambuf::sync(void) __ptr64 +?sync@strstreambuf@@UEAAHXZ +; public: static void __cdecl ios::sync_with_stdio(void) +?sync_with_stdio@ios@@SAXXZ +; public: long __cdecl istream::tellg(void) __ptr64 +?tellg@istream@@QEAAJXZ +; public: long __cdecl ostream::tellp(void) __ptr64 +?tellp@ostream@@QEAAJXZ +; public: static int const filebuf::text +?text@filebuf@@2HB +; public: class ostream * __ptr64 __cdecl ios::tie(class ostream * __ptr64) __ptr64 +?tie@ios@@QEAAPEAVostream@@PEAV2@@Z +; public: class ostream * __ptr64 __cdecl ios::tie(void)const __ptr64 +?tie@ios@@QEBAPEAVostream@@XZ +; protected: void __cdecl streambuf::unbuffered(int) __ptr64 +?unbuffered@streambuf@@IEAAXH@Z +; protected: int __cdecl streambuf::unbuffered(void)const __ptr64 +?unbuffered@streambuf@@IEBAHXZ +; public: virtual int __cdecl filebuf::underflow(void) __ptr64 +?underflow@filebuf@@UEAAHXZ +; public: virtual int __cdecl stdiobuf::underflow(void) __ptr64 +?underflow@stdiobuf@@UEAAHXZ +; public: virtual int __cdecl strstreambuf::underflow(void) __ptr64 +?underflow@strstreambuf@@UEAAHXZ +; public: void __cdecl ios::unlock(void) __ptr64 +?unlock@ios@@QEAAXXZ +; public: void __cdecl streambuf::unlock(void) __ptr64 +?unlock@streambuf@@QEAAXXZ +; public: void __cdecl ios::unlockbuf(void) __ptr64 +?unlockbuf@ios@@QEAAXXZ +; protected: static void __cdecl ios::unlockc(void) +?unlockc@ios@@KAXXZ +; public: long __cdecl ios::unsetf(long) __ptr64 +?unsetf@ios@@QEAAJJ@Z +; public: virtual char const * __ptr64 __cdecl exception::what(void)const __ptr64 +?what@exception@@UEBAPEBDXZ +; public: int __cdecl ios::width(int) __ptr64 +?width@ios@@QEAAHH@Z +; public: int __cdecl ios::width(void)const __ptr64 +?width@ios@@QEBAHXZ +; public: class ostream & __ptr64 __cdecl ostream::write(signed char const * __ptr64,int) __ptr64 +?write@ostream@@QEAAAEAV1@PEBCH@Z +; public: class ostream & __ptr64 __cdecl ostream::write(char const * __ptr64,int) __ptr64 +?write@ostream@@QEAAAEAV1@PEBDH@Z +; public: class ostream & __ptr64 __cdecl ostream::write(unsigned char const * __ptr64,int) __ptr64 +?write@ostream@@QEAAAEAV1@PEBEH@Z +; private: class ostream & __ptr64 __cdecl ostream::writepad(char const * __ptr64,char const * __ptr64) __ptr64 +?writepad@ostream@@AEAAAEAV1@PEBD0@Z +; class istream & __ptr64 __cdecl ws(class istream & __ptr64) +?ws@@YAAEAVistream@@AEAV1@@Z +; private: static int ios::x_curindex +?x_curindex@ios@@0HA DATA +; private: static struct _CRT_CRITICAL_SECTION ios::x_lockc +?x_lockc@ios@@0U_CRT_CRITICAL_SECTION@@A DATA +; private: static long ios::x_maxbit +?x_maxbit@ios@@0JA DATA +; private: static long * ios::x_statebuf +?x_statebuf@ios@@0PAJA DATA +; public: static int __cdecl ios::xalloc(void) +?xalloc@ios@@SAHXZ +; public: virtual int __cdecl streambuf::xsgetn(char * __ptr64,int) __ptr64 +?xsgetn@streambuf@@UEAAHPEADH@Z +; public: virtual int __cdecl streambuf::xsputn(char const * __ptr64,int) __ptr64 +?xsputn@streambuf@@UEAAHPEBDH@Z +__dummy_export DATA +_mtlock +_mtunlock diff --git a/lib/libc/mingw/lib64/msvidc32.def b/lib/libc/mingw/lib64/msvidc32.def new file mode 100644 index 0000000000..ad7601a4cf --- /dev/null +++ b/lib/libc/mingw/lib64/msvidc32.def @@ -0,0 +1,9 @@ +; +; Exports of file MSVIDC32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSVIDC32.dll +EXPORTS +DriverProc diff --git a/lib/libc/mingw/lib64/msw3prt.def b/lib/libc/mingw/lib64/msw3prt.def new file mode 100644 index 0000000000..a08b9cc30e --- /dev/null +++ b/lib/libc/mingw/lib64/msw3prt.def @@ -0,0 +1,10 @@ +; +; Exports of file MSW3PRT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MSW3PRT.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc diff --git a/lib/libc/mingw/lib64/mtxclu.def b/lib/libc/mingw/lib64/mtxclu.def new file mode 100644 index 0000000000..0e61a53761 --- /dev/null +++ b/lib/libc/mingw/lib64/mtxclu.def @@ -0,0 +1,93 @@ +; +; Exports of file MTXCLU.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MTXCLU.DLL +EXPORTS +MtxCluBringOnlineDTC2A +MtxCluBringOnlineDTC2W +MtxCluBringOnlineDTCA +MtxCluBringOnlineDTCW +MtxCluCheckIfOkToStartDtc +MtxCluCheckPointCryptoW +MtxCluCheckpointRegistryA +MtxCluCheckpointRegistryW +MtxCluCloseNodeNotify +MtxCluCreateDtcResourceKeyW +MtxCluCreateDtcResourceValueW +MtxCluCreateDtcResourceW +MtxCluCreateRecommendedLogInfo +MtxCluDeleteDtcResourceKeyW +MtxCluDeleteDtcResourceValueW +MtxCluDoesDTCResourceExistA +MtxCluDoesDTCResourceExistW +MtxCluGetComputerNameA +MtxCluGetComputerNameW +MtxCluGetDTCInstallState +MtxCluGetDTCInstallVersion +MtxCluGetDTCIpAddressA +MtxCluGetDTCIpAddressW +MtxCluGetDTCLogPathA +MtxCluGetDTCLogPathW +MtxCluGetDTCLogSizeA +MtxCluGetDTCLogSizeW +MtxCluGetDTCOwnerA +MtxCluGetDTCOwnerW +MtxCluGetDTCStatusA +MtxCluGetDTCStatusW +MtxCluGetDTCVirtualServerNameA +MtxCluGetDTCVirtualServerNameW +MtxCluGetDtcUserInfo +MtxCluGetJoinMasterA +MtxCluGetJoinMasterW +MtxCluGetListOfSharedDisksA +MtxCluGetListOfSharedDisksOnVirtualServerA +MtxCluGetListOfSharedDisksOnVirtualServerW +MtxCluGetListOfSharedDisksW +MtxCluGetListOfVirtualServersA +MtxCluGetListOfVirtualServersW +MtxCluGetNewCryptoKey +MtxCluGetNodeClusterStateW +MtxCluGetSecurityRegValue +MtxCluInitialize +MtxCluIsClusterPresent +MtxCluIsClusterPresentExA +MtxCluIsClusterPresentExW +MtxCluIsNetworkNameInLocalClusterW +MtxCluIsSameClusterW +MtxCluIsSameNodeA +MtxCluIsSameNodeW +MtxCluIsSharedDiskA +MtxCluIsSharedDiskW +MtxCluIsVirtualServerInLocalClusterA +MtxCluIsVirtualServerInLocalClusterW +MtxCluJoinDTCResource +MtxCluListNodesA +MtxCluListNodesW +MtxCluMoveDTCGroupA +MtxCluMoveDTCGroupW +MtxCluNodeNotifyA +MtxCluNodeNotifyW +MtxCluQueryDtcResourceValueW +MtxCluRegisterDTCResourceA +MtxCluRegisterDTCResourceW +MtxCluRemoveAllRegistryCheckpoints +MtxCluRemoveCheckpointRegistryA +MtxCluRemoveCheckpointRegistryW +MtxCluSetDTCLogPathA +MtxCluSetDTCLogPathW +MtxCluSetDTCLogSizeA +MtxCluSetDTCLogSizeW +MtxCluSetDtcUserInfo +MtxCluSetNewCryptoKey +MtxCluSetSecurityRegValue +MtxCluTakeOfflineDTC2W +MtxCluTakeOfflineDTCA +MtxCluTakeOfflineDTCW +MtxCluUninitialize +MtxCluUpgradeDtcResourceW +Startup +WasDTCInstalledBySQL +DllMain diff --git a/lib/libc/mingw/lib64/mtxex.def b/lib/libc/mingw/lib64/mtxex.def new file mode 100644 index 0000000000..27284e37a2 --- /dev/null +++ b/lib/libc/mingw/lib64/mtxex.def @@ -0,0 +1,12 @@ +; +; Exports of file mtxex.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY mtxex.dll +EXPORTS +DllGetClassObject +GetObjectContext +MTSCreateActivity +SafeRef diff --git a/lib/libc/mingw/lib64/mtxoci.def b/lib/libc/mingw/lib64/mtxoci.def new file mode 100644 index 0000000000..640a2a6322 --- /dev/null +++ b/lib/libc/mingw/lib64/mtxoci.def @@ -0,0 +1,48 @@ +; +; Exports of file MTxOCI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY MTxOCI.dll +EXPORTS +obndra +obndrn +obndrv +obreak +ocan +oclose +ocof +ocom +ocon +odefin +odescr +odessp +oerhms +oermsg +oexec +oexfet +oexn +ofen +ofetch +oflng +olog +ologof +DllRegisterServer +DllUnregisterServer +oopen +oopt +oparse +orol +obindps +odefinps +ogetpi +osetpi +opinit +ologTransacted +Enlist +GetXaSwitch +MTxOciInit +MTxolog +MTxOciGetVersion +MTxOciRegisterCursor diff --git a/lib/libc/mingw/lib64/ncxpnt.def b/lib/libc/mingw/lib64/ncxpnt.def new file mode 100644 index 0000000000..c2a2483619 --- /dev/null +++ b/lib/libc/mingw/lib64/ncxpnt.def @@ -0,0 +1,31 @@ +; +; Exports of file NCXP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NCXP.dll +EXPORTS +EnableAutodial +GetDefaultDialupConnection +IsAutodialEnabled +SetDefaultDialupConnection +TestRunDll +DisableUserLevelAccessControl +EnumMatchingNetBindings +EnumNetAdapters +HrEnableDhcp +HrFromLastWin32Error +HrWideCharToMultiByte +InstallMSClient +InstallSharing +InstallTCPIP +IsAccessControlUserLevel +IsAdapterDisconnected +IsClientInstalled +IsMSClientInstalled +IsProtocolInstalled +IsSharingInstalled +NetConnAlloc +NetConnFree +RestartNetAdapter diff --git a/lib/libc/mingw/lib64/nddenb32.def b/lib/libc/mingw/lib64/nddenb32.def new file mode 100644 index 0000000000..bb67332765 --- /dev/null +++ b/lib/libc/mingw/lib64/nddenb32.def @@ -0,0 +1,23 @@ +; +; Exports of file NDDENB32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NDDENB32.dll +EXPORTS +NDDEInit +NDDEGetCAPS +NDDEGetNewConnection +NDDEAddConnection +NDDEDeleteConnection +NDDEGetConnectionStatus +NDDERcvPacket +NDDEXmtPacket +NDDESetConnectionConfig +NDDEShutdown +NDDETimeSlice +NDDEGetConnectionConfig +Configure +LogDebugInfo +ConfigureDlgProc diff --git a/lib/libc/mingw/lib64/ndisnpp.def b/lib/libc/mingw/lib64/ndisnpp.def new file mode 100644 index 0000000000..089c524029 --- /dev/null +++ b/lib/libc/mingw/lib64/ndisnpp.def @@ -0,0 +1,13 @@ +; +; Exports of file NDISNPP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NDISNPP.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetNPPBlobs diff --git a/lib/libc/mingw/lib64/netcfgx.def b/lib/libc/mingw/lib64/netcfgx.def new file mode 100644 index 0000000000..4b7bba50d4 --- /dev/null +++ b/lib/libc/mingw/lib64/netcfgx.def @@ -0,0 +1,26 @@ +; +; Exports of file netcfgx.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY netcfgx.dll +EXPORTS +; public: struct WLBS_REG_PARAMS & __ptr64 __cdecl WLBS_REG_PARAMS::operator=(struct WLBS_REG_PARAMS const & __ptr64) __ptr64 +??4WLBS_REG_PARAMS@@QEAAAEAU0@AEBU0@@Z +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +HrDiAddComponentToINetCfg +LanaCfgFromCommandArgs +ModemClassCoInstaller +NetCfgDiagFromCommandArgs +NetCfgDiagRepairRegistryBindings +NetClassInstaller +NetPropPageProvider +RasAddBindings +RasCountBindings +RasRemoveBindings +SvchostChangeSvchostGroup +UpdateLanaConfigUsingAnswerfile diff --git a/lib/libc/mingw/lib64/netjoin.def b/lib/libc/mingw/lib64/netjoin.def new file mode 100644 index 0000000000..c90c86bfeb --- /dev/null +++ b/lib/libc/mingw/lib64/netjoin.def @@ -0,0 +1,52 @@ +; +; Definition file of netjoin.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "netjoin.dll" +EXPORTS +NetProvisionComputerAccount +NetRequestOfflineDomainJoin +NetSetuppCloseLog +NetSetuppOpenLog +NetpAvoidNetlogonSpnSet +NetpChangeMachineName +NetpCheckOfflineLsaPolicyUpdate +NetpCompleteOfflineDomainJoin +NetpControlServices +NetpCrackNamesStatus2Win32Error +NetpCreateComputerObjectInDs +NetpDecodeProvisioningBlob +NetpDecodeProvisioningData +NetpDoDomainJoin +NetpDoInitiateOfflineDomainJoin +NetpDomainJoinLicensingCheck +NetpDumpBlobToLog +NetpDumpDcInfoToLog +NetpDumpDnsDomainInfoToLog +NetpEncodeProvisionData +NetpEncodeProvisioningBlob +NetpFreeLdapLsaDomainInfo +NetpFreeODJBlob +NetpGetJoinInformation +NetpGetListOfJoinableOUs +NetpGetLogIndentPrefixString +NetpGetLsaPrimaryDomain +NetpGetMachineAccountName +NetpGetNewMachineName +NetpInitAndPickleBlobWin7 +NetpIsSetupInProgress +NetpLogPrintHelper +NetpMachineValidToJoin +NetpManageIPCConnect +NetpManageMachineAccountWithSid +NetpProvisionComputerAccount +NetpQueryService +NetpSeparateUserAndDomain +NetpSetComputerAccountPassword +NetpStopService +NetpStoreInitialDcRecord +NetpUnJoinDomain +NetpUnpickleBlobWin7 +NetpUpgradePreNT5JoinInfo +NetpValidateName diff --git a/lib/libc/mingw/lib64/netlogon.def b/lib/libc/mingw/lib64/netlogon.def new file mode 100644 index 0000000000..b4eeceae8a --- /dev/null +++ b/lib/libc/mingw/lib64/netlogon.def @@ -0,0 +1,33 @@ +; +; Exports of file NETLOGON.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETLOGON.dll +EXPORTS +DsrGetDcNameEx2 +I_DsGetDcCache +I_NetLogonAddressToSiteName +I_NetLogonAppendChangeLog +I_NetLogonCloseChangeLog +I_NetLogonFree +I_NetLogonGetAuthDataEx +I_NetLogonGetIpAddresses +I_NetLogonGetSerialNumber +I_NetLogonLdapLookupEx +I_NetLogonMixedDomain +I_NetLogonNewChangeLog +I_NetLogonReadChangeLog +I_NetLogonSendToSamOnPdc +I_NetLogonSetServiceBits +I_NetNotifyDelta +I_NetNotifyDsChange +I_NetNotifyMachineAccount +I_NetNotifyNetlogonDllHandle +I_NetNotifyNtdsDsaDeletion +I_NetNotifyRole +I_NetNotifyTrustedDomain +InitSecurityInterfaceW +NetILogonSamLogon +NlNetlogonMain diff --git a/lib/libc/mingw/lib64/netman.def b/lib/libc/mingw/lib64/netman.def new file mode 100644 index 0000000000..f4408701be --- /dev/null +++ b/lib/libc/mingw/lib64/netman.def @@ -0,0 +1,20 @@ +; +; Exports of file netman.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY netman.dll +EXPORTS +GetClientAdvises +DllRegisterServer +DllUnregisterServer +HrGetPnpDeviceStatus +HrLanConnectionNameFromGuidOrPath +HrPnpInstanceIdFromGuid +HrQueryLanMediaState +HrRasConnectionNameFromGuid +NetManDiagFromCommandArgs +ProcessQueue +RasEventNotify +ServiceMain diff --git a/lib/libc/mingw/lib64/netoc.def b/lib/libc/mingw/lib64/netoc.def new file mode 100644 index 0000000000..c8774015ff --- /dev/null +++ b/lib/libc/mingw/lib64/netoc.def @@ -0,0 +1,9 @@ +; +; Exports of file netoc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY netoc.dll +EXPORTS +NetOcSetupProc diff --git a/lib/libc/mingw/lib64/netplwiz.def b/lib/libc/mingw/lib64/netplwiz.def new file mode 100644 index 0000000000..b1d35d5974 --- /dev/null +++ b/lib/libc/mingw/lib64/netplwiz.def @@ -0,0 +1,22 @@ +; +; Exports of file NETPLWIZ.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETPLWIZ.dll +EXPORTS +AddNetPlaceRunDll +PassportWizardRunDll +PublishRunDll +UsersRunDll +ClearAutoLogon +DllCanUnloadNow +DllGetClassObject +DllInstall +DllMain +DllRegisterServer +DllUnregisterServer +NetAccessWizard +NetPlacesWizardDoModal +SHDisconnectNetDrives diff --git a/lib/libc/mingw/lib64/netrap.def b/lib/libc/mingw/lib64/netrap.def new file mode 100644 index 0000000000..6667abb918 --- /dev/null +++ b/lib/libc/mingw/lib64/netrap.def @@ -0,0 +1,22 @@ +; +; Exports of file NETRAP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETRAP.dll +EXPORTS +RapArrayLength +RapAsciiToDecimal +RapAuxDataCount +RapAuxDataCountOffset +RapConvertSingleEntry +RapConvertSingleEntryEx +RapExamineDescriptor +RapGetFieldSize +RapIsValidDescriptorSmb +RapLastPointerOffset +RapParmNumDescriptor +RapStructureAlignment +RapStructureSize +RapTotalSize diff --git a/lib/libc/mingw/lib64/netui0.def b/lib/libc/mingw/lib64/netui0.def new file mode 100644 index 0000000000..2fcfe5b352 --- /dev/null +++ b/lib/libc/mingw/lib64/netui0.def @@ -0,0 +1,1079 @@ +; +; Exports of file NETUI0.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETUI0.dll +EXPORTS +; public: __cdecl ALIAS_STR::ALIAS_STR(unsigned short const * __ptr64) __ptr64 +??0ALIAS_STR@@QEAA@PEBG@Z +; public: __cdecl ALLOC_STR::ALLOC_STR(unsigned short * __ptr64,unsigned int,unsigned short const * __ptr64) __ptr64 +??0ALLOC_STR@@QEAA@PEAGIPEBG@Z +; protected: __cdecl BASE::BASE(void) __ptr64 +??0BASE@@IEAA@XZ +; public: __cdecl BITFIELD::BITFIELD(class BITFIELD const & __ptr64) __ptr64 +??0BITFIELD@@QEAA@AEBV0@@Z +; public: __cdecl BITFIELD::BITFIELD(unsigned short) __ptr64 +??0BITFIELD@@QEAA@G@Z +; public: __cdecl BITFIELD::BITFIELD(unsigned int,enum BITVALUES) __ptr64 +??0BITFIELD@@QEAA@IW4BITVALUES@@@Z +; public: __cdecl BITFIELD::BITFIELD(unsigned long) __ptr64 +??0BITFIELD@@QEAA@K@Z +; public: __cdecl BITFIELD::BITFIELD(unsigned char const * __ptr64,unsigned int,unsigned int) __ptr64 +??0BITFIELD@@QEAA@PEBEII@Z +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl CHAR_STRING::CHAR_STRING(unsigned short const * __ptr64,unsigned int) __ptr64 +??0CHAR_STRING@@QEAA@PEBGI@Z +; public: __cdecl DBGSTREAM::DBGSTREAM(class OUTPUTSINK * __ptr64) __ptr64 +??0DBGSTREAM@@QEAA@PEAVOUTPUTSINK@@@Z +; public: __cdecl DEC_STR::DEC_STR(unsigned long,unsigned int) __ptr64 +??0DEC_STR@@QEAA@KI@Z +; public: __cdecl DFSITER_TREE::DFSITER_TREE(class DFSITER_TREE const * __ptr64) __ptr64 +??0DFSITER_TREE@@QEAA@PEBV0@@Z +; public: __cdecl DFSITER_TREE::DFSITER_TREE(class TREE const * __ptr64,unsigned int) __ptr64 +??0DFSITER_TREE@@QEAA@PEBVTREE@@I@Z +; public: __cdecl DIR_BLOCK::DIR_BLOCK(void) __ptr64 +??0DIR_BLOCK@@QEAA@XZ +; public: __cdecl DLIST::DLIST(void) __ptr64 +??0DLIST@@QEAA@XZ +; public: __cdecl DL_NODE::DL_NODE(class DL_NODE * __ptr64,class DL_NODE * __ptr64,void * __ptr64) __ptr64 +??0DL_NODE@@QEAA@PEAV0@0PEAX@Z +; public: __cdecl ELAPSED_TIME_STR::ELAPSED_TIME_STR(unsigned long,unsigned short,int) __ptr64 +??0ELAPSED_TIME_STR@@QEAA@KGH@Z +; public: __cdecl FMX::FMX(struct HWND__ * __ptr64) __ptr64 +??0FMX@@QEAA@PEAUHWND__@@@Z +; protected: __cdecl FORWARDING_BASE::FORWARDING_BASE(class BASE * __ptr64) __ptr64 +??0FORWARDING_BASE@@IEAA@PEAVBASE@@@Z +; protected: __cdecl FS_ENUM::FS_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,enum FILE_TYPE,int,unsigned int) __ptr64 +??0FS_ENUM@@IEAA@PEBG0W4FILE_TYPE@@HI@Z +; protected: __cdecl HEAP_BASE::HEAP_BASE(int,int) __ptr64 +??0HEAP_BASE@@IEAA@HH@Z +; public: __cdecl HEX_STR::HEX_STR(unsigned long,unsigned int) __ptr64 +??0HEX_STR@@QEAA@KI@Z +; public: __cdecl HUATOM::HUATOM(unsigned short const * __ptr64,int) __ptr64 +??0HUATOM@@QEAA@PEBGH@Z +; public: __cdecl INTL_PROFILE::INTL_PROFILE(void) __ptr64 +??0INTL_PROFILE@@QEAA@XZ +; public: __cdecl ISTR::ISTR(class ISTR const & __ptr64) __ptr64 +??0ISTR@@QEAA@AEBV0@@Z +; public: __cdecl ISTR::ISTR(class NLS_STR const & __ptr64) __ptr64 +??0ISTR@@QEAA@AEBVNLS_STR@@@Z +; public: __cdecl ITER_DL::ITER_DL(class ITER_DL const & __ptr64) __ptr64 +??0ITER_DL@@QEAA@AEBV0@@Z +; public: __cdecl ITER_DL::ITER_DL(class DLIST * __ptr64) __ptr64 +??0ITER_DL@@QEAA@PEAVDLIST@@@Z +; public: __cdecl ITER_L::ITER_L(void) __ptr64 +??0ITER_L@@QEAA@XZ +; public: __cdecl ITER_SL::ITER_SL(class ITER_SL const & __ptr64) __ptr64 +??0ITER_SL@@QEAA@AEBV0@@Z +; public: __cdecl ITER_SL::ITER_SL(class SLIST * __ptr64) __ptr64 +??0ITER_SL@@QEAA@PEAVSLIST@@@Z +; public: __cdecl ITER_SL_DIR_BLOCK::ITER_SL_DIR_BLOCK(class SLIST & __ptr64) __ptr64 +??0ITER_SL_DIR_BLOCK@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_NLS_STR::ITER_SL_NLS_STR(class SLIST & __ptr64) __ptr64 +??0ITER_SL_NLS_STR@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_NLS_STR::ITER_SL_NLS_STR(class ITER_SL_NLS_STR const & __ptr64) __ptr64 +??0ITER_SL_NLS_STR@@QEAA@AEBV0@@Z +; public: __cdecl ITER_STRLIST::ITER_STRLIST(class STRLIST & __ptr64) __ptr64 +??0ITER_STRLIST@@QEAA@AEAVSTRLIST@@@Z +; public: __cdecl ITER_STRLIST::ITER_STRLIST(class ITER_STRLIST const & __ptr64) __ptr64 +??0ITER_STRLIST@@QEAA@AEBV0@@Z +; public: __cdecl LOGON_HOURS_SETTING::LOGON_HOURS_SETTING(class LOGON_HOURS_SETTING const & __ptr64) __ptr64 +??0LOGON_HOURS_SETTING@@QEAA@AEBV0@@Z +; public: __cdecl LOGON_HOURS_SETTING::LOGON_HOURS_SETTING(unsigned char const * __ptr64,unsigned int) __ptr64 +??0LOGON_HOURS_SETTING@@QEAA@PEBEI@Z +; protected: __cdecl NLS_STR::NLS_STR(unsigned short * __ptr64,unsigned int,int) __ptr64 +??0NLS_STR@@IEAA@PEAGIH@Z +; public: __cdecl NLS_STR::NLS_STR(class NLS_STR const & __ptr64) __ptr64 +??0NLS_STR@@QEAA@AEBV0@@Z +; public: __cdecl NLS_STR::NLS_STR(unsigned int) __ptr64 +??0NLS_STR@@QEAA@I@Z +; public: __cdecl NLS_STR::NLS_STR(unsigned short const * __ptr64) __ptr64 +??0NLS_STR@@QEAA@PEBG@Z +; public: __cdecl NLS_STR::NLS_STR(unsigned short const * __ptr64,unsigned short) __ptr64 +??0NLS_STR@@QEAA@PEBGG@Z +; public: __cdecl NLS_STR::NLS_STR(void) __ptr64 +??0NLS_STR@@QEAA@XZ +; public: __cdecl NUM_NLS_STR::NUM_NLS_STR(unsigned long) __ptr64 +??0NUM_NLS_STR@@QEAA@K@Z +; public: __cdecl ONE_SHOT_HEAP::ONE_SHOT_HEAP(unsigned int,int) __ptr64 +??0ONE_SHOT_HEAP@@QEAA@IH@Z +; public: __cdecl REG_KEY::REG_KEY(class REG_KEY & __ptr64) __ptr64 +??0REG_KEY@@QEAA@AEAV0@@Z +; public: __cdecl REG_KEY::REG_KEY(class REG_KEY & __ptr64,class NLS_STR const & __ptr64,unsigned long) __ptr64 +??0REG_KEY@@QEAA@AEAV0@AEBVNLS_STR@@K@Z +; public: __cdecl REG_KEY::REG_KEY(class REG_KEY & __ptr64,class NLS_STR const & __ptr64,class REG_KEY_CREATE_STRUCT * __ptr64) __ptr64 +??0REG_KEY@@QEAA@AEAV0@AEBVNLS_STR@@PEAVREG_KEY_CREATE_STRUCT@@@Z +; public: __cdecl REG_KEY::REG_KEY(class NLS_STR const & __ptr64,unsigned long) __ptr64 +??0REG_KEY@@QEAA@AEBVNLS_STR@@K@Z +; public: __cdecl REG_KEY::REG_KEY(struct HKEY__ * __ptr64,unsigned long) __ptr64 +??0REG_KEY@@QEAA@PEAUHKEY__@@K@Z +; public: __cdecl REG_KEY::REG_KEY(struct HKEY__ * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0REG_KEY@@QEAA@PEAUHKEY__@@PEBGK@Z +; public: __cdecl REG_KEY_CREATE_STRUCT::REG_KEY_CREATE_STRUCT(void) __ptr64 +??0REG_KEY_CREATE_STRUCT@@QEAA@XZ +; public: __cdecl REG_KEY_INFO_STRUCT::REG_KEY_INFO_STRUCT(void) __ptr64 +??0REG_KEY_INFO_STRUCT@@QEAA@XZ +; public: __cdecl REG_VALUE_INFO_STRUCT::REG_VALUE_INFO_STRUCT(void) __ptr64 +??0REG_VALUE_INFO_STRUCT@@QEAA@XZ +; public: __cdecl RESOURCE_STR::RESOURCE_STR(long,struct HINSTANCE__ * __ptr64) __ptr64 +??0RESOURCE_STR@@QEAA@JPEAUHINSTANCE__@@@Z +; public: __cdecl RITER_DL::RITER_DL(class RITER_DL const & __ptr64) __ptr64 +??0RITER_DL@@QEAA@AEBV0@@Z +; public: __cdecl RITER_DL::RITER_DL(class DLIST * __ptr64) __ptr64 +??0RITER_DL@@QEAA@PEAVDLIST@@@Z +; public: __cdecl SLIST::SLIST(void) __ptr64 +??0SLIST@@QEAA@XZ +; public: __cdecl SLIST_OF_DIR_BLOCK::SLIST_OF_DIR_BLOCK(int) __ptr64 +??0SLIST_OF_DIR_BLOCK@@QEAA@H@Z +; public: __cdecl SLIST_OF_NLS_STR::SLIST_OF_NLS_STR(int) __ptr64 +??0SLIST_OF_NLS_STR@@QEAA@H@Z +; public: __cdecl SL_NODE::SL_NODE(class SL_NODE * __ptr64,void * __ptr64) __ptr64 +??0SL_NODE@@QEAA@PEAV0@PEAX@Z +; public: __cdecl STRLIST::STRLIST(class NLS_STR const & __ptr64,class NLS_STR const & __ptr64,int) __ptr64 +??0STRLIST@@QEAA@AEBVNLS_STR@@0H@Z +; public: __cdecl STRLIST::STRLIST(int) __ptr64 +??0STRLIST@@QEAA@H@Z +; public: __cdecl STRLIST::STRLIST(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0STRLIST@@QEAA@PEBG0H@Z +; public: __cdecl TCHAR_STR::TCHAR_STR(unsigned short) __ptr64 +??0TCHAR_STR@@QEAA@G@Z +; public: __cdecl TCHAR_STR_IMPL::TCHAR_STR_IMPL(unsigned short) __ptr64 +??0TCHAR_STR_IMPL@@QEAA@G@Z +; public: __cdecl TREE::TREE(void * __ptr64) __ptr64 +??0TREE@@QEAA@PEAX@Z +; public: __cdecl UATOM::UATOM(class NLS_STR & __ptr64) __ptr64 +??0UATOM@@QEAA@AEAVNLS_STR@@@Z +; public: __cdecl UATOM_LINKAGE::UATOM_LINKAGE(void) __ptr64 +??0UATOM_LINKAGE@@QEAA@XZ +; private: __cdecl UATOM_MANAGER::UATOM_MANAGER(void) __ptr64 +??0UATOM_MANAGER@@AEAA@XZ +; public: __cdecl UATOM_REGION::UATOM_REGION(void) __ptr64 +??0UATOM_REGION@@QEAA@XZ +; public: __cdecl W32_DIR_BLOCK::W32_DIR_BLOCK(void) __ptr64 +??0W32_DIR_BLOCK@@QEAA@XZ +; public: __cdecl W32_FS_ENUM::W32_FS_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,enum FILE_TYPE,int,unsigned int) __ptr64 +??0W32_FS_ENUM@@QEAA@PEBG0W4FILE_TYPE@@HI@Z +; public: __cdecl WCHAR_STRING::WCHAR_STRING(char const * __ptr64,unsigned int) __ptr64 +??0WCHAR_STRING@@QEAA@PEBDI@Z +; public: __cdecl WIN_TIME::WIN_TIME(int) __ptr64 +??0WIN_TIME@@QEAA@H@Z +; public: __cdecl WIN_TIME::WIN_TIME(unsigned long,int) __ptr64 +??0WIN_TIME@@QEAA@KH@Z +; public: __cdecl WIN_TIME::WIN_TIME(struct _FILETIME,int) __ptr64 +??0WIN_TIME@@QEAA@U_FILETIME@@H@Z +; public: __cdecl ALIAS_STR::~ALIAS_STR(void) __ptr64 +??1ALIAS_STR@@QEAA@XZ +; public: __cdecl BITFIELD::~BITFIELD(void) __ptr64 +??1BITFIELD@@QEAA@XZ +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl CHAR_STRING::~CHAR_STRING(void) __ptr64 +??1CHAR_STRING@@QEAA@XZ +; public: __cdecl DBGSTREAM::~DBGSTREAM(void) __ptr64 +??1DBGSTREAM@@QEAA@XZ +; public: __cdecl DEC_STR::~DEC_STR(void) __ptr64 +??1DEC_STR@@QEAA@XZ +; public: __cdecl DFSITER_TREE::~DFSITER_TREE(void) __ptr64 +??1DFSITER_TREE@@QEAA@XZ +; public: virtual __cdecl DIR_BLOCK::~DIR_BLOCK(void) __ptr64 +??1DIR_BLOCK@@UEAA@XZ +; public: __cdecl DLIST::~DLIST(void) __ptr64 +??1DLIST@@QEAA@XZ +; public: __cdecl ELAPSED_TIME_STR::~ELAPSED_TIME_STR(void) __ptr64 +??1ELAPSED_TIME_STR@@QEAA@XZ +; public: virtual __cdecl FS_ENUM::~FS_ENUM(void) __ptr64 +??1FS_ENUM@@UEAA@XZ +; protected: __cdecl HEAP_BASE::~HEAP_BASE(void) __ptr64 +??1HEAP_BASE@@IEAA@XZ +; public: __cdecl ITER_DL::~ITER_DL(void) __ptr64 +??1ITER_DL@@QEAA@XZ +; public: __cdecl ITER_SL::~ITER_SL(void) __ptr64 +??1ITER_SL@@QEAA@XZ +; public: __cdecl ITER_SL_DIR_BLOCK::~ITER_SL_DIR_BLOCK(void) __ptr64 +??1ITER_SL_DIR_BLOCK@@QEAA@XZ +; public: __cdecl ITER_SL_NLS_STR::~ITER_SL_NLS_STR(void) __ptr64 +??1ITER_SL_NLS_STR@@QEAA@XZ +; public: __cdecl ITER_STRLIST::~ITER_STRLIST(void) __ptr64 +??1ITER_STRLIST@@QEAA@XZ +; public: __cdecl LOGON_HOURS_SETTING::~LOGON_HOURS_SETTING(void) __ptr64 +??1LOGON_HOURS_SETTING@@QEAA@XZ +; public: __cdecl NLS_STR::~NLS_STR(void) __ptr64 +??1NLS_STR@@QEAA@XZ +; public: __cdecl REG_KEY::~REG_KEY(void) __ptr64 +??1REG_KEY@@QEAA@XZ +; public: __cdecl REG_KEY_INFO_STRUCT::~REG_KEY_INFO_STRUCT(void) __ptr64 +??1REG_KEY_INFO_STRUCT@@QEAA@XZ +; public: __cdecl REG_VALUE_INFO_STRUCT::~REG_VALUE_INFO_STRUCT(void) __ptr64 +??1REG_VALUE_INFO_STRUCT@@QEAA@XZ +; public: __cdecl RITER_DL::~RITER_DL(void) __ptr64 +??1RITER_DL@@QEAA@XZ +; public: __cdecl SLIST::~SLIST(void) __ptr64 +??1SLIST@@QEAA@XZ +; public: __cdecl SLIST_OF_DIR_BLOCK::~SLIST_OF_DIR_BLOCK(void) __ptr64 +??1SLIST_OF_DIR_BLOCK@@QEAA@XZ +; public: __cdecl SLIST_OF_NLS_STR::~SLIST_OF_NLS_STR(void) __ptr64 +??1SLIST_OF_NLS_STR@@QEAA@XZ +; public: __cdecl STRLIST::~STRLIST(void) __ptr64 +??1STRLIST@@QEAA@XZ +; public: __cdecl TCHAR_STR::~TCHAR_STR(void) __ptr64 +??1TCHAR_STR@@QEAA@XZ +; public: __cdecl TREE::~TREE(void) __ptr64 +??1TREE@@QEAA@XZ +; public: __cdecl UATOM::~UATOM(void) __ptr64 +??1UATOM@@QEAA@XZ +; public: __cdecl UATOM_LINKAGE::~UATOM_LINKAGE(void) __ptr64 +??1UATOM_LINKAGE@@QEAA@XZ +; private: __cdecl UATOM_MANAGER::~UATOM_MANAGER(void) __ptr64 +??1UATOM_MANAGER@@AEAA@XZ +; public: __cdecl UATOM_REGION::~UATOM_REGION(void) __ptr64 +??1UATOM_REGION@@QEAA@XZ +; public: virtual __cdecl W32_DIR_BLOCK::~W32_DIR_BLOCK(void) __ptr64 +??1W32_DIR_BLOCK@@UEAA@XZ +; public: virtual __cdecl W32_FS_ENUM::~W32_FS_ENUM(void) __ptr64 +??1W32_FS_ENUM@@UEAA@XZ +; public: __cdecl WCHAR_STRING::~WCHAR_STRING(void) __ptr64 +??1WCHAR_STRING@@QEAA@XZ +; public: static void * __ptr64 __cdecl ALLOC_BASE::operator new(unsigned __int64) +??2ALLOC_BASE@@SAPEAX_K@Z +; public: static void * __ptr64 __cdecl ALLOC_BASE::operator new(unsigned __int64,void * __ptr64) +??2ALLOC_BASE@@SAPEAX_KPEAX@Z +; public: static void __cdecl ALLOC_BASE::operator delete(void * __ptr64) +??3ALLOC_BASE@@SAXPEAX@Z +; public: class ALIAS_STR const & __ptr64 __cdecl ALIAS_STR::operator=(class NLS_STR const & __ptr64) __ptr64 +??4ALIAS_STR@@QEAAAEBV0@AEBVNLS_STR@@@Z +; public: class ALIAS_STR const & __ptr64 __cdecl ALIAS_STR::operator=(unsigned short const * __ptr64) __ptr64 +??4ALIAS_STR@@QEAAAEBV0@PEBG@Z +; public: class ALLOC_STR & __ptr64 __cdecl ALLOC_STR::operator=(unsigned short const * __ptr64) __ptr64 +??4ALLOC_STR@@QEAAAEAV0@PEBG@Z +; public: class BITFIELD & __ptr64 __cdecl BITFIELD::operator=(class BITFIELD const & __ptr64) __ptr64 +??4BITFIELD@@QEAAAEAV0@AEBV0@@Z +; public: class BITFIELD & __ptr64 __cdecl BITFIELD::operator=(unsigned short) __ptr64 +??4BITFIELD@@QEAAAEAV0@G@Z +; public: class BITFIELD & __ptr64 __cdecl BITFIELD::operator=(unsigned long) __ptr64 +??4BITFIELD@@QEAAAEAV0@K@Z +; public: class ISTR & __ptr64 __cdecl ISTR::operator=(class ISTR const & __ptr64) __ptr64 +??4ISTR@@QEAAAEAV0@AEBV0@@Z +; public: class NLS_STR & __ptr64 __cdecl NLS_STR::operator=(class NLS_STR const & __ptr64) __ptr64 +??4NLS_STR@@QEAAAEAV0@AEBV0@@Z +; public: class NLS_STR & __ptr64 __cdecl NLS_STR::operator=(unsigned short const * __ptr64) __ptr64 +??4NLS_STR@@QEAAAEAV0@PEBG@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(char) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@D@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(short) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@F@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(unsigned short) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@G@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(int) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@H@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(unsigned int) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@I@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(long) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@J@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(unsigned long) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@K@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(char const * __ptr64) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@PEBD@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(unsigned short const * __ptr64) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@PEBG@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(enum DBGSTR_SPECIAL) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@W4DBGSTR_SPECIAL@@@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(__int64) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@_J@Z +; public: class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::operator<<(unsigned __int64) __ptr64 +??6DBGSTREAM@@QEAAAEAV0@_K@Z +; public: int __cdecl BASE::operator!(void)const __ptr64 +??7BASE@@QEBAHXZ +; public: int __cdecl BITFIELD::operator==(class BITFIELD & __ptr64) __ptr64 +??8BITFIELD@@QEAAHAEAV0@@Z +; public: int __cdecl BITFIELD::operator==(unsigned short)const __ptr64 +??8BITFIELD@@QEBAHG@Z +; public: int __cdecl BITFIELD::operator==(unsigned long)const __ptr64 +??8BITFIELD@@QEBAHK@Z +; public: int __cdecl ISTR::operator==(class ISTR const & __ptr64)const __ptr64 +??8ISTR@@QEBAHAEBV0@@Z +; public: int __cdecl NLS_STR::operator==(class NLS_STR const & __ptr64)const __ptr64 +??8NLS_STR@@QEBAHAEBV0@@Z +; public: int __cdecl NLS_STR::operator!=(class NLS_STR const & __ptr64)const __ptr64 +??9NLS_STR@@QEBAHAEBV0@@Z +; public: __cdecl BITFIELD::operator unsigned short(void) __ptr64 +??BBITFIELD@@QEAAGXZ +; public: __cdecl BITFIELD::operator unsigned long(void) __ptr64 +??BBITFIELD@@QEAAKXZ +; public: __cdecl NLS_STR::operator unsigned short const * __ptr64(void)const __ptr64 +??BNLS_STR@@QEBAPEBGXZ +; public: __cdecl REG_KEY::operator struct HKEY__ * __ptr64(void)const __ptr64 +??BREG_KEY@@QEBAPEAUHKEY__@@XZ +; public: __cdecl TCHAR_STR::operator class ALIAS_STR const & __ptr64(void) __ptr64 +??BTCHAR_STR@@QEAAAEBVALIAS_STR@@XZ +; public: class ISTR & __ptr64 __cdecl ISTR::operator++(void) __ptr64 +??EISTR@@QEAAAEAV0@XZ +; public: int __cdecl ISTR::operator-(class ISTR const & __ptr64)const __ptr64 +??GISTR@@QEBAHAEBV0@@Z +; public: int __cdecl BITFIELD::operator&(class BITFIELD const & __ptr64) __ptr64 +??IBITFIELD@@QEAAHAEBV0@@Z +; public: int __cdecl ISTR::operator<(class ISTR const & __ptr64)const __ptr64 +??MISTR@@QEBAHAEBV0@@Z +; public: int __cdecl ISTR::operator>(class ISTR const & __ptr64)const __ptr64 +??OISTR@@QEBAHAEBV0@@Z +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::operator()(void) __ptr64 +??RITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; public: void __cdecl ISTR::operator+=(int) __ptr64 +??YISTR@@QEAAXH@Z +; public: class NLS_STR & __ptr64 __cdecl NLS_STR::operator+=(class NLS_STR const & __ptr64) __ptr64 +??YNLS_STR@@QEAAAEAV0@AEBV0@@Z +; public: void __cdecl BITFIELD::operator&=(class BITFIELD const & __ptr64) __ptr64 +??_4BITFIELD@@QEAAXAEBV0@@Z +; public: void __cdecl BITFIELD::operator&=(unsigned short) __ptr64 +??_4BITFIELD@@QEAAXG@Z +; public: void __cdecl BITFIELD::operator&=(unsigned long) __ptr64 +??_4BITFIELD@@QEAAXK@Z +; public: void __cdecl BITFIELD::operator|=(class BITFIELD const & __ptr64) __ptr64 +??_5BITFIELD@@QEAAXAEBV0@@Z +; public: void __cdecl BITFIELD::operator|=(unsigned short) __ptr64 +??_5BITFIELD@@QEAAXG@Z +; public: void __cdecl BITFIELD::operator|=(unsigned long) __ptr64 +??_5BITFIELD@@QEAAXK@Z +; void __cdecl `vector constructor iterator'(void * __ptr64,unsigned __int64,int,void * __ptr64 (__cdecl*)(void * __ptr64)) +??_H@YAXPEAX_KHP6APEAX0@Z@Z +; void __cdecl `vector destructor iterator'(void * __ptr64,unsigned __int64,int,void (__cdecl*)(void * __ptr64)) +??_I@YAXPEAX_KHP6AX0@Z@Z +; void __cdecl `vector vbase constructor iterator'(void * __ptr64,unsigned __int64,int,void * __ptr64 (__cdecl*)(void * __ptr64)) +??_J@YAXPEAX_KHP6APEAX0@Z@Z +; public: long __cdecl DLIST::Add(void * __ptr64) __ptr64 +?Add@DLIST@@QEAAJPEAX@Z +; public: long __cdecl SLIST::Add(void * __ptr64) __ptr64 +?Add@SLIST@@QEAAJPEAX@Z +; public: long __cdecl SLIST_OF_DIR_BLOCK::Add(class DIR_BLOCK const * __ptr64) __ptr64 +?Add@SLIST_OF_DIR_BLOCK@@QEAAJPEBVDIR_BLOCK@@@Z +; public: long __cdecl SLIST_OF_NLS_STR::Add(class NLS_STR const * __ptr64) __ptr64 +?Add@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; private: int __cdecl NLS_STR::Alloc(unsigned int) __ptr64 +?Alloc@NLS_STR@@AEAAHI@Z +; public: unsigned char * __ptr64 __cdecl ONE_SHOT_HEAP::Alloc(unsigned int) __ptr64 +?Alloc@ONE_SHOT_HEAP@@QEAAPEAEI@Z +; protected: long __cdecl BITFIELD::AllocBitfield(unsigned int) __ptr64 +?AllocBitfield@BITFIELD@@IEAAJI@Z +; public: long __cdecl DLIST::Append(void * __ptr64) __ptr64 +?Append@DLIST@@QEAAJPEAX@Z +; public: long __cdecl NLS_STR::Append(class NLS_STR const & __ptr64) __ptr64 +?Append@NLS_STR@@QEAAJAEBV1@@Z +; public: long __cdecl SLIST::Append(void * __ptr64) __ptr64 +?Append@SLIST@@QEAAJPEAX@Z +; public: long __cdecl SLIST_OF_NLS_STR::Append(class NLS_STR const * __ptr64) __ptr64 +?Append@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl NLS_STR::AppendChar(unsigned short) __ptr64 +?AppendChar@NLS_STR@@QEAAJG@Z +; public: class TREE * __ptr64 __cdecl TREE::BreakOut(void) __ptr64 +?BreakOut@TREE@@QEAAPEAV1@XZ +; protected: void __cdecl DLIST::BumpIters(class DL_NODE * __ptr64) __ptr64 +?BumpIters@DLIST@@IEAAXPEAVDL_NODE@@@Z +; protected: void __cdecl SLIST::BumpIters(class SL_NODE * __ptr64) __ptr64 +?BumpIters@SLIST@@IEAAXPEAVSL_NODE@@@Z +; private: void __cdecl NLS_STR::CheckIstr(class ISTR const & __ptr64)const __ptr64 +?CheckIstr@NLS_STR@@AEBAXAEBVISTR@@@Z +; protected: int __cdecl DLIST::CheckIter(class ITER_L * __ptr64) __ptr64 +?CheckIter@DLIST@@IEAAHPEAVITER_L@@@Z +; protected: int __cdecl SLIST::CheckIter(class ITER_SL * __ptr64) __ptr64 +?CheckIter@SLIST@@IEAAHPEAVITER_SL@@@Z +; long __cdecl CheckLocalComm(unsigned short const * __ptr64) +?CheckLocalComm@@YAJPEBG@Z +; long __cdecl CheckLocalDrive(unsigned short const * __ptr64) +?CheckLocalDrive@@YAJPEBG@Z +; long __cdecl CheckLocalLpt(unsigned short const * __ptr64) +?CheckLocalLpt@@YAJPEBG@Z +; long __cdecl CheckUnavailDevice(unsigned short const * __ptr64,unsigned short * __ptr64,int * __ptr64) +?CheckUnavailDevice@@YAJPEBGPEAGPEAH@Z +; public: void __cdecl SLIST_OF_DIR_BLOCK::Clear(void) __ptr64 +?Clear@SLIST_OF_DIR_BLOCK@@QEAAXXZ +; public: void __cdecl SLIST_OF_NLS_STR::Clear(void) __ptr64 +?Clear@SLIST_OF_NLS_STR@@QEAAXXZ +; private: long __cdecl REG_KEY::Close(void) __ptr64 +?Close@REG_KEY@@AEAAJXZ +; private: unsigned __int64 __cdecl FMX::Command(unsigned int,unsigned int,__int64)const __ptr64 +?Command@FMX@@AEBA_KII_J@Z +; public: int __cdecl NLS_STR::Compare(class NLS_STR const * __ptr64)const __ptr64 +?Compare@NLS_STR@@QEBAHPEBV1@@Z +; public: int __cdecl LOGON_HOURS_SETTING::ConvertFromGMT(void) __ptr64 +?ConvertFromGMT@LOGON_HOURS_SETTING@@QEAAHXZ +; public: int __cdecl LOGON_HOURS_SETTING::ConvertToGMT(void) __ptr64 +?ConvertToGMT@LOGON_HOURS_SETTING@@QEAAHXZ +; public: long __cdecl LOGON_HOURS_SETTING::ConvertToHoursPerWeek(void) __ptr64 +?ConvertToHoursPerWeek@LOGON_HOURS_SETTING@@QEAAJXZ +; public: long __cdecl NLS_STR::CopyFrom(class NLS_STR const & __ptr64) __ptr64 +?CopyFrom@NLS_STR@@QEAAJAEBV1@@Z +; public: long __cdecl NLS_STR::CopyFrom(unsigned short const * __ptr64,unsigned int) __ptr64 +?CopyFrom@NLS_STR@@QEAAJPEBGI@Z +; public: long __cdecl NLS_STR::CopyTo(unsigned short * __ptr64,unsigned int)const __ptr64 +?CopyTo@NLS_STR@@QEBAJPEAGI@Z +; private: long __cdecl REG_KEY::CreateChild(class REG_KEY * __ptr64,class NLS_STR const & __ptr64,class REG_KEY_CREATE_STRUCT * __ptr64)const __ptr64 +?CreateChild@REG_KEY@@AEBAJPEAV1@AEBVNLS_STR@@PEAVREG_KEY_CREATE_STRUCT@@@Z +; protected: virtual class DIR_BLOCK * __ptr64 __cdecl W32_FS_ENUM::CreateDirBlock(void) __ptr64 +?CreateDirBlock@W32_FS_ENUM@@MEAAPEAVDIR_BLOCK@@XZ +; private: void __cdecl STRLIST::CreateList(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?CreateList@STRLIST@@AEAAXPEBG0@Z +; private: void __cdecl NLS_STR::DelSubStr(class ISTR & __ptr64,unsigned int) __ptr64 +?DelSubStr@NLS_STR@@AEAAXAEAVISTR@@I@Z +; public: void __cdecl NLS_STR::DelSubStr(class ISTR & __ptr64) __ptr64 +?DelSubStr@NLS_STR@@QEAAXAEAVISTR@@@Z +; public: void __cdecl NLS_STR::DelSubStr(class ISTR & __ptr64,class ISTR const & __ptr64) __ptr64 +?DelSubStr@NLS_STR@@QEAAXAEAVISTR@@AEBV2@@Z +; public: long __cdecl REG_KEY::Delete(void) __ptr64 +?Delete@REG_KEY@@QEAAJXZ +; public: long __cdecl REG_KEY::DeleteValue(class NLS_STR const & __ptr64) __ptr64 +?DeleteValue@REG_KEY@@QEAAJAEBVNLS_STR@@@Z +; protected: void __cdecl DLIST::Deregister(class ITER_L * __ptr64) __ptr64 +?Deregister@DLIST@@IEAAXPEAVITER_L@@@Z +; protected: void __cdecl SLIST::Deregister(class ITER_SL * __ptr64) __ptr64 +?Deregister@SLIST@@IEAAXPEAVITER_SL@@@Z +; public: int __cdecl DIR_BLOCK::DoBreadthFirstDirs(void)const __ptr64 +?DoBreadthFirstDirs@DIR_BLOCK@@QEBAHXZ +; public: virtual void __cdecl OUTPUT_TO_AUX::EndOfLine(void) __ptr64 +?EndOfLine@OUTPUT_TO_AUX@@UEAAXXZ +; private: virtual void __cdecl OUTPUT_TO_NUL::EndOfLine(void) __ptr64 +?EndOfLine@OUTPUT_TO_NUL@@EEAAXXZ +; public: virtual void __cdecl OUTPUT_TO_STDERR::EndOfLine(void) __ptr64 +?EndOfLine@OUTPUT_TO_STDERR@@UEAAXXZ +; public: virtual void __cdecl OUTPUT_TO_STDOUT::EndOfLine(void) __ptr64 +?EndOfLine@OUTPUT_TO_STDOUT@@UEAAXXZ +; public: void __cdecl BUFFER::FillOut(void) __ptr64 +?FillOut@BUFFER@@QEAAXXZ +; protected: virtual long __cdecl W32_FS_ENUM::FindFirst(class DIR_BLOCK * __ptr64,class NLS_STR const & __ptr64,unsigned int) __ptr64 +?FindFirst@W32_FS_ENUM@@MEAAJPEAVDIR_BLOCK@@AEBVNLS_STR@@I@Z +; protected: virtual long __cdecl W32_FS_ENUM::FindNext(class DIR_BLOCK * __ptr64,unsigned int) __ptr64 +?FindNext@W32_FS_ENUM@@MEAAJPEAVDIR_BLOCK@@I@Z +; protected: class SL_NODE * __ptr64 __cdecl SLIST::FindPrev(class SL_NODE * __ptr64) __ptr64 +?FindPrev@SLIST@@IEAAPEAVSL_NODE@@PEAV2@@Z +; public: long __cdecl REG_KEY::Flush(void) __ptr64 +?Flush@REG_KEY@@QEAAJXZ +; public: class UATOM * __ptr64 __cdecl UATOM_LINKAGE::Fwd(void) __ptr64 +?Fwd@UATOM_LINKAGE@@QEAAPEAVUATOM@@XZ +; private: long __cdecl BUFFER::GetNewStorage(unsigned int) __ptr64 +?GetNewStorage@BUFFER@@AEAAJI@Z +; long __cdecl GetSelItem(struct HWND__ * __ptr64,unsigned int,class NLS_STR * __ptr64,int * __ptr64) +?GetSelItem@@YAJPEAUHWND__@@IPEAVNLS_STR@@PEAH@Z +; long __cdecl GetSelItem(struct HWND__ * __ptr64,class NLS_STR * __ptr64,int,int * __ptr64) +?GetSelItem@@YAJPEAUHWND__@@PEAVNLS_STR@@HPEAH@Z +; private: static int __cdecl REG_KEY::HandlePrefix(class NLS_STR const & __ptr64,struct HKEY__ * __ptr64 * __ptr64,class NLS_STR * __ptr64,class NLS_STR * __ptr64) +?HandlePrefix@REG_KEY@@CAHAEBVNLS_STR@@PEAPEAUHKEY__@@PEAV2@2@Z +; public: int __cdecl DIR_BLOCK::HasFindFirstBeenCalled(void) __ptr64 +?HasFindFirstBeenCalled@DIR_BLOCK@@QEAAHXZ +; void __cdecl HeapResidueIter(unsigned int,int) +?HeapResidueIter@@YAXIH@Z +; protected: long __cdecl HEAP_BASE::I_AddItem(void * __ptr64) __ptr64 +?I_AddItem@HEAP_BASE@@IEAAJPEAX@Z +; protected: void * __ptr64 __cdecl HEAP_BASE::I_RemoveTopItem(void) __ptr64 +?I_RemoveTopItem@HEAP_BASE@@IEAAPEAXXZ +; protected: void __cdecl NLS_STR::IncVers(void) __ptr64 +?IncVers@NLS_STR@@IEAAXXZ +; public: static void __cdecl NUM_NLS_STR::Init(void) +?Init@NUM_NLS_STR@@SAXXZ +; public: void __cdecl UATOM_LINKAGE::Init(void) __ptr64 +?Init@UATOM_LINKAGE@@QEAAXXZ +; public: static long __cdecl UATOM_MANAGER::Initialize(void) +?Initialize@UATOM_MANAGER@@SAJXZ +; protected: void __cdecl NLS_STR::InitializeVers(void) __ptr64 +?InitializeVers@NLS_STR@@IEAAXXZ +; public: long __cdecl DLIST::Insert(void * __ptr64,class ITER_DL & __ptr64) __ptr64 +?Insert@DLIST@@QEAAJPEAXAEAVITER_DL@@@Z +; public: long __cdecl DLIST::Insert(void * __ptr64,class RITER_DL & __ptr64) __ptr64 +?Insert@DLIST@@QEAAJPEAXAEAVRITER_DL@@@Z +; public: long __cdecl SLIST::Insert(void * __ptr64,class ITER_SL & __ptr64) __ptr64 +?Insert@SLIST@@QEAAJPEAXAEAVITER_SL@@@Z +; public: long __cdecl NLS_STR::InsertParams(class NLS_STR const & __ptr64,class NLS_STR const & __ptr64,class NLS_STR const & __ptr64) __ptr64 +?InsertParams@NLS_STR@@QEAAJAEBV1@00@Z +; public: long __cdecl NLS_STR::InsertParams(unsigned int,class NLS_STR const * __ptr64,...) __ptr64 +?InsertParams@NLS_STR@@QEAAJIPEBV1@ZZ +; public: long __cdecl NLS_STR::InsertParams(class NLS_STR const * __ptr64 * __ptr64) __ptr64 +?InsertParams@NLS_STR@@QEAAJPEAPEBV1@@Z +; private: long __cdecl NLS_STR::InsertParamsAux(class NLS_STR const * __ptr64 * __ptr64,unsigned int,int,unsigned int * __ptr64) __ptr64 +?InsertParamsAux@NLS_STR@@AEAAJPEAPEBV1@IHPEAI@Z +; public: int __cdecl NLS_STR::InsertStr(class NLS_STR const & __ptr64,class ISTR & __ptr64) __ptr64 +?InsertStr@NLS_STR@@QEAAHAEBV1@AEAVISTR@@@Z +; public: int __cdecl INTL_PROFILE::Is24Hour(void)const __ptr64 +?Is24Hour@INTL_PROFILE@@QEBAHXZ +; protected: int __cdecl BITFIELD::IsAllocated(void)const __ptr64 +?IsAllocated@BITFIELD@@IEBAHXZ +; public: int __cdecl BITFIELD::IsBitSet(unsigned int)const __ptr64 +?IsBitSet@BITFIELD@@QEBAHI@Z +; public: int __cdecl INTL_PROFILE::IsDayLZero(void)const __ptr64 +?IsDayLZero@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl DIR_BLOCK::IsDir(void) __ptr64 +?IsDir@DIR_BLOCK@@QEAAHXZ +; public: int __cdecl FMX::IsHeterogeneousSelection(int * __ptr64) __ptr64 +?IsHeterogeneousSelection@FMX@@QEAAHPEAH@Z +; public: int __cdecl INTL_PROFILE::IsHourLZero(void)const __ptr64 +?IsHourLZero@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl LOGON_HOURS_SETTING::IsIdenticalToBits(unsigned char const * __ptr64,unsigned int)const __ptr64 +?IsIdenticalToBits@LOGON_HOURS_SETTING@@QEBAHPEBEI@Z +; public: int __cdecl ISTR::IsLastPos(void)const __ptr64 +?IsLastPos@ISTR@@QEBAHXZ +; public: int __cdecl SLIST_OF_NLS_STR::IsMember(class NLS_STR const & __ptr64) __ptr64 +?IsMember@SLIST_OF_NLS_STR@@QEAAHAEBVNLS_STR@@@Z +; public: int __cdecl INTL_PROFILE::IsMonthLZero(void)const __ptr64 +?IsMonthLZero@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl NLS_STR::IsOwnerAlloc(void)const __ptr64 +?IsOwnerAlloc@NLS_STR@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::IsTimePrefix(void)const __ptr64 +?IsTimePrefix@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::IsYrCentury(void)const __ptr64 +?IsYrCentury@INTL_PROFILE@@QEBAHXZ +; public: void __cdecl TREE::JoinSiblingLeft(class TREE * __ptr64) __ptr64 +?JoinSiblingLeft@TREE@@QEAAXPEAV1@@Z +; public: void __cdecl TREE::JoinSiblingRight(class TREE * __ptr64) __ptr64 +?JoinSiblingRight@TREE@@QEAAXPEAV1@@Z +; public: void __cdecl TREE::JoinSubtreeLeft(class TREE * __ptr64) __ptr64 +?JoinSubtreeLeft@TREE@@QEAAXPEAV1@@Z +; public: void __cdecl TREE::JoinSubtreeRight(class TREE * __ptr64) __ptr64 +?JoinSubtreeRight@TREE@@QEAAXPEAV1@@Z +; private: unsigned short const * __ptr64 __cdecl REG_KEY::LeafKeyName(void)const __ptr64 +?LeafKeyName@REG_KEY@@AEBAPEBGXZ +; public: void __cdecl UATOM_LINKAGE::Link(class UATOM_LINKAGE * __ptr64) __ptr64 +?Link@UATOM_LINKAGE@@QEAAXPEAV1@@Z +; public: long __cdecl NLS_STR::Load(long,struct HINSTANCE__ * __ptr64) __ptr64 +?Load@NLS_STR@@QEAAJJPEAUHINSTANCE__@@@Z +; public: long __cdecl NLS_STR::LoadSystem(long) __ptr64 +?LoadSystem@NLS_STR@@QEAAJJ@Z +; public: long __cdecl LOGON_HOURS_SETTING::MakeDefault(void) __ptr64 +?MakeDefault@LOGON_HOURS_SETTING@@QEAAJXZ +; public: long __cdecl NLS_STR::MapCopyFrom(char const * __ptr64,unsigned int) __ptr64 +?MapCopyFrom@NLS_STR@@QEAAJPEBDI@Z +; public: long __cdecl NLS_STR::MapCopyFrom(unsigned short const * __ptr64,unsigned int) __ptr64 +?MapCopyFrom@NLS_STR@@QEAAJPEBGI@Z +; public: long __cdecl NLS_STR::MapCopyTo(char * __ptr64,unsigned int)const __ptr64 +?MapCopyTo@NLS_STR@@QEBAJPEADI@Z +; public: long __cdecl NLS_STR::MapCopyTo(unsigned short * __ptr64,unsigned int)const __ptr64 +?MapCopyTo@NLS_STR@@QEBAJPEAGI@Z +; public: static long __cdecl ERRMAP::MapNTStatus(long,int * __ptr64,long) +?MapNTStatus@ERRMAP@@SAJJPEAHJ@Z +; private: long __cdecl REG_KEY::NameChild(class REG_KEY * __ptr64,class NLS_STR const & __ptr64)const __ptr64 +?NameChild@REG_KEY@@AEBAJPEAV1@AEBVNLS_STR@@@Z +; public: void * __ptr64 __cdecl DFSITER_TREE::Next(void) __ptr64 +?Next@DFSITER_TREE@@QEAAPEAXXZ +; public: int __cdecl FS_ENUM::Next(void) __ptr64 +?Next@FS_ENUM@@QEAAHXZ +; public: void * __ptr64 __cdecl ITER_SL::Next(void) __ptr64 +?Next@ITER_SL@@QEAAPEAXXZ +; public: class DIR_BLOCK * __ptr64 __cdecl ITER_SL_DIR_BLOCK::Next(void) __ptr64 +?Next@ITER_SL_DIR_BLOCK@@QEAAPEAVDIR_BLOCK@@XZ +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::Next(void) __ptr64 +?Next@ITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; protected: int __cdecl FS_ENUM::NextBreadthFirst(void) __ptr64 +?NextBreadthFirst@FS_ENUM@@IEAAHXZ +; protected: int __cdecl FS_ENUM::NextDepthFirst(void) __ptr64 +?NextDepthFirst@FS_ENUM@@IEAAHXZ +; public: long __cdecl WIN_TIME::Normalize(void) __ptr64 +?Normalize@WIN_TIME@@QEAAJXZ +; public: void __cdecl BITFIELD::Not(void) __ptr64 +?Not@BITFIELD@@QEAAXXZ +; private: long __cdecl REG_KEY::OpenByName(class NLS_STR const & __ptr64,unsigned long) __ptr64 +?OpenByName@REG_KEY@@AEAAJAEBVNLS_STR@@K@Z +; private: long __cdecl REG_KEY::OpenChild(class REG_KEY * __ptr64,class NLS_STR const & __ptr64,unsigned long,unsigned long) __ptr64 +?OpenChild@REG_KEY@@AEAAJPEAV1@AEBVNLS_STR@@KK@Z +; private: class REG_KEY * __ptr64 __cdecl REG_KEY::OpenParent(unsigned long) __ptr64 +?OpenParent@REG_KEY@@AEAAPEAV1@K@Z +; private: long __cdecl REG_KEY::ParentName(class NLS_STR * __ptr64)const __ptr64 +?ParentName@REG_KEY@@AEBAJPEAVNLS_STR@@@Z +; protected: void * __ptr64 __cdecl HEAP_BASE::PeekItem(int)const __ptr64 +?PeekItem@HEAP_BASE@@IEBAPEAXH@Z +; public: long __cdecl LOGON_HOURS_SETTING::PermitAll(void) __ptr64 +?PermitAll@LOGON_HOURS_SETTING@@QEAAJXZ +; protected: long __cdecl FS_ENUM::PopDir(void) __ptr64 +?PopDir@FS_ENUM@@IEAAJXZ +; protected: long __cdecl FS_ENUM::PushDir(unsigned short const * __ptr64) __ptr64 +?PushDir@FS_ENUM@@IEAAJPEBG@Z +; public: long __cdecl INTL_PROFILE::QueryAMStr(class NLS_STR * __ptr64)const __ptr64 +?QueryAMStr@INTL_PROFILE@@QEBAJPEAVNLS_STR@@@Z +; private: unsigned int __cdecl BUFFER::QueryActualSize(void) __ptr64 +?QueryActualSize@BUFFER@@AEAAIXZ +; public: unsigned int __cdecl BITFIELD::QueryAllocSize(void)const __ptr64 +?QueryAllocSize@BITFIELD@@QEBAIXZ +; public: unsigned int __cdecl NLS_STR::QueryAllocSize(void)const __ptr64 +?QueryAllocSize@NLS_STR@@QEBAIXZ +; public: unsigned int __cdecl NLS_STR::QueryAnsiTextLength(void)const __ptr64 +?QueryAnsiTextLength@NLS_STR@@QEBAIXZ +; public: virtual unsigned int __cdecl W32_DIR_BLOCK::QueryAttr(void) __ptr64 +?QueryAttr@W32_DIR_BLOCK@@UEAAIXZ +; protected: unsigned char * __ptr64 __cdecl BITFIELD::QueryBitPos(unsigned int,unsigned int)const __ptr64 +?QueryBitPos@BITFIELD@@IEBAPEAEII@Z +; public: int __cdecl STRLIST::QueryBufferSize(unsigned short * __ptr64) __ptr64 +?QueryBufferSize@STRLIST@@QEAAHPEAG@Z +; private: static unsigned int __cdecl LOGON_HOURS_SETTING::QueryByteCount(unsigned int) +?QueryByteCount@LOGON_HOURS_SETTING@@CAII@Z +; public: unsigned int __cdecl LOGON_HOURS_SETTING::QueryByteCount(void)const __ptr64 +?QueryByteCount@LOGON_HOURS_SETTING@@QEBAIXZ +; public: unsigned short __cdecl NLS_STR::QueryChar(class ISTR const & __ptr64)const __ptr64 +?QueryChar@NLS_STR@@QEBAGAEBVISTR@@@Z +; public: unsigned int __cdecl BITFIELD::QueryCount(void)const __ptr64 +?QueryCount@BITFIELD@@QEBAIXZ +; protected: unsigned int __cdecl DFSITER_TREE::QueryCurDepth(void)const __ptr64 +?QueryCurDepth@DFSITER_TREE@@IEBAIXZ +; public: static class DBGSTREAM & __ptr64 __cdecl DBGSTREAM::QueryCurrent(void) +?QueryCurrent@DBGSTREAM@@SAAEAV1@XZ +; public: unsigned int __cdecl FS_ENUM::QueryCurrentDepth(void) __ptr64 +?QueryCurrentDepth@FS_ENUM@@QEAAIXZ +; public: class DIR_BLOCK * __ptr64 __cdecl FS_ENUM::QueryCurrentDirBlock(void)const __ptr64 +?QueryCurrentDirBlock@FS_ENUM@@QEBAPEAVDIR_BLOCK@@XZ +; unsigned long __cdecl QueryCurrentTimeStamp(void) +?QueryCurrentTimeStamp@@YAKXZ +; public: static class REG_KEY * __ptr64 __cdecl REG_KEY::QueryCurrentUser(unsigned long) +?QueryCurrentUser@REG_KEY@@SAPEAV1@K@Z +; public: char const * __ptr64 __cdecl CHAR_STRING::QueryData(void)const __ptr64 +?QueryData@CHAR_STRING@@QEBAPEBDXZ +; public: unsigned short const * __ptr64 __cdecl WCHAR_STRING::QueryData(void)const __ptr64 +?QueryData@WCHAR_STRING@@QEBAPEBGXZ +; public: long __cdecl INTL_PROFILE::QueryDateSeparator(class NLS_STR * __ptr64)const __ptr64 +?QueryDateSeparator@INTL_PROFILE@@QEBAJPEAVNLS_STR@@@Z +; public: int __cdecl WIN_TIME::QueryDay(void)const __ptr64 +?QueryDay@WIN_TIME@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryDayOfWeek(void)const __ptr64 +?QueryDayOfWeek@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryDayPos(void)const __ptr64 +?QueryDayPos@INTL_PROFILE@@QEBAHXZ +; public: class STRLIST * __ptr64 __cdecl DIR_BLOCK::QueryDirs(void) __ptr64 +?QueryDirs@DIR_BLOCK@@QEAAPEAVSTRLIST@@XZ +; public: class ITER_STRLIST * __ptr64 __cdecl DIR_BLOCK::QueryDirsIter(void) __ptr64 +?QueryDirsIter@DIR_BLOCK@@QEAAPEAVITER_STRLIST@@XZ +; public: long __cdecl FMX::QueryDriveInfo(struct _FMS_GETDRIVEINFOW * __ptr64) __ptr64 +?QueryDriveInfo@FMX@@QEAAJPEAU_FMS_GETDRIVEINFOW@@@Z +; public: long __cdecl INTL_PROFILE::QueryDurationStr(int,int,int,int,class NLS_STR * __ptr64)const __ptr64 +?QueryDurationStr@INTL_PROFILE@@QEBAJHHHHPEAVNLS_STR@@@Z +; public: long __cdecl BASE::QueryError(void)const __ptr64 +?QueryError@BASE@@QEBAJXZ +; public: long __cdecl FORWARDING_BASE::QueryError(void)const __ptr64 +?QueryError@FORWARDING_BASE@@QEBAJXZ +; public: long __cdecl HUATOM::QueryError(void)const __ptr64 +?QueryError@HUATOM@@QEBAJXZ +; public: virtual unsigned short const * __ptr64 __cdecl W32_DIR_BLOCK::QueryFileName(void) __ptr64 +?QueryFileName@W32_DIR_BLOCK@@UEAAPEBGXZ +; public: long __cdecl WIN_TIME::QueryFileTime(struct _FILETIME * __ptr64)const __ptr64 +?QueryFileTime@WIN_TIME@@QEBAJPEAU_FILETIME@@@Z +; public: long __cdecl WIN_TIME::QueryFileTimeLocal(struct _FILETIME * __ptr64)const __ptr64 +?QueryFileTimeLocal@WIN_TIME@@QEBAJPEAU_FILETIME@@@Z +; public: class TREE * __ptr64 __cdecl TREE::QueryFirstSubtree(void)const __ptr64 +?QueryFirstSubtree@TREE@@QEBAPEAV1@XZ +; public: unsigned int __cdecl FMX::QueryFocus(void)const __ptr64 +?QueryFocus@FMX@@QEBAIXZ +; public: int __cdecl WIN_TIME::QueryHour(void)const __ptr64 +?QueryHour@WIN_TIME@@QEBAHXZ +; public: int __cdecl LOGON_HOURS_SETTING::QueryHourInDay(unsigned int,unsigned int)const __ptr64 +?QueryHourInDay@LOGON_HOURS_SETTING@@QEBAHII@Z +; public: int __cdecl LOGON_HOURS_SETTING::QueryHourInWeek(unsigned int)const __ptr64 +?QueryHourInWeek@LOGON_HOURS_SETTING@@QEBAHI@Z +; public: unsigned char * __ptr64 __cdecl LOGON_HOURS_SETTING::QueryHoursBlock(void)const __ptr64 +?QueryHoursBlock@LOGON_HOURS_SETTING@@QEBAPEAEXZ +; private: int __cdecl ISTR::QueryIch(void)const __ptr64 +?QueryIch@ISTR@@AEBAHXZ +; public: long __cdecl REG_KEY::QueryInfo(class REG_KEY_INFO_STRUCT * __ptr64) __ptr64 +?QueryInfo@REG_KEY@@QEAAJPEAVREG_KEY_INFO_STRUCT@@@Z +; public: long __cdecl REG_KEY::QueryKeyName(class NLS_STR * __ptr64)const __ptr64 +?QueryKeyName@REG_KEY@@QEBAJPEAVNLS_STR@@@Z +; private: long __cdecl REG_KEY::QueryKeyValueBinary(unsigned short const * __ptr64,unsigned char * __ptr64 * __ptr64,long * __ptr64,long,unsigned long * __ptr64,unsigned long) __ptr64 +?QueryKeyValueBinary@REG_KEY@@AEAAJPEBGPEAPEAEPEAJJPEAKK@Z +; private: long __cdecl REG_KEY::QueryKeyValueLong(unsigned short const * __ptr64,long * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryKeyValueLong@REG_KEY@@AEAAJPEBGPEAJPEAK@Z +; private: long __cdecl REG_KEY::QueryKeyValueString(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64,class NLS_STR * __ptr64,unsigned long * __ptr64,long,long * __ptr64,unsigned long) __ptr64 +?QueryKeyValueString@REG_KEY@@AEAAJPEBGPEAPEAGPEAVNLS_STR@@PEAKJPEAJK@Z +; public: class TREE * __ptr64 __cdecl TREE::QueryLastSubtree(void)const __ptr64 +?QueryLastSubtree@TREE@@QEBAPEAV1@XZ +; public: class TREE * __ptr64 __cdecl TREE::QueryLeft(void)const __ptr64 +?QueryLeft@TREE@@QEBAPEAV1@XZ +; public: int __cdecl UATOM_LINKAGE::QueryLinked(void) __ptr64 +?QueryLinked@UATOM_LINKAGE@@QEAAHXZ +; public: static class REG_KEY * __ptr64 __cdecl REG_KEY::QueryLocalMachine(unsigned long) +?QueryLocalMachine@REG_KEY@@SAPEAV1@K@Z +; public: long __cdecl INTL_PROFILE::QueryLongDateString(class WIN_TIME const & __ptr64,class NLS_STR * __ptr64)const __ptr64 +?QueryLongDateString@INTL_PROFILE@@QEBAJAEBVWIN_TIME@@PEAVNLS_STR@@@Z +; protected: unsigned int __cdecl DFSITER_TREE::QueryMaxDepth(void)const __ptr64 +?QueryMaxDepth@DFSITER_TREE@@IEBAIXZ +; public: unsigned int __cdecl FS_ENUM::QueryMaxDepth(void) __ptr64 +?QueryMaxDepth@FS_ENUM@@QEAAIXZ +; protected: unsigned int __cdecl BITFIELD::QueryMaxNonAllocBitCount(void)const __ptr64 +?QueryMaxNonAllocBitCount@BITFIELD@@IEBAIXZ +; public: int __cdecl WIN_TIME::QueryMinute(void)const __ptr64 +?QueryMinute@WIN_TIME@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryMonth(void)const __ptr64 +?QueryMonth@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryMonthPos(void)const __ptr64 +?QueryMonthPos@INTL_PROFILE@@QEBAHXZ +; public: long __cdecl FS_ENUM::QueryName(class NLS_STR * __ptr64)const __ptr64 +?QueryName@FS_ENUM@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl REG_KEY::QueryName(class NLS_STR * __ptr64,int)const __ptr64 +?QueryName@REG_KEY@@QEBAJPEAVNLS_STR@@H@Z +; public: class NLS_STR const * __ptr64 __cdecl HUATOM::QueryNls(void)const __ptr64 +?QueryNls@HUATOM@@QEBAPEBVNLS_STR@@XZ +; protected: class TREE const * __ptr64 __cdecl DFSITER_TREE::QueryNode(void)const __ptr64 +?QueryNode@DFSITER_TREE@@IEBAPEBVTREE@@XZ +; public: unsigned int __cdecl NLS_STR::QueryNumChar(void)const __ptr64 +?QueryNumChar@NLS_STR@@QEBAIXZ +; public: unsigned int __cdecl DLIST::QueryNumElem(void) __ptr64 +?QueryNumElem@DLIST@@QEAAIXZ +; public: unsigned int __cdecl SLIST::QueryNumElem(void) __ptr64 +?QueryNumElem@SLIST@@QEAAIXZ +; public: unsigned int __cdecl TREE::QueryNumElem(void)const __ptr64 +?QueryNumElem@TREE@@QEBAIXZ +; public: unsigned int __cdecl BITFIELD::QueryOffset(unsigned int)const __ptr64 +?QueryOffset@BITFIELD@@QEBAII@Z +; public: long __cdecl INTL_PROFILE::QueryPMStr(class NLS_STR * __ptr64)const __ptr64 +?QueryPMStr@INTL_PROFILE@@QEBAJPEAVNLS_STR@@@Z +; public: class TREE * __ptr64 __cdecl TREE::QueryParent(void)const __ptr64 +?QueryParent@TREE@@QEBAPEAV1@XZ +; public: unsigned short const * __ptr64 __cdecl NLS_STR::QueryPch(class ISTR const & __ptr64)const __ptr64 +?QueryPch@NLS_STR@@QEBAPEBGAEBVISTR@@@Z +; public: unsigned short const * __ptr64 __cdecl NLS_STR::QueryPch(void)const __ptr64 +?QueryPch@NLS_STR@@QEBAPEBGXZ +; public: void * __ptr64 __cdecl ITER_SL::QueryProp(void) __ptr64 +?QueryProp@ITER_SL@@QEAAPEAXXZ +; public: void * __ptr64 __cdecl TREE::QueryProp(void)const __ptr64 +?QueryProp@TREE@@QEBAPEAXXZ +; public: unsigned char * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAEXZ +; public: class TREE * __ptr64 __cdecl TREE::QueryRight(void)const __ptr64 +?QueryRight@TREE@@QEBAPEAV1@XZ +; protected: unsigned int __cdecl FS_ENUM::QuerySearchAttr(void)const __ptr64 +?QuerySearchAttr@FS_ENUM@@IEBAIXZ +; public: int __cdecl WIN_TIME::QuerySecond(void)const __ptr64 +?QuerySecond@WIN_TIME@@QEBAHXZ +; public: unsigned int __cdecl FMX::QuerySelCount(void)const __ptr64 +?QuerySelCount@FMX@@QEBAIXZ +; public: long __cdecl FMX::QuerySelection(int,struct _FMS_GETFILESELW * __ptr64,int) __ptr64 +?QuerySelection@FMX@@QEAAJHPEAU_FMS_GETFILESELW@@H@Z +; public: long __cdecl INTL_PROFILE::QueryShortDateString(class WIN_TIME const & __ptr64,class NLS_STR * __ptr64)const __ptr64 +?QueryShortDateString@INTL_PROFILE@@QEBAJAEBVWIN_TIME@@PEAVNLS_STR@@@Z +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; protected: class TREE const * __ptr64 __cdecl DFSITER_TREE::QueryStartNode(void)const __ptr64 +?QueryStartNode@DFSITER_TREE@@IEBAPEBVTREE@@XZ +; private: class NLS_STR const * __ptr64 __cdecl ISTR::QueryString(void)const __ptr64 +?QueryString@ISTR@@AEBAPEBVNLS_STR@@XZ +; private: class NLS_STR * __ptr64 __cdecl NLS_STR::QuerySubStr(class ISTR const & __ptr64,unsigned int)const __ptr64 +?QuerySubStr@NLS_STR@@AEBAPEAV1@AEBVISTR@@I@Z +; public: class NLS_STR * __ptr64 __cdecl NLS_STR::QuerySubStr(class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?QuerySubStr@NLS_STR@@QEBAPEAV1@AEBVISTR@@0@Z +; public: class NLS_STR * __ptr64 __cdecl NLS_STR::QuerySubStr(class ISTR const & __ptr64)const __ptr64 +?QuerySubStr@NLS_STR@@QEBAPEAV1@AEBVISTR@@@Z +; public: unsigned short const * __ptr64 __cdecl HUATOM::QueryText(void)const __ptr64 +?QueryText@HUATOM@@QEBAPEBGXZ +; public: unsigned int __cdecl NLS_STR::QueryTextLength(void)const __ptr64 +?QueryTextLength@NLS_STR@@QEBAIXZ +; public: unsigned int __cdecl NLS_STR::QueryTextSize(void)const __ptr64 +?QueryTextSize@NLS_STR@@QEBAIXZ +; public: long __cdecl WIN_TIME::QueryTime(unsigned long * __ptr64)const __ptr64 +?QueryTime@WIN_TIME@@QEBAJPEAK@Z +; public: long __cdecl WIN_TIME::QueryTimeLocal(unsigned long * __ptr64)const __ptr64 +?QueryTimeLocal@WIN_TIME@@QEBAJPEAK@Z +; public: long __cdecl INTL_PROFILE::QueryTimeSeparator(class NLS_STR * __ptr64)const __ptr64 +?QueryTimeSeparator@INTL_PROFILE@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl INTL_PROFILE::QueryTimeString(class WIN_TIME const & __ptr64,class NLS_STR * __ptr64)const __ptr64 +?QueryTimeString@INTL_PROFILE@@QEBAJAEBVWIN_TIME@@PEAVNLS_STR@@@Z +; public: unsigned int __cdecl LOGON_HOURS_SETTING::QueryUnitsPerWeek(void)const __ptr64 +?QueryUnitsPerWeek@LOGON_HOURS_SETTING@@QEBAIXZ +; public: long __cdecl REG_KEY::QueryValue(class REG_VALUE_INFO_STRUCT * __ptr64) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEAVREG_VALUE_INFO_STRUCT@@@Z +; public: long __cdecl REG_KEY::QueryValue(unsigned short const * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEBGPEAK1@Z +; public: long __cdecl REG_KEY::QueryValue(unsigned short const * __ptr64,unsigned char * __ptr64 * __ptr64,long * __ptr64,long,unsigned long * __ptr64) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEBGPEAPEAEPEAJJPEAK@Z +; public: long __cdecl REG_KEY::QueryValue(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64,unsigned long,unsigned long * __ptr64,int) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEBGPEAPEAGKPEAKH@Z +; public: long __cdecl REG_KEY::QueryValue(unsigned short const * __ptr64,class STRLIST * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEBGPEAPEAVSTRLIST@@PEAK@Z +; public: long __cdecl REG_KEY::QueryValue(unsigned short const * __ptr64,class NLS_STR * __ptr64,unsigned long,unsigned long * __ptr64,int) __ptr64 +?QueryValue@REG_KEY@@QEAAJPEBGPEAVNLS_STR@@KPEAKH@Z +; public: int __cdecl WIN_TIME::QueryYear(void)const __ptr64 +?QueryYear@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryYearPos(void)const __ptr64 +?QueryYearPos@INTL_PROFILE@@QEBAHXZ +; private: int __cdecl NLS_STR::Realloc(unsigned int) __ptr64 +?Realloc@NLS_STR@@AEAAHI@Z +; private: long __cdecl BUFFER::ReallocStorage(unsigned int) __ptr64 +?ReallocStorage@BUFFER@@AEAAJI@Z +; public: void __cdecl FMX::Refresh(void) __ptr64 +?Refresh@FMX@@QEAAXXZ +; public: long __cdecl INTL_PROFILE::Refresh(void) __ptr64 +?Refresh@INTL_PROFILE@@QEAAJXZ +; protected: void __cdecl DLIST::Register(class ITER_L * __ptr64) __ptr64 +?Register@DLIST@@IEAAXPEAVITER_L@@@Z +; protected: void __cdecl SLIST::Register(class ITER_SL * __ptr64) __ptr64 +?Register@SLIST@@IEAAXPEAVITER_SL@@@Z +; public: void __cdecl FMX::Reload(void) __ptr64 +?Reload@FMX@@QEAAXXZ +; public: void * __ptr64 __cdecl DLIST::Remove(class ITER_DL & __ptr64) __ptr64 +?Remove@DLIST@@QEAAPEAXAEAVITER_DL@@@Z +; public: void * __ptr64 __cdecl DLIST::Remove(class RITER_DL & __ptr64) __ptr64 +?Remove@DLIST@@QEAAPEAXAEAVRITER_DL@@@Z +; public: void * __ptr64 __cdecl SLIST::Remove(class ITER_SL & __ptr64) __ptr64 +?Remove@SLIST@@QEAAPEAXAEAVITER_SL@@@Z +; public: class DIR_BLOCK * __ptr64 __cdecl SLIST_OF_DIR_BLOCK::Remove(class ITER_SL_DIR_BLOCK & __ptr64) __ptr64 +?Remove@SLIST_OF_DIR_BLOCK@@QEAAPEAVDIR_BLOCK@@AEAVITER_SL_DIR_BLOCK@@@Z +; public: class NLS_STR * __ptr64 __cdecl SLIST_OF_NLS_STR::Remove(class NLS_STR & __ptr64) __ptr64 +?Remove@SLIST_OF_NLS_STR@@QEAAPEAVNLS_STR@@AEAV2@@Z +; public: virtual void __cdecl OUTPUT_TO_AUX::Render(unsigned short const * __ptr64) __ptr64 +?Render@OUTPUT_TO_AUX@@UEAAXPEBG@Z +; public: virtual void __cdecl OUTPUT_TO_AUX::Render(unsigned short const * __ptr64,unsigned int) __ptr64 +?Render@OUTPUT_TO_AUX@@UEAAXPEBGI@Z +; private: virtual void __cdecl OUTPUT_TO_NUL::Render(unsigned short const * __ptr64) __ptr64 +?Render@OUTPUT_TO_NUL@@EEAAXPEBG@Z +; private: virtual void __cdecl OUTPUT_TO_NUL::Render(unsigned short const * __ptr64,unsigned int) __ptr64 +?Render@OUTPUT_TO_NUL@@EEAAXPEBGI@Z +; public: virtual void __cdecl OUTPUT_TO_STDERR::Render(unsigned short const * __ptr64) __ptr64 +?Render@OUTPUT_TO_STDERR@@UEAAXPEBG@Z +; public: virtual void __cdecl OUTPUT_TO_STDERR::Render(unsigned short const * __ptr64,unsigned int) __ptr64 +?Render@OUTPUT_TO_STDERR@@UEAAXPEBGI@Z +; public: virtual void __cdecl OUTPUT_TO_STDOUT::Render(unsigned short const * __ptr64) __ptr64 +?Render@OUTPUT_TO_STDOUT@@UEAAXPEBG@Z +; public: virtual void __cdecl OUTPUT_TO_STDOUT::Render(unsigned short const * __ptr64,unsigned int) __ptr64 +?Render@OUTPUT_TO_STDOUT@@UEAAXPEBGI@Z +; private: void __cdecl NLS_STR::ReplSubStr(class NLS_STR const & __ptr64,class ISTR & __ptr64,unsigned int) __ptr64 +?ReplSubStr@NLS_STR@@AEAAXAEBV1@AEAVISTR@@I@Z +; public: void __cdecl NLS_STR::ReplSubStr(class NLS_STR const & __ptr64,class ISTR & __ptr64) __ptr64 +?ReplSubStr@NLS_STR@@QEAAXAEBV1@AEAVISTR@@@Z +; public: void __cdecl NLS_STR::ReplSubStr(class NLS_STR const & __ptr64,class ISTR & __ptr64,class ISTR const & __ptr64) __ptr64 +?ReplSubStr@NLS_STR@@QEAAXAEBV1@AEAVISTR@@AEBV2@@Z +; protected: void __cdecl BASE::ReportError(long) __ptr64 +?ReportError@BASE@@IEAAXJ@Z +; protected: void __cdecl FS_ENUM::ReportLastError(long) __ptr64 +?ReportLastError@FS_ENUM@@IEAAXJ@Z +; public: void __cdecl DFSITER_TREE::Reset(void) __ptr64 +?Reset@DFSITER_TREE@@QEAAXXZ +; public: void __cdecl ISTR::Reset(void) __ptr64 +?Reset@ISTR@@QEAAXXZ +; public: void __cdecl ITER_DL::Reset(void) __ptr64 +?Reset@ITER_DL@@QEAAXXZ +; public: void __cdecl ITER_SL::Reset(void) __ptr64 +?Reset@ITER_SL@@QEAAXXZ +; public: int __cdecl NLS_STR::Reset(void) __ptr64 +?Reset@NLS_STR@@QEAAHXZ +; public: void __cdecl RITER_DL::Reset(void) __ptr64 +?Reset@RITER_DL@@QEAAXXZ +; protected: void __cdecl BASE::ResetError(void) __ptr64 +?ResetError@BASE@@IEAAXXZ +; public: long __cdecl BITFIELD::Resize(unsigned int) __ptr64 +?Resize@BITFIELD@@QEAAJI@Z +; public: long __cdecl BUFFER::Resize(unsigned int) __ptr64 +?Resize@BUFFER@@QEAAJI@Z +; public: long __cdecl NLS_STR::RtlOemUpcase(void) __ptr64 +?RtlOemUpcase@NLS_STR@@QEAAJXZ +; private: long __cdecl INTL_PROFILE::ScanLongDate(class NLS_STR * __ptr64)const __ptr64 +?ScanLongDate@INTL_PROFILE@@AEBAJPEAVNLS_STR@@@Z +; public: void __cdecl DL_NODE::Set(class DL_NODE * __ptr64,class DL_NODE * __ptr64,void * __ptr64) __ptr64 +?Set@DL_NODE@@QEAAXPEAV1@0PEAX@Z +; public: long __cdecl LOGON_HOURS_SETTING::Set(class LOGON_HOURS_SETTING const & __ptr64) __ptr64 +?Set@LOGON_HOURS_SETTING@@QEAAJAEBV1@@Z +; public: void __cdecl SL_NODE::Set(class SL_NODE * __ptr64,void * __ptr64) __ptr64 +?Set@SL_NODE@@QEAAXPEAV1@PEAX@Z +; public: void __cdecl BITFIELD::SetAllBits(enum BITVALUES) __ptr64 +?SetAllBits@BITFIELD@@QEAAXW4BITVALUES@@@Z +; public: long __cdecl HEAP_BASE::SetAllocCount(int) __ptr64 +?SetAllocCount@HEAP_BASE@@QEAAJH@Z +; public: void __cdecl BITFIELD::SetBit(unsigned int,enum BITVALUES) __ptr64 +?SetBit@BITFIELD@@QEAAXIW4BITVALUES@@@Z +; private: void __cdecl DFSITER_TREE::SetCurDepth(unsigned int) __ptr64 +?SetCurDepth@DFSITER_TREE@@AEAAXI@Z +; public: static void __cdecl DBGSTREAM::SetCurrent(class DBGSTREAM * __ptr64) +?SetCurrent@DBGSTREAM@@SAXPEAV1@@Z +; protected: void __cdecl FS_ENUM::SetCurrentDirBlock(class DIR_BLOCK * __ptr64) __ptr64 +?SetCurrentDirBlock@FS_ENUM@@IEAAXPEAVDIR_BLOCK@@@Z +; public: long __cdecl WIN_TIME::SetCurrentTime(void) __ptr64 +?SetCurrentTime@WIN_TIME@@QEAAJXZ +; public: void __cdecl DIR_BLOCK::SetDoBreadthFirstDirs(int) __ptr64 +?SetDoBreadthFirstDirs@DIR_BLOCK@@QEAAXH@Z +; public: void __cdecl DIR_BLOCK::SetFindFirstFlag(int) __ptr64 +?SetFindFirstFlag@DIR_BLOCK@@QEAAXH@Z +; private: void __cdecl TREE::SetFirstSubtree(class TREE * __ptr64) __ptr64 +?SetFirstSubtree@TREE@@AEAAXPEAV1@@Z +; public: long __cdecl LOGON_HOURS_SETTING::SetFromBits(unsigned char const * __ptr64,unsigned int) __ptr64 +?SetFromBits@LOGON_HOURS_SETTING@@QEAAJPEBEI@Z +; public: long __cdecl WIN_TIME::SetGMT(int) __ptr64 +?SetGMT@WIN_TIME@@QEAAJH@Z +; public: long __cdecl LOGON_HOURS_SETTING::SetHourInDay(int,unsigned int,unsigned int) __ptr64 +?SetHourInDay@LOGON_HOURS_SETTING@@QEAAJHII@Z +; public: long __cdecl LOGON_HOURS_SETTING::SetHourInWeek(int,unsigned int) __ptr64 +?SetHourInWeek@LOGON_HOURS_SETTING@@QEAAJHI@Z +; private: void __cdecl ISTR::SetIch(int) __ptr64 +?SetIch@ISTR@@AEAAXH@Z +; protected: void __cdecl HEAP_BASE::SetItem(int,void * __ptr64) __ptr64 +?SetItem@HEAP_BASE@@IEAAXHPEAX@Z +; protected: void __cdecl DLIST::SetIters(class DL_NODE * __ptr64) __ptr64 +?SetIters@DLIST@@IEAAXPEAVDL_NODE@@@Z +; protected: void __cdecl SLIST::SetIters(class SL_NODE * __ptr64,class SL_NODE * __ptr64) __ptr64 +?SetIters@SLIST@@IEAAXPEAVSL_NODE@@0@Z +; protected: void __cdecl SLIST::SetIters(class SL_NODE * __ptr64) __ptr64 +?SetIters@SLIST@@IEAAXPEAVSL_NODE@@@Z +; private: long __cdecl REG_KEY::SetKeyValueBinary(unsigned short const * __ptr64,unsigned char const * __ptr64,long,unsigned long,unsigned long) __ptr64 +?SetKeyValueBinary@REG_KEY@@AEAAJPEBGPEBEJKK@Z +; private: long __cdecl REG_KEY::SetKeyValueLong(unsigned short const * __ptr64,long,unsigned long) __ptr64 +?SetKeyValueLong@REG_KEY@@AEAAJPEBGJK@Z +; private: long __cdecl REG_KEY::SetKeyValueString(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long,long,unsigned long) __ptr64 +?SetKeyValueString@REG_KEY@@AEAAJPEBG0KJK@Z +; private: void __cdecl TREE::SetLeft(class TREE * __ptr64) __ptr64 +?SetLeft@TREE@@AEAAXPEAV1@@Z +; private: void __cdecl DFSITER_TREE::SetMaxDepth(unsigned int) __ptr64 +?SetMaxDepth@DFSITER_TREE@@AEAAXI@Z +; private: void __cdecl DFSITER_TREE::SetNode(class TREE const * __ptr64) __ptr64 +?SetNode@DFSITER_TREE@@AEAAXPEBVTREE@@@Z +; private: void __cdecl TREE::SetParent(class TREE * __ptr64) __ptr64 +?SetParent@TREE@@AEAAXPEAV1@@Z +; public: void __cdecl TREE::SetProp(void * __ptr64 const) __ptr64 +?SetProp@TREE@@QEAAXQEAX@Z +; private: void __cdecl TREE::SetRight(class TREE * __ptr64) __ptr64 +?SetRight@TREE@@AEAAXPEAV1@@Z +; public: void __cdecl DBGSTREAM::SetSink(class OUTPUTSINK * __ptr64) __ptr64 +?SetSink@DBGSTREAM@@QEAAXPEAVOUTPUTSINK@@@Z +; private: void __cdecl DFSITER_TREE::SetStartNode(class TREE const * __ptr64) __ptr64 +?SetStartNode@DFSITER_TREE@@AEAAXPEBVTREE@@@Z +; public: long __cdecl WIN_TIME::SetTime(unsigned long) __ptr64 +?SetTime@WIN_TIME@@QEAAJK@Z +; public: long __cdecl WIN_TIME::SetTime(struct _FILETIME) __ptr64 +?SetTime@WIN_TIME@@QEAAJU_FILETIME@@@Z +; public: long __cdecl WIN_TIME::SetTimeLocal(unsigned long) __ptr64 +?SetTimeLocal@WIN_TIME@@QEAAJK@Z +; public: long __cdecl WIN_TIME::SetTimeLocal(struct _FILETIME) __ptr64 +?SetTimeLocal@WIN_TIME@@QEAAJU_FILETIME@@@Z +; public: long __cdecl REG_KEY::SetValue(class REG_VALUE_INFO_STRUCT * __ptr64) __ptr64 +?SetValue@REG_KEY@@QEAAJPEAVREG_VALUE_INFO_STRUCT@@@Z +; public: long __cdecl REG_KEY::SetValue(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long const * __ptr64,int) __ptr64 +?SetValue@REG_KEY@@QEAAJPEBG0KPEBKH@Z +; public: long __cdecl REG_KEY::SetValue(unsigned short const * __ptr64,unsigned long,unsigned long const * __ptr64) __ptr64 +?SetValue@REG_KEY@@QEAAJPEBGKPEBK@Z +; public: long __cdecl REG_KEY::SetValue(unsigned short const * __ptr64,unsigned char const * __ptr64,long,unsigned long const * __ptr64) __ptr64 +?SetValue@REG_KEY@@QEAAJPEBGPEBEJPEBK@Z +; public: long __cdecl REG_KEY::SetValue(unsigned short const * __ptr64,class NLS_STR const * __ptr64,unsigned long const * __ptr64,int) __ptr64 +?SetValue@REG_KEY@@QEAAJPEBGPEBVNLS_STR@@PEBKH@Z +; public: long __cdecl REG_KEY::SetValue(unsigned short const * __ptr64,class STRLIST const * __ptr64,unsigned long const * __ptr64) __ptr64 +?SetValue@REG_KEY@@QEAAJPEBGPEBVSTRLIST@@PEBK@Z +; protected: int __cdecl FS_ENUM::ShouldThisFileBeIncluded(unsigned int)const __ptr64 +?ShouldThisFileBeIncluded@FS_ENUM@@IEBAHI@Z +; public: static long __cdecl UATOM_MANAGER::Terminate(void) +?Terminate@UATOM_MANAGER@@SAJXZ +; private: class UATOM * __ptr64 __cdecl UATOM_MANAGER::Tokenize(unsigned short const * __ptr64,int) __ptr64 +?Tokenize@UATOM_MANAGER@@AEAAPEAVUATOM@@PEBGH@Z +; public: void __cdecl BUFFER::Trim(void) __ptr64 +?Trim@BUFFER@@QEAAXXZ +; public: void __cdecl HEAP_BASE::Trim(void) __ptr64 +?Trim@HEAP_BASE@@QEAAXXZ +; void __cdecl UIAssertCommand(char const * __ptr64) +?UIAssertCommand@@YAXPEBD@Z +; void __cdecl UIAssertHlp(char const * __ptr64,char const * __ptr64,unsigned int) +?UIAssertHlp@@YAXPEBD0I@Z +; void __cdecl UIAssertHlp(char const * __ptr64,unsigned int) +?UIAssertHlp@@YAXPEBDI@Z +; protected: void * __ptr64 __cdecl DLIST::Unlink(class DL_NODE * __ptr64) __ptr64 +?Unlink@DLIST@@IEAAPEAXPEAVDL_NODE@@@Z +; protected: void __cdecl TREE::Unlink(void) __ptr64 +?Unlink@TREE@@IEAAXXZ +; public: void __cdecl UATOM_LINKAGE::Unlink(void) __ptr64 +?Unlink@UATOM_LINKAGE@@QEAAXXZ +; private: void __cdecl NLS_STR::UpdateIstr(class ISTR * __ptr64)const __ptr64 +?UpdateIstr@NLS_STR@@AEBAXPEAVISTR@@@Z +; public: int __cdecl STRLIST::WriteToBuffer(unsigned short * __ptr64,int,unsigned short * __ptr64) __ptr64 +?WriteToBuffer@STRLIST@@QEAAHPEAGH0@Z +; public: void __cdecl DLIST::_DebugPrint(void)const __ptr64 +?_DebugPrint@DLIST@@QEBAXXZ +; public: void __cdecl SLIST::_DebugPrint(void)const __ptr64 +?_DebugPrint@SLIST@@QEBAXXZ +; public: void __cdecl TREE::_DebugPrint(void)const __ptr64 +?_DebugPrint@TREE@@QEBAXXZ +; public: int __cdecl NLS_STR::_IsOwnerAlloc(void)const __ptr64 +?_IsOwnerAlloc@NLS_STR@@QEBAHXZ +; public: unsigned int __cdecl NLS_STR::_QueryAllocSize(void)const __ptr64 +?_QueryAllocSize@NLS_STR@@QEBAIXZ +; public: unsigned short const * __ptr64 __cdecl NLS_STR::_QueryPch(void)const __ptr64 +?_QueryPch@NLS_STR@@QEBAPEBGXZ +; public: unsigned int __cdecl NLS_STR::_QueryTextLength(void)const __ptr64 +?_QueryTextLength@NLS_STR@@QEBAIXZ +; protected: void __cdecl BASE::_ReportError(long) __ptr64 +?_ReportError@BASE@@IEAAXJ@Z +; public: int __cdecl NLS_STR::_stricmp(class NLS_STR const & __ptr64)const __ptr64 +?_stricmp@NLS_STR@@QEBAHAEBV1@@Z +; public: int __cdecl NLS_STR::_stricmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?_stricmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@1@Z +; public: int __cdecl NLS_STR::_stricmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?_stricmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@@Z +; public: int __cdecl NLS_STR::_strnicmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?_strnicmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@11@Z +; public: int __cdecl NLS_STR::_strnicmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?_strnicmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@1@Z +; public: int __cdecl NLS_STR::_strnicmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?_strnicmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@@Z +; public: class NLS_STR & __ptr64 __cdecl NLS_STR::_strupr(void) __ptr64 +?_strupr@NLS_STR@@QEAAAEAV1@XZ +; public: int __cdecl NLS_STR::atoi(class ISTR const & __ptr64)const __ptr64 +?atoi@NLS_STR@@QEBAHAEBVISTR@@@Z +; public: int __cdecl NLS_STR::atoi(void)const __ptr64 +?atoi@NLS_STR@@QEBAHXZ +; public: long __cdecl NLS_STR::atol(class ISTR const & __ptr64)const __ptr64 +?atol@NLS_STR@@QEBAJAEBVISTR@@@Z +; public: long __cdecl NLS_STR::atol(void)const __ptr64 +?atol@NLS_STR@@QEBAJXZ +; public: unsigned long __cdecl NLS_STR::atoul(class ISTR const & __ptr64)const __ptr64 +?atoul@NLS_STR@@QEBAKAEBVISTR@@@Z +; public: unsigned long __cdecl NLS_STR::atoul(void)const __ptr64 +?atoul@NLS_STR@@QEBAKXZ +; public: class NLS_STR & __ptr64 __cdecl NLS_STR::strcat(class NLS_STR const & __ptr64) __ptr64 +?strcat@NLS_STR@@QEAAAEAV1@AEBV1@@Z +; public: int __cdecl NLS_STR::strchr(class ISTR * __ptr64,unsigned short)const __ptr64 +?strchr@NLS_STR@@QEBAHPEAVISTR@@G@Z +; public: int __cdecl NLS_STR::strchr(class ISTR * __ptr64,unsigned short,class ISTR const & __ptr64)const __ptr64 +?strchr@NLS_STR@@QEBAHPEAVISTR@@GAEBV2@@Z +; public: int __cdecl NLS_STR::strcmp(class NLS_STR const & __ptr64)const __ptr64 +?strcmp@NLS_STR@@QEBAHAEBV1@@Z +; public: int __cdecl NLS_STR::strcmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strcmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@1@Z +; public: int __cdecl NLS_STR::strcmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strcmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@@Z +; unsigned short * __ptr64 __cdecl strcpy(unsigned short * __ptr64,class NLS_STR const & __ptr64) +?strcpy@@YAPEAGPEAGAEBVNLS_STR@@@Z +; public: int __cdecl NLS_STR::strcspn(class ISTR * __ptr64,class NLS_STR const & __ptr64)const __ptr64 +?strcspn@NLS_STR@@QEBAHPEAVISTR@@AEBV1@@Z +; public: int __cdecl NLS_STR::strcspn(class ISTR * __ptr64,class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strcspn@NLS_STR@@QEBAHPEAVISTR@@AEBV1@AEBV2@@Z +; public: unsigned int __cdecl NLS_STR::strlen(void)const __ptr64 +?strlen@NLS_STR@@QEBAIXZ +; public: int __cdecl NLS_STR::strncmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strncmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@11@Z +; public: int __cdecl NLS_STR::strncmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strncmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@1@Z +; public: int __cdecl NLS_STR::strncmp(class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strncmp@NLS_STR@@QEBAHAEBV1@AEBVISTR@@@Z +; public: int __cdecl NLS_STR::strrchr(class ISTR * __ptr64,unsigned short)const __ptr64 +?strrchr@NLS_STR@@QEBAHPEAVISTR@@G@Z +; public: int __cdecl NLS_STR::strrchr(class ISTR * __ptr64,unsigned short,class ISTR const & __ptr64)const __ptr64 +?strrchr@NLS_STR@@QEBAHPEAVISTR@@GAEBV2@@Z +; public: int __cdecl NLS_STR::strspn(class ISTR * __ptr64,class NLS_STR const & __ptr64)const __ptr64 +?strspn@NLS_STR@@QEBAHPEAVISTR@@AEBV1@@Z +; public: int __cdecl NLS_STR::strspn(class ISTR * __ptr64,class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strspn@NLS_STR@@QEBAHPEAVISTR@@AEBV1@AEBV2@@Z +; public: int __cdecl NLS_STR::strstr(class ISTR * __ptr64,class NLS_STR const & __ptr64)const __ptr64 +?strstr@NLS_STR@@QEBAHPEAVISTR@@AEBV1@@Z +; public: int __cdecl NLS_STR::strstr(class ISTR * __ptr64,class NLS_STR const & __ptr64,class ISTR const & __ptr64)const __ptr64 +?strstr@NLS_STR@@QEBAHPEAVISTR@@AEBV1@AEBV2@@Z +; public: virtual void * __ptr64 __cdecl ITER_DL::vNext(void) __ptr64 +?vNext@ITER_DL@@UEAAPEAXXZ +; public: virtual void * __ptr64 __cdecl RITER_DL::vNext(void) __ptr64 +?vNext@RITER_DL@@UEAAPEAXXZ +InitCompareParam +NETUI_InitIsDBCS +NETUI_IsDBCS +NETUI_strcmp +NETUI_stricmp +NETUI_strncmp +NETUI_strncmp2 +NETUI_strnicmp +NETUI_strnicmp2 +QueryNocaseCompareParam +QueryStdCompareParam +QueryUserDefaultLCID +UserPreferenceQuery +UserPreferenceQueryBool +UserPreferenceSet +UserPreferenceSetBool +UserProfileEnum +UserProfileFree +UserProfileInit +UserProfileQuery +UserProfileRead +UserProfileSet +UserProfileWrite diff --git a/lib/libc/mingw/lib64/netui1.def b/lib/libc/mingw/lib64/netui1.def new file mode 100644 index 0000000000..58f913ef60 --- /dev/null +++ b/lib/libc/mingw/lib64/netui1.def @@ -0,0 +1,3052 @@ +; +; Exports of file NETUI1.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETUI1.dll +EXPORTS +; public: __cdecl ADMIN_AUTHORITY::ADMIN_AUTHORITY(unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long,int) __ptr64 +??0ADMIN_AUTHORITY@@QEAA@PEBGKKKKH@Z +; public: __cdecl ALIAS_ENUM::ALIAS_ENUM(class SAM_DOMAIN & __ptr64,unsigned int) __ptr64 +??0ALIAS_ENUM@@QEAA@AEAVSAM_DOMAIN@@I@Z +; public: __cdecl ALIAS_ENUM_ITER::ALIAS_ENUM_ITER(class ALIAS_ENUM & __ptr64) __ptr64 +??0ALIAS_ENUM_ITER@@QEAA@AEAVALIAS_ENUM@@@Z +; public: __cdecl ALIAS_ENUM_OBJ::ALIAS_ENUM_OBJ(void) __ptr64 +??0ALIAS_ENUM_OBJ@@QEAA@XZ +; public: __cdecl ALIAS_STR::ALIAS_STR(unsigned short const * __ptr64) __ptr64 +??0ALIAS_STR@@QEAA@PEBG@Z +; public: __cdecl ALLOC_STR::ALLOC_STR(unsigned short * __ptr64,unsigned int) __ptr64 +??0ALLOC_STR@@QEAA@PEAGI@Z +; public: __cdecl API_SESSION::API_SESSION(unsigned short const * __ptr64,int) __ptr64 +??0API_SESSION@@QEAA@PEBGH@Z +; protected: __cdecl BASE::BASE(void) __ptr64 +??0BASE@@IEAA@XZ +; public: __cdecl BROWSE_DOMAIN_ENUM::BROWSE_DOMAIN_ENUM(unsigned long,unsigned long * __ptr64) __ptr64 +??0BROWSE_DOMAIN_ENUM@@QEAA@KPEAK@Z +; public: __cdecl BROWSE_DOMAIN_INFO::BROWSE_DOMAIN_INFO(unsigned short const * __ptr64,unsigned long) __ptr64 +??0BROWSE_DOMAIN_INFO@@QEAA@PEBGK@Z +; public: __cdecl CHARDEVQ1_ENUM::CHARDEVQ1_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CHARDEVQ1_ENUM@@QEAA@PEBG0@Z +; public: __cdecl CHARDEVQ1_ENUM_ITER::CHARDEVQ1_ENUM_ITER(class CHARDEVQ1_ENUM & __ptr64) __ptr64 +??0CHARDEVQ1_ENUM_ITER@@QEAA@AEAVCHARDEVQ1_ENUM@@@Z +; public: __cdecl CHARDEVQ1_ENUM_OBJ::CHARDEVQ1_ENUM_OBJ(void) __ptr64 +??0CHARDEVQ1_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl CHARDEVQ_ENUM::CHARDEVQ_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0CHARDEVQ_ENUM@@IEAA@PEBG0I@Z +; protected: __cdecl COMPUTER::COMPUTER(unsigned short const * __ptr64) __ptr64 +??0COMPUTER@@IEAA@PEBG@Z +; public: __cdecl CONN0_ENUM::CONN0_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CONN0_ENUM@@QEAA@PEBG0@Z +; public: __cdecl CONN0_ENUM_ITER::CONN0_ENUM_ITER(class CONN0_ENUM & __ptr64) __ptr64 +??0CONN0_ENUM_ITER@@QEAA@AEAVCONN0_ENUM@@@Z +; public: __cdecl CONN0_ENUM_OBJ::CONN0_ENUM_OBJ(void) __ptr64 +??0CONN0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl CONN1_ENUM::CONN1_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CONN1_ENUM@@QEAA@PEBG0@Z +; public: __cdecl CONN1_ENUM_ITER::CONN1_ENUM_ITER(class CONN1_ENUM & __ptr64) __ptr64 +??0CONN1_ENUM_ITER@@QEAA@AEAVCONN1_ENUM@@@Z +; public: __cdecl CONN1_ENUM_OBJ::CONN1_ENUM_OBJ(void) __ptr64 +??0CONN1_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl CONN_ENUM::CONN_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0CONN_ENUM@@IEAA@PEBG0I@Z +; public: __cdecl CONTEXT_ENUM::CONTEXT_ENUM(unsigned long) __ptr64 +??0CONTEXT_ENUM@@QEAA@K@Z +; public: __cdecl CONTEXT_ENUM_ITER::CONTEXT_ENUM_ITER(class CONTEXT_ENUM & __ptr64) __ptr64 +??0CONTEXT_ENUM_ITER@@QEAA@AEAVCONTEXT_ENUM@@@Z +; public: __cdecl CONTEXT_ENUM_OBJ::CONTEXT_ENUM_OBJ(void) __ptr64 +??0CONTEXT_ENUM_OBJ@@QEAA@XZ +; public: __cdecl DEVICE2::DEVICE2(unsigned short const * __ptr64) __ptr64 +??0DEVICE2@@QEAA@PEBG@Z +; public: __cdecl DEVICE::DEVICE(unsigned short const * __ptr64) __ptr64 +??0DEVICE@@QEAA@PEBG@Z +; public: __cdecl DOMAIN0_ENUM::DOMAIN0_ENUM(unsigned short const * __ptr64) __ptr64 +??0DOMAIN0_ENUM@@QEAA@PEBG@Z +; public: __cdecl DOMAIN0_ENUM_ITER::DOMAIN0_ENUM_ITER(class DOMAIN0_ENUM & __ptr64) __ptr64 +??0DOMAIN0_ENUM_ITER@@QEAA@AEAVDOMAIN0_ENUM@@@Z +; public: __cdecl DOMAIN0_ENUM_OBJ::DOMAIN0_ENUM_OBJ(void) __ptr64 +??0DOMAIN0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl DOMAIN::DOMAIN(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0DOMAIN@@QEAA@PEBG0H@Z +; public: __cdecl DOMAIN::DOMAIN(unsigned short const * __ptr64,int) __ptr64 +??0DOMAIN@@QEAA@PEBGH@Z +; protected: __cdecl DOMAIN_ENUM::DOMAIN_ENUM(unsigned short const * __ptr64,unsigned int) __ptr64 +??0DOMAIN_ENUM@@IEAA@PEBGI@Z +; public: __cdecl DOMAIN_WITH_DC_CACHE::DOMAIN_WITH_DC_CACHE(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0DOMAIN_WITH_DC_CACHE@@QEAA@PEBG0H@Z +; public: __cdecl DOMAIN_WITH_DC_CACHE::DOMAIN_WITH_DC_CACHE(unsigned short const * __ptr64,int) __ptr64 +??0DOMAIN_WITH_DC_CACHE@@QEAA@PEBGH@Z +; public: __cdecl ENUM_CALLER::ENUM_CALLER(void) __ptr64 +??0ENUM_CALLER@@QEAA@XZ +; public: __cdecl ENUM_CALLER_LM_OBJ::ENUM_CALLER_LM_OBJ(class LOCATION const & __ptr64) __ptr64 +??0ENUM_CALLER_LM_OBJ@@QEAA@AEBVLOCATION@@@Z +; protected: __cdecl ENUM_OBJ_BASE::ENUM_OBJ_BASE(void) __ptr64 +??0ENUM_OBJ_BASE@@IEAA@XZ +; public: __cdecl FILE2_ENUM::FILE2_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0FILE2_ENUM@@QEAA@PEBG00@Z +; public: __cdecl FILE2_ENUM_ITER::FILE2_ENUM_ITER(class FILE2_ENUM & __ptr64) __ptr64 +??0FILE2_ENUM_ITER@@QEAA@AEAVFILE2_ENUM@@@Z +; public: __cdecl FILE2_ENUM_OBJ::FILE2_ENUM_OBJ(void) __ptr64 +??0FILE2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl FILE3_ENUM::FILE3_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0FILE3_ENUM@@QEAA@PEBG00@Z +; public: __cdecl FILE3_ENUM_ITER::FILE3_ENUM_ITER(class FILE3_ENUM & __ptr64) __ptr64 +??0FILE3_ENUM_ITER@@QEAA@AEAVFILE3_ENUM@@@Z +; public: __cdecl FILE3_ENUM_OBJ::FILE3_ENUM_OBJ(void) __ptr64 +??0FILE3_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl FILE_ENUM::FILE_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0FILE_ENUM@@IEAA@PEBG00I@Z +; public: __cdecl GROUP0_ENUM::GROUP0_ENUM(class LOCATION const & __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP0_ENUM@@QEAA@AEBVLOCATION@@PEBG@Z +; public: __cdecl GROUP0_ENUM::GROUP0_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP0_ENUM@@QEAA@PEBG0@Z +; public: __cdecl GROUP0_ENUM::GROUP0_ENUM(enum LOCATION_TYPE,unsigned short const * __ptr64) __ptr64 +??0GROUP0_ENUM@@QEAA@W4LOCATION_TYPE@@PEBG@Z +; public: __cdecl GROUP0_ENUM_ITER::GROUP0_ENUM_ITER(class GROUP0_ENUM & __ptr64) __ptr64 +??0GROUP0_ENUM_ITER@@QEAA@AEAVGROUP0_ENUM@@@Z +; public: __cdecl GROUP0_ENUM_OBJ::GROUP0_ENUM_OBJ(void) __ptr64 +??0GROUP0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl GROUP1_ENUM::GROUP1_ENUM(class LOCATION const & __ptr64) __ptr64 +??0GROUP1_ENUM@@QEAA@AEBVLOCATION@@@Z +; public: __cdecl GROUP1_ENUM::GROUP1_ENUM(unsigned short const * __ptr64) __ptr64 +??0GROUP1_ENUM@@QEAA@PEBG@Z +; public: __cdecl GROUP1_ENUM::GROUP1_ENUM(enum LOCATION_TYPE) __ptr64 +??0GROUP1_ENUM@@QEAA@W4LOCATION_TYPE@@@Z +; public: __cdecl GROUP1_ENUM_ITER::GROUP1_ENUM_ITER(class GROUP1_ENUM & __ptr64) __ptr64 +??0GROUP1_ENUM_ITER@@QEAA@AEAVGROUP1_ENUM@@@Z +; public: __cdecl GROUP1_ENUM_OBJ::GROUP1_ENUM_OBJ(void) __ptr64 +??0GROUP1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl GROUP::GROUP(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP@@QEAA@PEBG0@Z +; public: __cdecl GROUP::GROUP(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0GROUP@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl GROUP::GROUP(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0GROUP@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl GROUP_0::GROUP_0(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP_0@@QEAA@PEBG0@Z +; public: __cdecl GROUP_0::GROUP_0(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0GROUP_0@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl GROUP_0::GROUP_0(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0GROUP_0@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl GROUP_1::GROUP_1(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP_1@@QEAA@PEBG0@Z +; public: __cdecl GROUP_1::GROUP_1(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0GROUP_1@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl GROUP_1::GROUP_1(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0GROUP_1@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; protected: __cdecl GROUP_ENUM::GROUP_ENUM(class LOCATION const & __ptr64,unsigned int,unsigned short const * __ptr64) __ptr64 +??0GROUP_ENUM@@IEAA@AEBVLOCATION@@IPEBG@Z +; protected: __cdecl GROUP_ENUM::GROUP_ENUM(unsigned short const * __ptr64,unsigned int,unsigned short const * __ptr64) __ptr64 +??0GROUP_ENUM@@IEAA@PEBGI0@Z +; protected: __cdecl GROUP_ENUM::GROUP_ENUM(enum LOCATION_TYPE,unsigned int,unsigned short const * __ptr64) __ptr64 +??0GROUP_ENUM@@IEAA@W4LOCATION_TYPE@@IPEBG@Z +; public: __cdecl GROUP_MEMB::GROUP_MEMB(class LOCATION const & __ptr64,unsigned short const * __ptr64) __ptr64 +??0GROUP_MEMB@@QEAA@AEBVLOCATION@@PEBG@Z +; public: __cdecl ITER_DEVICE::ITER_DEVICE(enum LMO_DEVICE,enum LMO_DEV_USAGE) __ptr64 +??0ITER_DEVICE@@QEAA@W4LMO_DEVICE@@W4LMO_DEV_USAGE@@@Z +; public: __cdecl ITER_SL_BROWSE_DOMAIN_INFO::ITER_SL_BROWSE_DOMAIN_INFO(class SLIST & __ptr64) __ptr64 +??0ITER_SL_BROWSE_DOMAIN_INFO@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_LM_RESUME_BUFFER::ITER_SL_LM_RESUME_BUFFER(class SLIST & __ptr64) __ptr64 +??0ITER_SL_LM_RESUME_BUFFER@@QEAA@AEAVSLIST@@@Z +; public: __cdecl LM_CONFIG::LM_CONFIG(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_CONFIG@@QEAA@PEBG00@Z +; protected: __cdecl LM_ENUM::LM_ENUM(unsigned int) __ptr64 +??0LM_ENUM@@IEAA@I@Z +; protected: __cdecl LM_ENUM_ITER::LM_ENUM_ITER(class LM_ENUM & __ptr64) __ptr64 +??0LM_ENUM_ITER@@IEAA@AEAVLM_ENUM@@@Z +; protected: __cdecl LM_FILE::LM_FILE(unsigned short const * __ptr64,unsigned long) __ptr64 +??0LM_FILE@@IEAA@PEBGK@Z +; public: __cdecl LM_FILE_2::LM_FILE_2(unsigned short const * __ptr64,unsigned long) __ptr64 +??0LM_FILE_2@@QEAA@PEBGK@Z +; public: __cdecl LM_FILE_3::LM_FILE_3(unsigned short const * __ptr64,unsigned long) __ptr64 +??0LM_FILE_3@@QEAA@PEBGK@Z +; public: __cdecl LM_MESSAGE::LM_MESSAGE(class LOCATION & __ptr64) __ptr64 +??0LM_MESSAGE@@QEAA@AEAVLOCATION@@@Z +; public: __cdecl LM_MESSAGE::LM_MESSAGE(unsigned short const * __ptr64) __ptr64 +??0LM_MESSAGE@@QEAA@PEBG@Z +; public: __cdecl LM_MESSAGE::LM_MESSAGE(enum LOCATION_TYPE) __ptr64 +??0LM_MESSAGE@@QEAA@W4LOCATION_TYPE@@@Z +; public: __cdecl LM_OBJ::LM_OBJ(void) __ptr64 +??0LM_OBJ@@QEAA@XZ +; protected: __cdecl LM_OBJ_BASE::LM_OBJ_BASE(int) __ptr64 +??0LM_OBJ_BASE@@IEAA@H@Z +; public: __cdecl LM_RESUME_BUFFER::LM_RESUME_BUFFER(class LM_RESUME_ENUM * __ptr64,unsigned int,unsigned char * __ptr64) __ptr64 +??0LM_RESUME_BUFFER@@QEAA@PEAVLM_RESUME_ENUM@@IPEAE@Z +; protected: __cdecl LM_RESUME_ENUM::LM_RESUME_ENUM(unsigned int,int) __ptr64 +??0LM_RESUME_ENUM@@IEAA@IH@Z +; protected: __cdecl LM_RESUME_ENUM_ITER::LM_RESUME_ENUM_ITER(class LM_RESUME_ENUM & __ptr64) __ptr64 +??0LM_RESUME_ENUM_ITER@@IEAA@AEAVLM_RESUME_ENUM@@@Z +; public: __cdecl LM_SERVICE::LM_SERVICE(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SERVICE@@QEAA@PEBG0@Z +; protected: __cdecl LM_SESSION::LM_SESSION(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SESSION@@IEAA@PEBG0@Z +; protected: __cdecl LM_SESSION::LM_SESSION(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0LM_SESSION@@IEAA@PEBGAEBVLOCATION@@@Z +; protected: __cdecl LM_SESSION::LM_SESSION(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0LM_SESSION@@IEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl LM_SESSION_0::LM_SESSION_0(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SESSION_0@@QEAA@PEBG0@Z +; public: __cdecl LM_SESSION_0::LM_SESSION_0(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0LM_SESSION_0@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl LM_SESSION_0::LM_SESSION_0(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0LM_SESSION_0@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl LM_SESSION_10::LM_SESSION_10(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SESSION_10@@QEAA@PEBG0@Z +; public: __cdecl LM_SESSION_10::LM_SESSION_10(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0LM_SESSION_10@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl LM_SESSION_10::LM_SESSION_10(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0LM_SESSION_10@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl LM_SESSION_1::LM_SESSION_1(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SESSION_1@@QEAA@PEBG0@Z +; public: __cdecl LM_SESSION_1::LM_SESSION_1(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0LM_SESSION_1@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl LM_SESSION_1::LM_SESSION_1(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0LM_SESSION_1@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl LM_SESSION_2::LM_SESSION_2(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LM_SESSION_2@@QEAA@PEBG0@Z +; public: __cdecl LM_SESSION_2::LM_SESSION_2(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0LM_SESSION_2@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl LM_SESSION_2::LM_SESSION_2(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0LM_SESSION_2@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl LM_SRVRES::LM_SRVRES(void) __ptr64 +??0LM_SRVRES@@QEAA@XZ +; public: __cdecl LOCAL_USER::LOCAL_USER(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0LOCAL_USER@@QEAA@PEBG0@Z +; public: __cdecl LOCAL_USER::LOCAL_USER(enum LOCATION_TYPE) __ptr64 +??0LOCAL_USER@@QEAA@W4LOCATION_TYPE@@@Z +; public: __cdecl LOCATION::LOCATION(class LOCATION const & __ptr64) __ptr64 +??0LOCATION@@QEAA@AEBV0@@Z +; public: __cdecl LOCATION::LOCATION(unsigned short const * __ptr64,int) __ptr64 +??0LOCATION@@QEAA@PEBGH@Z +; public: __cdecl LOCATION::LOCATION(enum LOCATION_TYPE,int) __ptr64 +??0LOCATION@@QEAA@W4LOCATION_TYPE@@H@Z +; protected: __cdecl LOC_LM_ENUM::LOC_LM_ENUM(class LOCATION const & __ptr64,unsigned int) __ptr64 +??0LOC_LM_ENUM@@IEAA@AEBVLOCATION@@I@Z +; protected: __cdecl LOC_LM_ENUM::LOC_LM_ENUM(unsigned short const * __ptr64,unsigned int) __ptr64 +??0LOC_LM_ENUM@@IEAA@PEBGI@Z +; protected: __cdecl LOC_LM_ENUM::LOC_LM_ENUM(enum LOCATION_TYPE,unsigned int) __ptr64 +??0LOC_LM_ENUM@@IEAA@W4LOCATION_TYPE@@I@Z +; public: __cdecl LOC_LM_OBJ::LOC_LM_OBJ(class LOCATION const & __ptr64,int) __ptr64 +??0LOC_LM_OBJ@@QEAA@AEBVLOCATION@@H@Z +; public: __cdecl LOC_LM_OBJ::LOC_LM_OBJ(unsigned short const * __ptr64,int) __ptr64 +??0LOC_LM_OBJ@@QEAA@PEBGH@Z +; public: __cdecl LOC_LM_OBJ::LOC_LM_OBJ(enum LOCATION_TYPE,int) __ptr64 +??0LOC_LM_OBJ@@QEAA@W4LOCATION_TYPE@@H@Z +; protected: __cdecl LOC_LM_RESUME_ENUM::LOC_LM_RESUME_ENUM(class LOCATION const & __ptr64,unsigned int,int) __ptr64 +??0LOC_LM_RESUME_ENUM@@IEAA@AEBVLOCATION@@IH@Z +; protected: __cdecl LOC_LM_RESUME_ENUM::LOC_LM_RESUME_ENUM(unsigned short const * __ptr64,unsigned int,int) __ptr64 +??0LOC_LM_RESUME_ENUM@@IEAA@PEBGIH@Z +; protected: __cdecl LOC_LM_RESUME_ENUM::LOC_LM_RESUME_ENUM(enum LOCATION_TYPE,unsigned int,int) __ptr64 +??0LOC_LM_RESUME_ENUM@@IEAA@W4LOCATION_TYPE@@IH@Z +; public: __cdecl LSA_ACCOUNT::LSA_ACCOUNT(class LSA_POLICY * __ptr64,void * __ptr64,unsigned long,unsigned short const * __ptr64,void * __ptr64) __ptr64 +??0LSA_ACCOUNT@@QEAA@PEAVLSA_POLICY@@PEAXKPEBG1@Z +; public: __cdecl LSA_ACCOUNTS_ENUM::LSA_ACCOUNTS_ENUM(class LSA_POLICY const * __ptr64) __ptr64 +??0LSA_ACCOUNTS_ENUM@@QEAA@PEBVLSA_POLICY@@@Z +; public: __cdecl LSA_ACCOUNTS_ENUM_ITER::LSA_ACCOUNTS_ENUM_ITER(class LSA_ACCOUNTS_ENUM & __ptr64) __ptr64 +??0LSA_ACCOUNTS_ENUM_ITER@@QEAA@AEAVLSA_ACCOUNTS_ENUM@@@Z +; public: __cdecl LSA_ACCOUNTS_ENUM_OBJ::LSA_ACCOUNTS_ENUM_OBJ(void) __ptr64 +??0LSA_ACCOUNTS_ENUM_OBJ@@QEAA@XZ +; public: __cdecl LSA_ACCOUNT_PRIVILEGE_ENUM_ITER::LSA_ACCOUNT_PRIVILEGE_ENUM_ITER(class OS_PRIVILEGE_SET * __ptr64) __ptr64 +??0LSA_ACCOUNT_PRIVILEGE_ENUM_ITER@@QEAA@PEAVOS_PRIVILEGE_SET@@@Z +; public: __cdecl LSA_ACCT_DOM_INFO_MEM::LSA_ACCT_DOM_INFO_MEM(int) __ptr64 +??0LSA_ACCT_DOM_INFO_MEM@@QEAA@H@Z +; public: __cdecl LSA_AUDIT_EVENT_INFO_MEM::LSA_AUDIT_EVENT_INFO_MEM(int) __ptr64 +??0LSA_AUDIT_EVENT_INFO_MEM@@QEAA@H@Z +; public: __cdecl LSA_DOMAIN_INFO::LSA_DOMAIN_INFO(class NLS_STR const & __ptr64,class LSA_DOMAIN_INFO const * __ptr64,class LSA_DOMAIN_INFO const * __ptr64) __ptr64 +??0LSA_DOMAIN_INFO@@QEAA@AEBVNLS_STR@@PEBV1@1@Z +; protected: __cdecl LSA_ENUM::LSA_ENUM(class LSA_POLICY const * __ptr64) __ptr64 +??0LSA_ENUM@@IEAA@PEBVLSA_POLICY@@@Z +; protected: __cdecl LSA_MEMORY::LSA_MEMORY(int) __ptr64 +??0LSA_MEMORY@@IEAA@H@Z +; protected: __cdecl LSA_OBJECT::LSA_OBJECT(void) __ptr64 +??0LSA_OBJECT@@IEAA@XZ +; public: __cdecl LSA_POLICY::LSA_POLICY(unsigned short const * __ptr64,unsigned long) __ptr64 +??0LSA_POLICY@@QEAA@PEBGK@Z +; public: __cdecl LSA_PRIMARY_DOM_INFO_MEM::LSA_PRIMARY_DOM_INFO_MEM(int) __ptr64 +??0LSA_PRIMARY_DOM_INFO_MEM@@QEAA@H@Z +; public: __cdecl LSA_PRIVILEGES_ENUM::LSA_PRIVILEGES_ENUM(class LSA_POLICY const * __ptr64) __ptr64 +??0LSA_PRIVILEGES_ENUM@@QEAA@PEBVLSA_POLICY@@@Z +; public: __cdecl LSA_PRIVILEGES_ENUM_ITER::LSA_PRIVILEGES_ENUM_ITER(class LSA_PRIVILEGES_ENUM & __ptr64) __ptr64 +??0LSA_PRIVILEGES_ENUM_ITER@@QEAA@AEAVLSA_PRIVILEGES_ENUM@@@Z +; public: __cdecl LSA_PRIVILEGES_ENUM_OBJ::LSA_PRIVILEGES_ENUM_OBJ(void) __ptr64 +??0LSA_PRIVILEGES_ENUM_OBJ@@QEAA@XZ +; public: __cdecl LSA_REF_DOMAIN_MEM::LSA_REF_DOMAIN_MEM(int) __ptr64 +??0LSA_REF_DOMAIN_MEM@@QEAA@H@Z +; public: __cdecl LSA_SECRET::LSA_SECRET(class NLS_STR const & __ptr64) __ptr64 +??0LSA_SECRET@@QEAA@AEBVNLS_STR@@@Z +; public: __cdecl LSA_SERVER_ROLE_INFO_MEM::LSA_SERVER_ROLE_INFO_MEM(int,int) __ptr64 +??0LSA_SERVER_ROLE_INFO_MEM@@QEAA@HH@Z +; public: __cdecl LSA_TRANSLATED_NAME_MEM::LSA_TRANSLATED_NAME_MEM(int) __ptr64 +??0LSA_TRANSLATED_NAME_MEM@@QEAA@H@Z +; public: __cdecl LSA_TRANSLATED_SID_MEM::LSA_TRANSLATED_SID_MEM(int) __ptr64 +??0LSA_TRANSLATED_SID_MEM@@QEAA@H@Z +; public: __cdecl LSA_TRUSTED_DC_LIST::LSA_TRUSTED_DC_LIST(class NLS_STR const & __ptr64,unsigned short const * __ptr64) __ptr64 +??0LSA_TRUSTED_DC_LIST@@QEAA@AEBVNLS_STR@@PEBG@Z +; public: __cdecl LSA_TRUSTED_DOMAIN::LSA_TRUSTED_DOMAIN(class LSA_POLICY const & __ptr64,struct _LSA_TRUST_INFORMATION const & __ptr64,unsigned long) __ptr64 +??0LSA_TRUSTED_DOMAIN@@QEAA@AEBVLSA_POLICY@@AEBU_LSA_TRUST_INFORMATION@@K@Z +; public: __cdecl LSA_TRUSTED_DOMAIN::LSA_TRUSTED_DOMAIN(class LSA_POLICY const & __ptr64,class NLS_STR const & __ptr64,void * __ptr64 const,unsigned long) __ptr64 +??0LSA_TRUSTED_DOMAIN@@QEAA@AEBVLSA_POLICY@@AEBVNLS_STR@@QEAXK@Z +; public: __cdecl LSA_TRUSTED_DOMAIN::LSA_TRUSTED_DOMAIN(class LSA_POLICY const & __ptr64,void * __ptr64 const,unsigned long) __ptr64 +??0LSA_TRUSTED_DOMAIN@@QEAA@AEBVLSA_POLICY@@QEAXK@Z +; public: __cdecl LSA_TRUST_INFO_MEM::LSA_TRUST_INFO_MEM(int) __ptr64 +??0LSA_TRUST_INFO_MEM@@QEAA@H@Z +; public: __cdecl MEMBERSHIP_LM_OBJ::MEMBERSHIP_LM_OBJ(class LOCATION const & __ptr64,unsigned int) __ptr64 +??0MEMBERSHIP_LM_OBJ@@QEAA@AEBVLOCATION@@I@Z +; protected: __cdecl NET_ACCESS::NET_ACCESS(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0NET_ACCESS@@IEAA@PEBG0@Z +; public: __cdecl NET_ACCESS_1::NET_ACCESS_1(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0NET_ACCESS_1@@QEAA@PEBG0@Z +; public: __cdecl NET_NAME::NET_NAME(unsigned short const * __ptr64,enum NETNAME_TYPE) __ptr64 +??0NET_NAME@@QEAA@PEBGW4NETNAME_TYPE@@@Z +; public: __cdecl NEW_LM_OBJ::NEW_LM_OBJ(int) __ptr64 +??0NEW_LM_OBJ@@QEAA@H@Z +; protected: __cdecl NT_ACCOUNT_ENUM::NT_ACCOUNT_ENUM(class SAM_DOMAIN const * __ptr64,enum _DOMAIN_DISPLAY_INFORMATION,int) __ptr64 +??0NT_ACCOUNT_ENUM@@IEAA@PEBVSAM_DOMAIN@@W4_DOMAIN_DISPLAY_INFORMATION@@H@Z +; public: __cdecl NT_GROUP_ENUM::NT_GROUP_ENUM(class SAM_DOMAIN const * __ptr64) __ptr64 +??0NT_GROUP_ENUM@@QEAA@PEBVSAM_DOMAIN@@@Z +; public: __cdecl NT_GROUP_ENUM_ITER::NT_GROUP_ENUM_ITER(class NT_GROUP_ENUM & __ptr64) __ptr64 +??0NT_GROUP_ENUM_ITER@@QEAA@AEAVNT_GROUP_ENUM@@@Z +; public: __cdecl NT_GROUP_ENUM_OBJ::NT_GROUP_ENUM_OBJ(void) __ptr64 +??0NT_GROUP_ENUM_OBJ@@QEAA@XZ +; public: __cdecl NT_MACHINE_ENUM::NT_MACHINE_ENUM(class SAM_DOMAIN const * __ptr64) __ptr64 +??0NT_MACHINE_ENUM@@QEAA@PEBVSAM_DOMAIN@@@Z +; public: __cdecl NT_MACHINE_ENUM_ITER::NT_MACHINE_ENUM_ITER(class NT_MACHINE_ENUM & __ptr64) __ptr64 +??0NT_MACHINE_ENUM_ITER@@QEAA@AEAVNT_MACHINE_ENUM@@@Z +; public: __cdecl NT_MACHINE_ENUM_OBJ::NT_MACHINE_ENUM_OBJ(void) __ptr64 +??0NT_MACHINE_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl NT_MEMORY::NT_MEMORY(void) __ptr64 +??0NT_MEMORY@@IEAA@XZ +; public: __cdecl NT_USER_ENUM::NT_USER_ENUM(class SAM_DOMAIN const * __ptr64) __ptr64 +??0NT_USER_ENUM@@QEAA@PEBVSAM_DOMAIN@@@Z +; public: __cdecl NT_USER_ENUM_ITER::NT_USER_ENUM_ITER(class NT_USER_ENUM & __ptr64) __ptr64 +??0NT_USER_ENUM_ITER@@QEAA@AEAVNT_USER_ENUM@@@Z +; public: __cdecl NT_USER_ENUM_OBJ::NT_USER_ENUM_OBJ(void) __ptr64 +??0NT_USER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl OS_ACE::OS_ACE(void * __ptr64) __ptr64 +??0OS_ACE@@QEAA@PEAX@Z +; public: __cdecl OS_ACL::OS_ACL(struct _ACL * __ptr64,int,class OS_SECURITY_DESCRIPTOR * __ptr64) __ptr64 +??0OS_ACL@@QEAA@PEAU_ACL@@HPEAVOS_SECURITY_DESCRIPTOR@@@Z +; public: __cdecl OS_ACL_SUBJECT_ITER::OS_ACL_SUBJECT_ITER(class OS_ACL const * __ptr64,struct _GENERIC_MAPPING * __ptr64,struct _GENERIC_MAPPING * __ptr64,int,int) __ptr64 +??0OS_ACL_SUBJECT_ITER@@QEAA@PEBVOS_ACL@@PEAU_GENERIC_MAPPING@@1HH@Z +; public: __cdecl OS_DACL_SUBJECT_ITER::OS_DACL_SUBJECT_ITER(class OS_ACL * __ptr64,struct _GENERIC_MAPPING * __ptr64,struct _GENERIC_MAPPING * __ptr64,int,int) __ptr64 +??0OS_DACL_SUBJECT_ITER@@QEAA@PEAVOS_ACL@@PEAU_GENERIC_MAPPING@@1HH@Z +; public: __cdecl OS_LUID::OS_LUID(struct _LUID) __ptr64 +??0OS_LUID@@QEAA@U_LUID@@@Z +; public: __cdecl OS_LUID::OS_LUID(void) __ptr64 +??0OS_LUID@@QEAA@XZ +; public: __cdecl OS_LUID_AND_ATTRIBUTES::OS_LUID_AND_ATTRIBUTES(void) __ptr64 +??0OS_LUID_AND_ATTRIBUTES@@QEAA@XZ +; protected: __cdecl OS_OBJECT_WITH_DATA::OS_OBJECT_WITH_DATA(unsigned int) __ptr64 +??0OS_OBJECT_WITH_DATA@@IEAA@I@Z +; public: __cdecl OS_PRIVILEGE_SET::OS_PRIVILEGE_SET(struct _PRIVILEGE_SET * __ptr64) __ptr64 +??0OS_PRIVILEGE_SET@@QEAA@PEAU_PRIVILEGE_SET@@@Z +; public: __cdecl OS_SACL_SUBJECT_ITER::OS_SACL_SUBJECT_ITER(class OS_ACL * __ptr64,struct _GENERIC_MAPPING * __ptr64,struct _GENERIC_MAPPING * __ptr64,int,int) __ptr64 +??0OS_SACL_SUBJECT_ITER@@QEAA@PEAVOS_ACL@@PEAU_GENERIC_MAPPING@@1HH@Z +; public: __cdecl OS_SECURITY_DESCRIPTOR::OS_SECURITY_DESCRIPTOR(void * __ptr64,int) __ptr64 +??0OS_SECURITY_DESCRIPTOR@@QEAA@PEAXH@Z +; public: __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::OS_SECURITY_DESCRIPTOR_CONTROL(unsigned short * __ptr64) __ptr64 +??0OS_SECURITY_DESCRIPTOR_CONTROL@@QEAA@PEAG@Z +; public: __cdecl OS_SID::OS_SID(void * __ptr64,int,class OS_SECURITY_DESCRIPTOR * __ptr64) __ptr64 +??0OS_SID@@QEAA@PEAXHPEAVOS_SECURITY_DESCRIPTOR@@@Z +; public: __cdecl OS_SID::OS_SID(void * __ptr64,unsigned long,class OS_SECURITY_DESCRIPTOR * __ptr64) __ptr64 +??0OS_SID@@QEAA@PEAXKPEAVOS_SECURITY_DESCRIPTOR@@@Z +; public: __cdecl SAM_ALIAS::SAM_ALIAS(class SAM_DOMAIN const & __ptr64,unsigned long,unsigned long) __ptr64 +??0SAM_ALIAS@@QEAA@AEBVSAM_DOMAIN@@KK@Z +; public: __cdecl SAM_ALIAS::SAM_ALIAS(class SAM_DOMAIN const & __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0SAM_ALIAS@@QEAA@AEBVSAM_DOMAIN@@PEBGK@Z +; public: __cdecl SAM_DOMAIN::SAM_DOMAIN(class SAM_SERVER const & __ptr64,void * __ptr64,unsigned long) __ptr64 +??0SAM_DOMAIN@@QEAA@AEBVSAM_SERVER@@PEAXK@Z +; public: __cdecl SAM_GROUP::SAM_GROUP(class SAM_DOMAIN const & __ptr64,unsigned long,unsigned long) __ptr64 +??0SAM_GROUP@@QEAA@AEBVSAM_DOMAIN@@KK@Z +; protected: __cdecl SAM_MEMORY::SAM_MEMORY(int) __ptr64 +??0SAM_MEMORY@@IEAA@H@Z +; protected: __cdecl SAM_OBJECT::SAM_OBJECT(void) __ptr64 +??0SAM_OBJECT@@IEAA@XZ +; public: __cdecl SAM_PSWD_DOM_INFO_MEM::SAM_PSWD_DOM_INFO_MEM(int) __ptr64 +??0SAM_PSWD_DOM_INFO_MEM@@QEAA@H@Z +; public: __cdecl SAM_RID_ENUMERATION_MEM::SAM_RID_ENUMERATION_MEM(int) __ptr64 +??0SAM_RID_ENUMERATION_MEM@@QEAA@H@Z +; public: __cdecl SAM_RID_MEM::SAM_RID_MEM(int) __ptr64 +??0SAM_RID_MEM@@QEAA@H@Z +; public: __cdecl SAM_SERVER::SAM_SERVER(unsigned short const * __ptr64,unsigned long) __ptr64 +??0SAM_SERVER@@QEAA@PEBGK@Z +; public: __cdecl SAM_SID_MEM::SAM_SID_MEM(int) __ptr64 +??0SAM_SID_MEM@@QEAA@H@Z +; public: __cdecl SAM_SID_NAME_USE_MEM::SAM_SID_NAME_USE_MEM(int) __ptr64 +??0SAM_SID_NAME_USE_MEM@@QEAA@H@Z +; public: __cdecl SAM_USER::SAM_USER(class SAM_DOMAIN const & __ptr64,unsigned long,unsigned long) __ptr64 +??0SAM_USER@@QEAA@AEBVSAM_DOMAIN@@KK@Z +; public: __cdecl SAM_USER_ENUM::SAM_USER_ENUM(class SAM_DOMAIN const * __ptr64,unsigned long,int) __ptr64 +??0SAM_USER_ENUM@@QEAA@PEBVSAM_DOMAIN@@KH@Z +; public: __cdecl SAM_USER_ENUM_ITER::SAM_USER_ENUM_ITER(class SAM_USER_ENUM & __ptr64) __ptr64 +??0SAM_USER_ENUM_ITER@@QEAA@AEAVSAM_USER_ENUM@@@Z +; public: __cdecl SAM_USER_ENUM_OBJ::SAM_USER_ENUM_OBJ(void) __ptr64 +??0SAM_USER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SC_MANAGER::SC_MANAGER(struct SC_HANDLE__ * __ptr64) __ptr64 +??0SC_MANAGER@@QEAA@PEAUSC_HANDLE__@@@Z +; public: __cdecl SC_MANAGER::SC_MANAGER(unsigned short const * __ptr64,unsigned int,enum SERVICE_DATABASE) __ptr64 +??0SC_MANAGER@@QEAA@PEBGIW4SERVICE_DATABASE@@@Z +; public: __cdecl SC_SERVICE::SC_SERVICE(class SC_MANAGER const & __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int,unsigned int,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0SC_SERVICE@@QEAA@AEBVSC_MANAGER@@PEBG1III11111I@Z +; public: __cdecl SC_SERVICE::SC_SERVICE(class SC_MANAGER const & __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0SC_SERVICE@@QEAA@AEBVSC_MANAGER@@PEBGI@Z +; public: __cdecl SERVER1_ENUM::SERVER1_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0SERVER1_ENUM@@QEAA@PEBG0K@Z +; public: __cdecl SERVER1_ENUM_ITER::SERVER1_ENUM_ITER(class SERVER1_ENUM & __ptr64) __ptr64 +??0SERVER1_ENUM_ITER@@QEAA@AEAVSERVER1_ENUM@@@Z +; public: __cdecl SERVER1_ENUM_OBJ::SERVER1_ENUM_OBJ(void) __ptr64 +??0SERVER1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SERVER_0::SERVER_0(unsigned short const * __ptr64) __ptr64 +??0SERVER_0@@QEAA@PEBG@Z +; public: __cdecl SERVER_1::SERVER_1(unsigned short const * __ptr64) __ptr64 +??0SERVER_1@@QEAA@PEBG@Z +; public: __cdecl SERVER_2::SERVER_2(unsigned short const * __ptr64) __ptr64 +??0SERVER_2@@QEAA@PEBG@Z +; protected: __cdecl SERVER_ENUM::SERVER_ENUM(unsigned short const * __ptr64,unsigned int,unsigned short const * __ptr64,unsigned long) __ptr64 +??0SERVER_ENUM@@IEAA@PEBGI0K@Z +; public: __cdecl SERVICE_CONTROL::SERVICE_CONTROL(void) __ptr64 +??0SERVICE_CONTROL@@QEAA@XZ +; public: __cdecl SERVICE_ENUM::SERVICE_ENUM(unsigned short const * __ptr64,int,unsigned int,unsigned short const * __ptr64) __ptr64 +??0SERVICE_ENUM@@QEAA@PEBGHI0@Z +; public: __cdecl SERVICE_ENUM_ITER::SERVICE_ENUM_ITER(class SERVICE_ENUM & __ptr64) __ptr64 +??0SERVICE_ENUM_ITER@@QEAA@AEAVSERVICE_ENUM@@@Z +; public: __cdecl SERVICE_ENUM_OBJ::SERVICE_ENUM_OBJ(void) __ptr64 +??0SERVICE_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SESSION0_ENUM::SESSION0_ENUM(unsigned short const * __ptr64) __ptr64 +??0SESSION0_ENUM@@QEAA@PEBG@Z +; public: __cdecl SESSION0_ENUM_ITER::SESSION0_ENUM_ITER(class SESSION0_ENUM & __ptr64) __ptr64 +??0SESSION0_ENUM_ITER@@QEAA@AEAVSESSION0_ENUM@@@Z +; public: __cdecl SESSION0_ENUM_OBJ::SESSION0_ENUM_OBJ(void) __ptr64 +??0SESSION0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SESSION1_ENUM::SESSION1_ENUM(unsigned short const * __ptr64) __ptr64 +??0SESSION1_ENUM@@QEAA@PEBG@Z +; public: __cdecl SESSION1_ENUM_ITER::SESSION1_ENUM_ITER(class SESSION1_ENUM & __ptr64) __ptr64 +??0SESSION1_ENUM_ITER@@QEAA@AEAVSESSION1_ENUM@@@Z +; public: __cdecl SESSION1_ENUM_OBJ::SESSION1_ENUM_OBJ(void) __ptr64 +??0SESSION1_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl SESSION_ENUM::SESSION_ENUM(unsigned short const * __ptr64,unsigned int) __ptr64 +??0SESSION_ENUM@@IEAA@PEBGI@Z +; public: __cdecl SHARE1_ENUM::SHARE1_ENUM(unsigned short const * __ptr64,int) __ptr64 +??0SHARE1_ENUM@@QEAA@PEBGH@Z +; public: __cdecl SHARE1_ENUM_ITER::SHARE1_ENUM_ITER(class SHARE1_ENUM & __ptr64) __ptr64 +??0SHARE1_ENUM_ITER@@QEAA@AEAVSHARE1_ENUM@@@Z +; public: __cdecl SHARE1_ENUM_OBJ::SHARE1_ENUM_OBJ(void) __ptr64 +??0SHARE1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SHARE2_ENUM::SHARE2_ENUM(unsigned short const * __ptr64,int) __ptr64 +??0SHARE2_ENUM@@QEAA@PEBGH@Z +; public: __cdecl SHARE2_ENUM_ITER::SHARE2_ENUM_ITER(class SHARE2_ENUM & __ptr64) __ptr64 +??0SHARE2_ENUM_ITER@@QEAA@AEAVSHARE2_ENUM@@@Z +; public: __cdecl SHARE2_ENUM_OBJ::SHARE2_ENUM_OBJ(void) __ptr64 +??0SHARE2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SHARE::SHARE(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0SHARE@@QEAA@PEBG0H@Z +; public: __cdecl SHARE_1::SHARE_1(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0SHARE_1@@QEAA@PEBG0H@Z +; public: __cdecl SHARE_2::SHARE_2(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0SHARE_2@@QEAA@PEBG0H@Z +; protected: __cdecl SHARE_ENUM::SHARE_ENUM(unsigned short const * __ptr64,unsigned int,int) __ptr64 +??0SHARE_ENUM@@IEAA@PEBGIH@Z +; public: __cdecl SLIST_OF_ADMIN_AUTHORITY::SLIST_OF_ADMIN_AUTHORITY(int) __ptr64 +??0SLIST_OF_ADMIN_AUTHORITY@@QEAA@H@Z +; public: __cdecl SLIST_OF_API_SESSION::SLIST_OF_API_SESSION(int) __ptr64 +??0SLIST_OF_API_SESSION@@QEAA@H@Z +; public: __cdecl SLIST_OF_BROWSE_DOMAIN_INFO::SLIST_OF_BROWSE_DOMAIN_INFO(int) __ptr64 +??0SLIST_OF_BROWSE_DOMAIN_INFO@@QEAA@H@Z +; public: __cdecl SLIST_OF_LM_RESUME_BUFFER::SLIST_OF_LM_RESUME_BUFFER(int) __ptr64 +??0SLIST_OF_LM_RESUME_BUFFER@@QEAA@H@Z +; public: __cdecl TIME_OF_DAY::TIME_OF_DAY(class LOCATION & __ptr64) __ptr64 +??0TIME_OF_DAY@@QEAA@AEAVLOCATION@@@Z +; public: __cdecl TIME_OF_DAY::TIME_OF_DAY(unsigned short const * __ptr64) __ptr64 +??0TIME_OF_DAY@@QEAA@PEBG@Z +; public: __cdecl TIME_OF_DAY::TIME_OF_DAY(enum LOCATION_TYPE) __ptr64 +??0TIME_OF_DAY@@QEAA@W4LOCATION_TYPE@@@Z +; public: __cdecl TRIPLE_SERVER_ENUM::TRIPLE_SERVER_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,int,int,int,int) __ptr64 +??0TRIPLE_SERVER_ENUM@@QEAA@PEBG0HHHH@Z +; public: __cdecl TRIPLE_SERVER_ENUM_ITER::TRIPLE_SERVER_ENUM_ITER(class TRIPLE_SERVER_ENUM & __ptr64) __ptr64 +??0TRIPLE_SERVER_ENUM_ITER@@QEAA@AEAVTRIPLE_SERVER_ENUM@@@Z +; public: __cdecl TRIPLE_SERVER_ENUM_OBJ::TRIPLE_SERVER_ENUM_OBJ(void) __ptr64 +??0TRIPLE_SERVER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl TRUSTED_DOMAIN_ENUM::TRUSTED_DOMAIN_ENUM(class LSA_POLICY const * __ptr64,int) __ptr64 +??0TRUSTED_DOMAIN_ENUM@@QEAA@PEBVLSA_POLICY@@H@Z +; public: __cdecl TRUSTED_DOMAIN_ENUM_ITER::TRUSTED_DOMAIN_ENUM_ITER(class TRUSTED_DOMAIN_ENUM & __ptr64) __ptr64 +??0TRUSTED_DOMAIN_ENUM_ITER@@QEAA@AEAVTRUSTED_DOMAIN_ENUM@@@Z +; public: __cdecl TRUSTED_DOMAIN_ENUM_OBJ::TRUSTED_DOMAIN_ENUM_OBJ(void) __ptr64 +??0TRUSTED_DOMAIN_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USE1_ENUM::USE1_ENUM(unsigned short const * __ptr64) __ptr64 +??0USE1_ENUM@@QEAA@PEBG@Z +; public: __cdecl USE1_ENUM_ITER::USE1_ENUM_ITER(class USE1_ENUM & __ptr64) __ptr64 +??0USE1_ENUM_ITER@@QEAA@AEAVUSE1_ENUM@@@Z +; public: __cdecl USE1_ENUM_OBJ::USE1_ENUM_OBJ(void) __ptr64 +??0USE1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER0_ENUM::USER0_ENUM(class LOCATION const & __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0USER0_ENUM@@QEAA@AEBVLOCATION@@PEBGH@Z +; public: __cdecl USER0_ENUM::USER0_ENUM(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +??0USER0_ENUM@@QEAA@PEBG0H@Z +; public: __cdecl USER0_ENUM::USER0_ENUM(enum LOCATION_TYPE,unsigned short const * __ptr64,int) __ptr64 +??0USER0_ENUM@@QEAA@W4LOCATION_TYPE@@PEBGH@Z +; public: __cdecl USER0_ENUM_ITER::USER0_ENUM_ITER(class USER0_ENUM & __ptr64) __ptr64 +??0USER0_ENUM_ITER@@QEAA@AEAVUSER0_ENUM@@@Z +; public: __cdecl USER0_ENUM_OBJ::USER0_ENUM_OBJ(void) __ptr64 +??0USER0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER10_ENUM::USER10_ENUM(class LOCATION const & __ptr64,int) __ptr64 +??0USER10_ENUM@@QEAA@AEBVLOCATION@@H@Z +; public: __cdecl USER10_ENUM::USER10_ENUM(unsigned short const * __ptr64,int) __ptr64 +??0USER10_ENUM@@QEAA@PEBGH@Z +; public: __cdecl USER10_ENUM::USER10_ENUM(enum LOCATION_TYPE,int) __ptr64 +??0USER10_ENUM@@QEAA@W4LOCATION_TYPE@@H@Z +; public: __cdecl USER10_ENUM_ITER::USER10_ENUM_ITER(class USER10_ENUM & __ptr64) __ptr64 +??0USER10_ENUM_ITER@@QEAA@AEAVUSER10_ENUM@@@Z +; public: __cdecl USER10_ENUM_OBJ::USER10_ENUM_OBJ(void) __ptr64 +??0USER10_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER1_ENUM::USER1_ENUM(class LOCATION const & __ptr64,int) __ptr64 +??0USER1_ENUM@@QEAA@AEBVLOCATION@@H@Z +; public: __cdecl USER1_ENUM::USER1_ENUM(unsigned short const * __ptr64,int) __ptr64 +??0USER1_ENUM@@QEAA@PEBGH@Z +; public: __cdecl USER1_ENUM::USER1_ENUM(enum LOCATION_TYPE,int) __ptr64 +??0USER1_ENUM@@QEAA@W4LOCATION_TYPE@@H@Z +; public: __cdecl USER1_ENUM_ITER::USER1_ENUM_ITER(class USER1_ENUM & __ptr64) __ptr64 +??0USER1_ENUM_ITER@@QEAA@AEAVUSER1_ENUM@@@Z +; public: __cdecl USER1_ENUM_OBJ::USER1_ENUM_OBJ(void) __ptr64 +??0USER1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER2_ENUM::USER2_ENUM(class LOCATION const & __ptr64,int) __ptr64 +??0USER2_ENUM@@QEAA@AEBVLOCATION@@H@Z +; public: __cdecl USER2_ENUM::USER2_ENUM(unsigned short const * __ptr64,int) __ptr64 +??0USER2_ENUM@@QEAA@PEBGH@Z +; public: __cdecl USER2_ENUM::USER2_ENUM(enum LOCATION_TYPE,int) __ptr64 +??0USER2_ENUM@@QEAA@W4LOCATION_TYPE@@H@Z +; public: __cdecl USER2_ENUM_ITER::USER2_ENUM_ITER(class USER2_ENUM & __ptr64) __ptr64 +??0USER2_ENUM_ITER@@QEAA@AEAVUSER2_ENUM@@@Z +; public: __cdecl USER2_ENUM_OBJ::USER2_ENUM_OBJ(void) __ptr64 +??0USER2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER::USER(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0USER@@QEAA@PEBG0@Z +; public: __cdecl USER::USER(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0USER@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl USER::USER(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0USER@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl USER_11::USER_11(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0USER_11@@QEAA@PEBG0@Z +; public: __cdecl USER_11::USER_11(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0USER_11@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl USER_11::USER_11(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0USER_11@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl USER_2::USER_2(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0USER_2@@QEAA@PEBG0@Z +; public: __cdecl USER_2::USER_2(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0USER_2@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl USER_2::USER_2(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0USER_2@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; public: __cdecl USER_3::USER_3(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0USER_3@@QEAA@PEBG0@Z +; public: __cdecl USER_3::USER_3(unsigned short const * __ptr64,class LOCATION const & __ptr64) __ptr64 +??0USER_3@@QEAA@PEBGAEBVLOCATION@@@Z +; public: __cdecl USER_3::USER_3(unsigned short const * __ptr64,enum LOCATION_TYPE) __ptr64 +??0USER_3@@QEAA@PEBGW4LOCATION_TYPE@@@Z +; protected: __cdecl USER_ENUM::USER_ENUM(class LOCATION const & __ptr64,unsigned int,unsigned short const * __ptr64,int) __ptr64 +??0USER_ENUM@@IEAA@AEBVLOCATION@@IPEBGH@Z +; protected: __cdecl USER_ENUM::USER_ENUM(unsigned short const * __ptr64,unsigned int,unsigned short const * __ptr64,int) __ptr64 +??0USER_ENUM@@IEAA@PEBGI0H@Z +; protected: __cdecl USER_ENUM::USER_ENUM(enum LOCATION_TYPE,unsigned int,unsigned short const * __ptr64,int) __ptr64 +??0USER_ENUM@@IEAA@W4LOCATION_TYPE@@IPEBGH@Z +; public: __cdecl USER_MEMB::USER_MEMB(class LOCATION const & __ptr64,unsigned short const * __ptr64) __ptr64 +??0USER_MEMB@@QEAA@AEBVLOCATION@@PEBG@Z +; public: __cdecl USER_MODALS::USER_MODALS(unsigned short const * __ptr64) __ptr64 +??0USER_MODALS@@QEAA@PEBG@Z +; public: __cdecl USER_MODALS_3::USER_MODALS_3(unsigned short const * __ptr64) __ptr64 +??0USER_MODALS_3@@QEAA@PEBG@Z +; protected: __cdecl USE_ENUM::USE_ENUM(unsigned short const * __ptr64,unsigned int) __ptr64 +??0USE_ENUM@@IEAA@PEBGI@Z +; public: __cdecl WKSTA_10::WKSTA_10(unsigned short const * __ptr64) __ptr64 +??0WKSTA_10@@QEAA@PEBG@Z +; public: __cdecl WKSTA_1::WKSTA_1(unsigned short const * __ptr64) __ptr64 +??0WKSTA_1@@QEAA@PEBG@Z +; public: __cdecl WKSTA_USER_1::WKSTA_USER_1(void) __ptr64 +??0WKSTA_USER_1@@QEAA@XZ +; public: __cdecl ADMIN_AUTHORITY::~ADMIN_AUTHORITY(void) __ptr64 +??1ADMIN_AUTHORITY@@QEAA@XZ +; public: __cdecl ALIAS_ENUM::~ALIAS_ENUM(void) __ptr64 +??1ALIAS_ENUM@@QEAA@XZ +; public: __cdecl ALIAS_ENUM_OBJ::~ALIAS_ENUM_OBJ(void) __ptr64 +??1ALIAS_ENUM_OBJ@@QEAA@XZ +; public: __cdecl ALIAS_STR::~ALIAS_STR(void) __ptr64 +??1ALIAS_STR@@QEAA@XZ +; public: __cdecl ALLOC_STR::~ALLOC_STR(void) __ptr64 +??1ALLOC_STR@@QEAA@XZ +; public: __cdecl API_SESSION::~API_SESSION(void) __ptr64 +??1API_SESSION@@QEAA@XZ +; public: __cdecl BROWSE_DOMAIN_ENUM::~BROWSE_DOMAIN_ENUM(void) __ptr64 +??1BROWSE_DOMAIN_ENUM@@QEAA@XZ +; public: __cdecl BROWSE_DOMAIN_INFO::~BROWSE_DOMAIN_INFO(void) __ptr64 +??1BROWSE_DOMAIN_INFO@@QEAA@XZ +; public: __cdecl CHARDEVQ1_ENUM_OBJ::~CHARDEVQ1_ENUM_OBJ(void) __ptr64 +??1CHARDEVQ1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl CHARDEVQ_ENUM::~CHARDEVQ_ENUM(void) __ptr64 +??1CHARDEVQ_ENUM@@QEAA@XZ +; protected: __cdecl COMPUTER::~COMPUTER(void) __ptr64 +??1COMPUTER@@IEAA@XZ +; public: __cdecl CONN0_ENUM_OBJ::~CONN0_ENUM_OBJ(void) __ptr64 +??1CONN0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl CONN1_ENUM_OBJ::~CONN1_ENUM_OBJ(void) __ptr64 +??1CONN1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl CONN_ENUM::~CONN_ENUM(void) __ptr64 +??1CONN_ENUM@@QEAA@XZ +; public: __cdecl CONTEXT_ENUM_OBJ::~CONTEXT_ENUM_OBJ(void) __ptr64 +??1CONTEXT_ENUM_OBJ@@QEAA@XZ +; public: __cdecl DEVICE::~DEVICE(void) __ptr64 +??1DEVICE@@QEAA@XZ +; public: __cdecl DOMAIN0_ENUM::~DOMAIN0_ENUM(void) __ptr64 +??1DOMAIN0_ENUM@@QEAA@XZ +; public: __cdecl DOMAIN0_ENUM_ITER::~DOMAIN0_ENUM_ITER(void) __ptr64 +??1DOMAIN0_ENUM_ITER@@QEAA@XZ +; public: __cdecl DOMAIN0_ENUM_OBJ::~DOMAIN0_ENUM_OBJ(void) __ptr64 +??1DOMAIN0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl DOMAIN::~DOMAIN(void) __ptr64 +??1DOMAIN@@QEAA@XZ +; public: __cdecl DOMAIN_ENUM::~DOMAIN_ENUM(void) __ptr64 +??1DOMAIN_ENUM@@QEAA@XZ +; public: __cdecl DOMAIN_WITH_DC_CACHE::~DOMAIN_WITH_DC_CACHE(void) __ptr64 +??1DOMAIN_WITH_DC_CACHE@@QEAA@XZ +; public: __cdecl ENUM_CALLER_LM_OBJ::~ENUM_CALLER_LM_OBJ(void) __ptr64 +??1ENUM_CALLER_LM_OBJ@@QEAA@XZ +; protected: __cdecl ENUM_OBJ_BASE::~ENUM_OBJ_BASE(void) __ptr64 +??1ENUM_OBJ_BASE@@IEAA@XZ +; public: __cdecl FILE2_ENUM_OBJ::~FILE2_ENUM_OBJ(void) __ptr64 +??1FILE2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl FILE3_ENUM::~FILE3_ENUM(void) __ptr64 +??1FILE3_ENUM@@QEAA@XZ +; public: __cdecl FILE3_ENUM_ITER::~FILE3_ENUM_ITER(void) __ptr64 +??1FILE3_ENUM_ITER@@QEAA@XZ +; public: __cdecl FILE3_ENUM_OBJ::~FILE3_ENUM_OBJ(void) __ptr64 +??1FILE3_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl FILE_ENUM::~FILE_ENUM(void) __ptr64 +??1FILE_ENUM@@IEAA@XZ +; public: __cdecl GROUP0_ENUM::~GROUP0_ENUM(void) __ptr64 +??1GROUP0_ENUM@@QEAA@XZ +; public: __cdecl GROUP0_ENUM_ITER::~GROUP0_ENUM_ITER(void) __ptr64 +??1GROUP0_ENUM_ITER@@QEAA@XZ +; public: __cdecl GROUP0_ENUM_OBJ::~GROUP0_ENUM_OBJ(void) __ptr64 +??1GROUP0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl GROUP1_ENUM_OBJ::~GROUP1_ENUM_OBJ(void) __ptr64 +??1GROUP1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl GROUP::~GROUP(void) __ptr64 +??1GROUP@@QEAA@XZ +; public: __cdecl GROUP_0::~GROUP_0(void) __ptr64 +??1GROUP_0@@QEAA@XZ +; public: __cdecl GROUP_1::~GROUP_1(void) __ptr64 +??1GROUP_1@@QEAA@XZ +; public: __cdecl GROUP_ENUM::~GROUP_ENUM(void) __ptr64 +??1GROUP_ENUM@@QEAA@XZ +; public: __cdecl GROUP_MEMB::~GROUP_MEMB(void) __ptr64 +??1GROUP_MEMB@@QEAA@XZ +; public: __cdecl ITER_DEVICE::~ITER_DEVICE(void) __ptr64 +??1ITER_DEVICE@@QEAA@XZ +; public: __cdecl ITER_SL_BROWSE_DOMAIN_INFO::~ITER_SL_BROWSE_DOMAIN_INFO(void) __ptr64 +??1ITER_SL_BROWSE_DOMAIN_INFO@@QEAA@XZ +; public: __cdecl ITER_SL_LM_RESUME_BUFFER::~ITER_SL_LM_RESUME_BUFFER(void) __ptr64 +??1ITER_SL_LM_RESUME_BUFFER@@QEAA@XZ +; public: __cdecl LM_CONFIG::~LM_CONFIG(void) __ptr64 +??1LM_CONFIG@@QEAA@XZ +; public: __cdecl LM_ENUM::~LM_ENUM(void) __ptr64 +??1LM_ENUM@@QEAA@XZ +; protected: __cdecl LM_ENUM_ITER::~LM_ENUM_ITER(void) __ptr64 +??1LM_ENUM_ITER@@IEAA@XZ +; protected: __cdecl LM_FILE::~LM_FILE(void) __ptr64 +??1LM_FILE@@IEAA@XZ +; public: __cdecl LM_FILE_2::~LM_FILE_2(void) __ptr64 +??1LM_FILE_2@@QEAA@XZ +; public: __cdecl LM_RESUME_BUFFER::~LM_RESUME_BUFFER(void) __ptr64 +??1LM_RESUME_BUFFER@@QEAA@XZ +; public: __cdecl LM_RESUME_ENUM::~LM_RESUME_ENUM(void) __ptr64 +??1LM_RESUME_ENUM@@QEAA@XZ +; protected: __cdecl LM_RESUME_ENUM_ITER::~LM_RESUME_ENUM_ITER(void) __ptr64 +??1LM_RESUME_ENUM_ITER@@IEAA@XZ +; public: __cdecl LM_SERVICE::~LM_SERVICE(void) __ptr64 +??1LM_SERVICE@@QEAA@XZ +; public: __cdecl LM_SESSION::~LM_SESSION(void) __ptr64 +??1LM_SESSION@@QEAA@XZ +; public: __cdecl LM_SESSION_0::~LM_SESSION_0(void) __ptr64 +??1LM_SESSION_0@@QEAA@XZ +; public: __cdecl LM_SESSION_10::~LM_SESSION_10(void) __ptr64 +??1LM_SESSION_10@@QEAA@XZ +; public: __cdecl LM_SESSION_1::~LM_SESSION_1(void) __ptr64 +??1LM_SESSION_1@@QEAA@XZ +; public: __cdecl LM_SRVRES::~LM_SRVRES(void) __ptr64 +??1LM_SRVRES@@QEAA@XZ +; public: __cdecl LOCAL_USER::~LOCAL_USER(void) __ptr64 +??1LOCAL_USER@@QEAA@XZ +; public: __cdecl LOCATION::~LOCATION(void) __ptr64 +??1LOCATION@@QEAA@XZ +; public: __cdecl LOC_LM_ENUM::~LOC_LM_ENUM(void) __ptr64 +??1LOC_LM_ENUM@@QEAA@XZ +; public: __cdecl LOC_LM_OBJ::~LOC_LM_OBJ(void) __ptr64 +??1LOC_LM_OBJ@@QEAA@XZ +; public: __cdecl LOC_LM_RESUME_ENUM::~LOC_LM_RESUME_ENUM(void) __ptr64 +??1LOC_LM_RESUME_ENUM@@QEAA@XZ +; public: __cdecl LSA_ACCOUNT::~LSA_ACCOUNT(void) __ptr64 +??1LSA_ACCOUNT@@QEAA@XZ +; public: __cdecl LSA_ACCOUNTS_ENUM_OBJ::~LSA_ACCOUNTS_ENUM_OBJ(void) __ptr64 +??1LSA_ACCOUNTS_ENUM_OBJ@@QEAA@XZ +; public: __cdecl LSA_ACCOUNT_PRIVILEGE_ENUM_ITER::~LSA_ACCOUNT_PRIVILEGE_ENUM_ITER(void) __ptr64 +??1LSA_ACCOUNT_PRIVILEGE_ENUM_ITER@@QEAA@XZ +; public: __cdecl LSA_ACCT_DOM_INFO_MEM::~LSA_ACCT_DOM_INFO_MEM(void) __ptr64 +??1LSA_ACCT_DOM_INFO_MEM@@QEAA@XZ +; public: __cdecl LSA_AUDIT_EVENT_INFO_MEM::~LSA_AUDIT_EVENT_INFO_MEM(void) __ptr64 +??1LSA_AUDIT_EVENT_INFO_MEM@@QEAA@XZ +; public: __cdecl LSA_DOMAIN_INFO::~LSA_DOMAIN_INFO(void) __ptr64 +??1LSA_DOMAIN_INFO@@QEAA@XZ +; public: __cdecl LSA_ENUM::~LSA_ENUM(void) __ptr64 +??1LSA_ENUM@@QEAA@XZ +; protected: __cdecl LSA_MEMORY::~LSA_MEMORY(void) __ptr64 +??1LSA_MEMORY@@IEAA@XZ +; protected: __cdecl LSA_OBJECT::~LSA_OBJECT(void) __ptr64 +??1LSA_OBJECT@@IEAA@XZ +; public: __cdecl LSA_POLICY::~LSA_POLICY(void) __ptr64 +??1LSA_POLICY@@QEAA@XZ +; public: __cdecl LSA_PRIMARY_DOM_INFO_MEM::~LSA_PRIMARY_DOM_INFO_MEM(void) __ptr64 +??1LSA_PRIMARY_DOM_INFO_MEM@@QEAA@XZ +; public: __cdecl LSA_PRIVILEGES_ENUM_OBJ::~LSA_PRIVILEGES_ENUM_OBJ(void) __ptr64 +??1LSA_PRIVILEGES_ENUM_OBJ@@QEAA@XZ +; public: __cdecl LSA_REF_DOMAIN_MEM::~LSA_REF_DOMAIN_MEM(void) __ptr64 +??1LSA_REF_DOMAIN_MEM@@QEAA@XZ +; public: __cdecl LSA_SECRET::~LSA_SECRET(void) __ptr64 +??1LSA_SECRET@@QEAA@XZ +; public: __cdecl LSA_SERVER_ROLE_INFO_MEM::~LSA_SERVER_ROLE_INFO_MEM(void) __ptr64 +??1LSA_SERVER_ROLE_INFO_MEM@@QEAA@XZ +; public: __cdecl LSA_TRANSLATED_NAME_MEM::~LSA_TRANSLATED_NAME_MEM(void) __ptr64 +??1LSA_TRANSLATED_NAME_MEM@@QEAA@XZ +; public: __cdecl LSA_TRANSLATED_SID_MEM::~LSA_TRANSLATED_SID_MEM(void) __ptr64 +??1LSA_TRANSLATED_SID_MEM@@QEAA@XZ +; public: __cdecl LSA_TRUSTED_DC_LIST::~LSA_TRUSTED_DC_LIST(void) __ptr64 +??1LSA_TRUSTED_DC_LIST@@QEAA@XZ +; public: __cdecl LSA_TRUSTED_DOMAIN::~LSA_TRUSTED_DOMAIN(void) __ptr64 +??1LSA_TRUSTED_DOMAIN@@QEAA@XZ +; public: __cdecl LSA_TRUST_INFO_MEM::~LSA_TRUST_INFO_MEM(void) __ptr64 +??1LSA_TRUST_INFO_MEM@@QEAA@XZ +; public: __cdecl MEMBERSHIP_LM_OBJ::~MEMBERSHIP_LM_OBJ(void) __ptr64 +??1MEMBERSHIP_LM_OBJ@@QEAA@XZ +; protected: __cdecl NET_ACCESS::~NET_ACCESS(void) __ptr64 +??1NET_ACCESS@@IEAA@XZ +; public: __cdecl NET_ACCESS_1::~NET_ACCESS_1(void) __ptr64 +??1NET_ACCESS_1@@QEAA@XZ +; public: __cdecl NET_NAME::~NET_NAME(void) __ptr64 +??1NET_NAME@@QEAA@XZ +; public: __cdecl NEW_LM_OBJ::~NEW_LM_OBJ(void) __ptr64 +??1NEW_LM_OBJ@@QEAA@XZ +; protected: __cdecl NT_ACCOUNT_ENUM::~NT_ACCOUNT_ENUM(void) __ptr64 +??1NT_ACCOUNT_ENUM@@IEAA@XZ +; public: __cdecl NT_GROUP_ENUM::~NT_GROUP_ENUM(void) __ptr64 +??1NT_GROUP_ENUM@@QEAA@XZ +; public: __cdecl NT_GROUP_ENUM_OBJ::~NT_GROUP_ENUM_OBJ(void) __ptr64 +??1NT_GROUP_ENUM_OBJ@@QEAA@XZ +; public: __cdecl NT_MACHINE_ENUM::~NT_MACHINE_ENUM(void) __ptr64 +??1NT_MACHINE_ENUM@@QEAA@XZ +; public: __cdecl NT_MACHINE_ENUM_ITER::~NT_MACHINE_ENUM_ITER(void) __ptr64 +??1NT_MACHINE_ENUM_ITER@@QEAA@XZ +; public: __cdecl NT_MACHINE_ENUM_OBJ::~NT_MACHINE_ENUM_OBJ(void) __ptr64 +??1NT_MACHINE_ENUM_OBJ@@QEAA@XZ +; protected: __cdecl NT_MEMORY::~NT_MEMORY(void) __ptr64 +??1NT_MEMORY@@IEAA@XZ +; public: __cdecl NT_USER_ENUM::~NT_USER_ENUM(void) __ptr64 +??1NT_USER_ENUM@@QEAA@XZ +; public: __cdecl NT_USER_ENUM_OBJ::~NT_USER_ENUM_OBJ(void) __ptr64 +??1NT_USER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl OS_ACE::~OS_ACE(void) __ptr64 +??1OS_ACE@@QEAA@XZ +; public: __cdecl OS_ACL::~OS_ACL(void) __ptr64 +??1OS_ACL@@QEAA@XZ +; public: __cdecl OS_ACL_SUBJECT_ITER::~OS_ACL_SUBJECT_ITER(void) __ptr64 +??1OS_ACL_SUBJECT_ITER@@QEAA@XZ +; public: __cdecl OS_DACL_SUBJECT_ITER::~OS_DACL_SUBJECT_ITER(void) __ptr64 +??1OS_DACL_SUBJECT_ITER@@QEAA@XZ +; protected: __cdecl OS_OBJECT_WITH_DATA::~OS_OBJECT_WITH_DATA(void) __ptr64 +??1OS_OBJECT_WITH_DATA@@IEAA@XZ +; public: __cdecl OS_PRIVILEGE_SET::~OS_PRIVILEGE_SET(void) __ptr64 +??1OS_PRIVILEGE_SET@@QEAA@XZ +; public: __cdecl OS_SACL_SUBJECT_ITER::~OS_SACL_SUBJECT_ITER(void) __ptr64 +??1OS_SACL_SUBJECT_ITER@@QEAA@XZ +; public: __cdecl OS_SECURITY_DESCRIPTOR::~OS_SECURITY_DESCRIPTOR(void) __ptr64 +??1OS_SECURITY_DESCRIPTOR@@QEAA@XZ +; public: __cdecl OS_SID::~OS_SID(void) __ptr64 +??1OS_SID@@QEAA@XZ +; public: __cdecl REG_VALUE_INFO_STRUCT::~REG_VALUE_INFO_STRUCT(void) __ptr64 +??1REG_VALUE_INFO_STRUCT@@QEAA@XZ +; public: __cdecl SAM_ALIAS::~SAM_ALIAS(void) __ptr64 +??1SAM_ALIAS@@QEAA@XZ +; public: __cdecl SAM_DOMAIN::~SAM_DOMAIN(void) __ptr64 +??1SAM_DOMAIN@@QEAA@XZ +; public: __cdecl SAM_GROUP::~SAM_GROUP(void) __ptr64 +??1SAM_GROUP@@QEAA@XZ +; public: __cdecl SAM_MEMORY::~SAM_MEMORY(void) __ptr64 +??1SAM_MEMORY@@QEAA@XZ +; protected: __cdecl SAM_OBJECT::~SAM_OBJECT(void) __ptr64 +??1SAM_OBJECT@@IEAA@XZ +; public: __cdecl SAM_PSWD_DOM_INFO_MEM::~SAM_PSWD_DOM_INFO_MEM(void) __ptr64 +??1SAM_PSWD_DOM_INFO_MEM@@QEAA@XZ +; public: __cdecl SAM_RID_ENUMERATION_MEM::~SAM_RID_ENUMERATION_MEM(void) __ptr64 +??1SAM_RID_ENUMERATION_MEM@@QEAA@XZ +; public: __cdecl SAM_RID_MEM::~SAM_RID_MEM(void) __ptr64 +??1SAM_RID_MEM@@QEAA@XZ +; public: __cdecl SAM_SERVER::~SAM_SERVER(void) __ptr64 +??1SAM_SERVER@@QEAA@XZ +; public: __cdecl SAM_SID_MEM::~SAM_SID_MEM(void) __ptr64 +??1SAM_SID_MEM@@QEAA@XZ +; public: __cdecl SAM_SID_NAME_USE_MEM::~SAM_SID_NAME_USE_MEM(void) __ptr64 +??1SAM_SID_NAME_USE_MEM@@QEAA@XZ +; public: __cdecl SAM_USER::~SAM_USER(void) __ptr64 +??1SAM_USER@@QEAA@XZ +; public: __cdecl SAM_USER_ENUM::~SAM_USER_ENUM(void) __ptr64 +??1SAM_USER_ENUM@@QEAA@XZ +; public: __cdecl SAM_USER_ENUM_ITER::~SAM_USER_ENUM_ITER(void) __ptr64 +??1SAM_USER_ENUM_ITER@@QEAA@XZ +; public: __cdecl SAM_USER_ENUM_OBJ::~SAM_USER_ENUM_OBJ(void) __ptr64 +??1SAM_USER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SC_MANAGER::~SC_MANAGER(void) __ptr64 +??1SC_MANAGER@@QEAA@XZ +; public: __cdecl SC_SERVICE::~SC_SERVICE(void) __ptr64 +??1SC_SERVICE@@QEAA@XZ +; public: __cdecl SERVER1_ENUM::~SERVER1_ENUM(void) __ptr64 +??1SERVER1_ENUM@@QEAA@XZ +; public: __cdecl SERVER1_ENUM_ITER::~SERVER1_ENUM_ITER(void) __ptr64 +??1SERVER1_ENUM_ITER@@QEAA@XZ +; public: __cdecl SERVER1_ENUM_OBJ::~SERVER1_ENUM_OBJ(void) __ptr64 +??1SERVER1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SERVER_0::~SERVER_0(void) __ptr64 +??1SERVER_0@@QEAA@XZ +; public: __cdecl SERVER_1::~SERVER_1(void) __ptr64 +??1SERVER_1@@QEAA@XZ +; public: __cdecl SERVER_2::~SERVER_2(void) __ptr64 +??1SERVER_2@@QEAA@XZ +; public: __cdecl SERVER_ENUM::~SERVER_ENUM(void) __ptr64 +??1SERVER_ENUM@@QEAA@XZ +; public: __cdecl SERVICE_CONTROL::~SERVICE_CONTROL(void) __ptr64 +??1SERVICE_CONTROL@@QEAA@XZ +; public: __cdecl SERVICE_ENUM::~SERVICE_ENUM(void) __ptr64 +??1SERVICE_ENUM@@QEAA@XZ +; public: __cdecl SERVICE_ENUM_OBJ::~SERVICE_ENUM_OBJ(void) __ptr64 +??1SERVICE_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SESSION0_ENUM::~SESSION0_ENUM(void) __ptr64 +??1SESSION0_ENUM@@QEAA@XZ +; public: __cdecl SESSION0_ENUM_ITER::~SESSION0_ENUM_ITER(void) __ptr64 +??1SESSION0_ENUM_ITER@@QEAA@XZ +; public: __cdecl SESSION0_ENUM_OBJ::~SESSION0_ENUM_OBJ(void) __ptr64 +??1SESSION0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SESSION1_ENUM_OBJ::~SESSION1_ENUM_OBJ(void) __ptr64 +??1SESSION1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SESSION_ENUM::~SESSION_ENUM(void) __ptr64 +??1SESSION_ENUM@@QEAA@XZ +; public: __cdecl SHARE1_ENUM_OBJ::~SHARE1_ENUM_OBJ(void) __ptr64 +??1SHARE1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SHARE2_ENUM_OBJ::~SHARE2_ENUM_OBJ(void) __ptr64 +??1SHARE2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SHARE::~SHARE(void) __ptr64 +??1SHARE@@QEAA@XZ +; public: __cdecl SHARE_1::~SHARE_1(void) __ptr64 +??1SHARE_1@@QEAA@XZ +; public: __cdecl SHARE_2::~SHARE_2(void) __ptr64 +??1SHARE_2@@QEAA@XZ +; public: __cdecl SHARE_ENUM::~SHARE_ENUM(void) __ptr64 +??1SHARE_ENUM@@QEAA@XZ +; public: __cdecl SLIST_OF_ADMIN_AUTHORITY::~SLIST_OF_ADMIN_AUTHORITY(void) __ptr64 +??1SLIST_OF_ADMIN_AUTHORITY@@QEAA@XZ +; public: __cdecl SLIST_OF_API_SESSION::~SLIST_OF_API_SESSION(void) __ptr64 +??1SLIST_OF_API_SESSION@@QEAA@XZ +; public: __cdecl SLIST_OF_BROWSE_DOMAIN_INFO::~SLIST_OF_BROWSE_DOMAIN_INFO(void) __ptr64 +??1SLIST_OF_BROWSE_DOMAIN_INFO@@QEAA@XZ +; public: __cdecl SLIST_OF_LM_RESUME_BUFFER::~SLIST_OF_LM_RESUME_BUFFER(void) __ptr64 +??1SLIST_OF_LM_RESUME_BUFFER@@QEAA@XZ +; public: __cdecl TIME_OF_DAY::~TIME_OF_DAY(void) __ptr64 +??1TIME_OF_DAY@@QEAA@XZ +; public: __cdecl TRIPLE_SERVER_ENUM::~TRIPLE_SERVER_ENUM(void) __ptr64 +??1TRIPLE_SERVER_ENUM@@QEAA@XZ +; public: __cdecl TRIPLE_SERVER_ENUM_OBJ::~TRIPLE_SERVER_ENUM_OBJ(void) __ptr64 +??1TRIPLE_SERVER_ENUM_OBJ@@QEAA@XZ +; public: __cdecl TRUSTED_DOMAIN_ENUM::~TRUSTED_DOMAIN_ENUM(void) __ptr64 +??1TRUSTED_DOMAIN_ENUM@@QEAA@XZ +; public: __cdecl TRUSTED_DOMAIN_ENUM_OBJ::~TRUSTED_DOMAIN_ENUM_OBJ(void) __ptr64 +??1TRUSTED_DOMAIN_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USE1_ENUM_OBJ::~USE1_ENUM_OBJ(void) __ptr64 +??1USE1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER0_ENUM::~USER0_ENUM(void) __ptr64 +??1USER0_ENUM@@QEAA@XZ +; public: __cdecl USER0_ENUM_ITER::~USER0_ENUM_ITER(void) __ptr64 +??1USER0_ENUM_ITER@@QEAA@XZ +; public: __cdecl USER0_ENUM_OBJ::~USER0_ENUM_OBJ(void) __ptr64 +??1USER0_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER10_ENUM_OBJ::~USER10_ENUM_OBJ(void) __ptr64 +??1USER10_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER1_ENUM_OBJ::~USER1_ENUM_OBJ(void) __ptr64 +??1USER1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER2_ENUM_OBJ::~USER2_ENUM_OBJ(void) __ptr64 +??1USER2_ENUM_OBJ@@QEAA@XZ +; public: __cdecl USER::~USER(void) __ptr64 +??1USER@@QEAA@XZ +; public: __cdecl USER_11::~USER_11(void) __ptr64 +??1USER_11@@QEAA@XZ +; public: virtual __cdecl USER_2::~USER_2(void) __ptr64 +??1USER_2@@UEAA@XZ +; public: virtual __cdecl USER_3::~USER_3(void) __ptr64 +??1USER_3@@UEAA@XZ +; public: __cdecl USER_ENUM::~USER_ENUM(void) __ptr64 +??1USER_ENUM@@QEAA@XZ +; public: __cdecl USER_MEMB::~USER_MEMB(void) __ptr64 +??1USER_MEMB@@QEAA@XZ +; public: __cdecl USE_ENUM::~USE_ENUM(void) __ptr64 +??1USE_ENUM@@QEAA@XZ +; public: __cdecl WKSTA_10::~WKSTA_10(void) __ptr64 +??1WKSTA_10@@QEAA@XZ +; public: __cdecl WKSTA_1::~WKSTA_1(void) __ptr64 +??1WKSTA_1@@QEAA@XZ +; public: __cdecl WKSTA_USER_1::~WKSTA_USER_1(void) __ptr64 +??1WKSTA_USER_1@@QEAA@XZ +; public: class ALLOC_STR & __ptr64 __cdecl ALLOC_STR::operator=(class ALLOC_STR const & __ptr64) __ptr64 +??4ALLOC_STR@@QEAAAEAV0@AEBV0@@Z +; public: class ALLOC_STR & __ptr64 __cdecl ALLOC_STR::operator=(unsigned short const * __ptr64) __ptr64 +??4ALLOC_STR@@QEAAAEAV0@PEBG@Z +; public: int __cdecl BASE::operator!(void)const __ptr64 +??7BASE@@QEBAHXZ +; public: int __cdecl OS_LUID::operator==(class OS_LUID const & __ptr64)const __ptr64 +??8OS_LUID@@QEBAHAEBV0@@Z +; public: int __cdecl OS_SID::operator==(class OS_SID const & __ptr64)const __ptr64 +??8OS_SID@@QEBAHAEBV0@@Z +; public: struct _UNICODE_STRING const & __ptr64 __cdecl LSA_TRUSTED_DC_LIST::operator[](int)const __ptr64 +??ALSA_TRUSTED_DC_LIST@@QEBAAEBU_UNICODE_STRING@@H@Z +; public: unsigned short const * __ptr64 __cdecl NLS_STR::operator[](class ISTR const & __ptr64)const __ptr64 +??ANLS_STR@@QEBAPEBGAEBVISTR@@@Z +; public: __cdecl NLS_STR::operator unsigned short const * __ptr64(void)const __ptr64 +??BNLS_STR@@QEBAPEBGXZ +; public: __cdecl OS_ACL::operator struct _ACL * __ptr64(void)const __ptr64 +??BOS_ACL@@QEBAPEAU_ACL@@XZ +; public: __cdecl OS_SID::operator void * __ptr64(void)const __ptr64 +??BOS_SID@@QEBAPEAXXZ +; public: class CHARDEVQ1_ENUM_OBJ const * __ptr64 __cdecl CHARDEVQ1_ENUM_ITER::operator()(void) __ptr64 +??RCHARDEVQ1_ENUM_ITER@@QEAAPEBVCHARDEVQ1_ENUM_OBJ@@XZ +; public: class CONN0_ENUM_OBJ const * __ptr64 __cdecl CONN0_ENUM_ITER::operator()(void) __ptr64 +??RCONN0_ENUM_ITER@@QEAAPEBVCONN0_ENUM_OBJ@@XZ +; public: class CONN1_ENUM_OBJ const * __ptr64 __cdecl CONN1_ENUM_ITER::operator()(void) __ptr64 +??RCONN1_ENUM_ITER@@QEAAPEBVCONN1_ENUM_OBJ@@XZ +; public: class CONTEXT_ENUM_OBJ const * __ptr64 __cdecl CONTEXT_ENUM_ITER::operator()(void) __ptr64 +??RCONTEXT_ENUM_ITER@@QEAAPEBVCONTEXT_ENUM_OBJ@@XZ +; public: class DOMAIN0_ENUM_OBJ const * __ptr64 __cdecl DOMAIN0_ENUM_ITER::operator()(void) __ptr64 +??RDOMAIN0_ENUM_ITER@@QEAAPEBVDOMAIN0_ENUM_OBJ@@XZ +; public: class FILE3_ENUM_OBJ const * __ptr64 __cdecl FILE3_ENUM_ITER::operator()(long * __ptr64,int) __ptr64 +??RFILE3_ENUM_ITER@@QEAAPEBVFILE3_ENUM_OBJ@@PEAJH@Z +; public: class GROUP0_ENUM_OBJ const * __ptr64 __cdecl GROUP0_ENUM_ITER::operator()(void) __ptr64 +??RGROUP0_ENUM_ITER@@QEAAPEBVGROUP0_ENUM_OBJ@@XZ +; public: class GROUP1_ENUM_OBJ const * __ptr64 __cdecl GROUP1_ENUM_ITER::operator()(void) __ptr64 +??RGROUP1_ENUM_ITER@@QEAAPEBVGROUP1_ENUM_OBJ@@XZ +; public: class OS_LUID_AND_ATTRIBUTES const * __ptr64 __cdecl LSA_ACCOUNT_PRIVILEGE_ENUM_ITER::operator()(void) __ptr64 +??RLSA_ACCOUNT_PRIVILEGE_ENUM_ITER@@QEAAPEBVOS_LUID_AND_ATTRIBUTES@@XZ +; public: class NT_MACHINE_ENUM_OBJ const * __ptr64 __cdecl NT_MACHINE_ENUM_ITER::operator()(long * __ptr64,int) __ptr64 +??RNT_MACHINE_ENUM_ITER@@QEAAPEBVNT_MACHINE_ENUM_OBJ@@PEAJH@Z +; public: class SERVER1_ENUM_OBJ const * __ptr64 __cdecl SERVER1_ENUM_ITER::operator()(void) __ptr64 +??RSERVER1_ENUM_ITER@@QEAAPEBVSERVER1_ENUM_OBJ@@XZ +; public: class SERVICE_ENUM_OBJ const * __ptr64 __cdecl SERVICE_ENUM_ITER::operator()(void) __ptr64 +??RSERVICE_ENUM_ITER@@QEAAPEBVSERVICE_ENUM_OBJ@@XZ +; public: class SESSION0_ENUM_OBJ const * __ptr64 __cdecl SESSION0_ENUM_ITER::operator()(void) __ptr64 +??RSESSION0_ENUM_ITER@@QEAAPEBVSESSION0_ENUM_OBJ@@XZ +; public: class SESSION1_ENUM_OBJ const * __ptr64 __cdecl SESSION1_ENUM_ITER::operator()(void) __ptr64 +??RSESSION1_ENUM_ITER@@QEAAPEBVSESSION1_ENUM_OBJ@@XZ +; public: class SHARE1_ENUM_OBJ const * __ptr64 __cdecl SHARE1_ENUM_ITER::operator()(void) __ptr64 +??RSHARE1_ENUM_ITER@@QEAAPEBVSHARE1_ENUM_OBJ@@XZ +; public: class SHARE2_ENUM_OBJ const * __ptr64 __cdecl SHARE2_ENUM_ITER::operator()(void) __ptr64 +??RSHARE2_ENUM_ITER@@QEAAPEBVSHARE2_ENUM_OBJ@@XZ +; public: class TRIPLE_SERVER_ENUM_OBJ const * __ptr64 __cdecl TRIPLE_SERVER_ENUM_ITER::operator()(void) __ptr64 +??RTRIPLE_SERVER_ENUM_ITER@@QEAAPEBVTRIPLE_SERVER_ENUM_OBJ@@XZ +; public: class USE1_ENUM_OBJ const * __ptr64 __cdecl USE1_ENUM_ITER::operator()(void) __ptr64 +??RUSE1_ENUM_ITER@@QEAAPEBVUSE1_ENUM_OBJ@@XZ +; public: class USER0_ENUM_OBJ const * __ptr64 __cdecl USER0_ENUM_ITER::operator()(long * __ptr64,int) __ptr64 +??RUSER0_ENUM_ITER@@QEAAPEBVUSER0_ENUM_OBJ@@PEAJH@Z +; public: long __cdecl SLIST_OF_NLS_STR::Add(class NLS_STR const * __ptr64) __ptr64 +?Add@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl OS_ACL::AddACE(unsigned long,class OS_ACE const & __ptr64) __ptr64 +?AddACE@OS_ACL@@QEAAJKAEBVOS_ACE@@@Z +; public: long __cdecl MEMBERSHIP_LM_OBJ::AddAssocName(unsigned short const * __ptr64) __ptr64 +?AddAssocName@MEMBERSHIP_LM_OBJ@@QEAAJPEBG@Z +; private: static long __cdecl DOMAIN_WITH_DC_CACHE::AddDcCache(struct _DC_CACHE_ENTRY * __ptr64 * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) +?AddDcCache@DOMAIN_WITH_DC_CACHE@@CAJPEAPEAU_DC_CACHE_ENTRY@@PEBG1@Z +; private: void __cdecl BROWSE_DOMAIN_INFO::AddDomainSource(unsigned long) __ptr64 +?AddDomainSource@BROWSE_DOMAIN_INFO@@AEAAXK@Z +; private: long __cdecl BROWSE_DOMAIN_ENUM::AddDomainToList(unsigned short const * __ptr64,unsigned long,int) __ptr64 +?AddDomainToList@BROWSE_DOMAIN_ENUM@@AEAAJPEBGKH@Z +; public: long __cdecl SAM_ALIAS::AddMember(void * __ptr64) __ptr64 +?AddMember@SAM_ALIAS@@QEAAJPEAX@Z +; public: long __cdecl SAM_GROUP::AddMember(unsigned long) __ptr64 +?AddMember@SAM_GROUP@@QEAAJK@Z +; public: long __cdecl SAM_ALIAS::AddMembers(void * __ptr64 * __ptr64,unsigned int) __ptr64 +?AddMembers@SAM_ALIAS@@QEAAJPEAPEAXI@Z +; public: long __cdecl SAM_GROUP::AddMembers(unsigned long * __ptr64,unsigned int) __ptr64 +?AddMembers@SAM_GROUP@@QEAAJPEAKI@Z +; public: long __cdecl OS_PRIVILEGE_SET::AddPrivilege(struct _LUID,unsigned long) __ptr64 +?AddPrivilege@OS_PRIVILEGE_SET@@QEAAJU_LUID@@K@Z +; public: long __cdecl SLIST_OF_ADMIN_AUTHORITY::Append(class ADMIN_AUTHORITY const * __ptr64) __ptr64 +?Append@SLIST_OF_ADMIN_AUTHORITY@@QEAAJPEBVADMIN_AUTHORITY@@@Z +; public: long __cdecl SLIST_OF_API_SESSION::Append(class API_SESSION const * __ptr64) __ptr64 +?Append@SLIST_OF_API_SESSION@@QEAAJPEBVAPI_SESSION@@@Z +; public: long __cdecl SLIST_OF_BROWSE_DOMAIN_INFO::Append(class BROWSE_DOMAIN_INFO const * __ptr64) __ptr64 +?Append@SLIST_OF_BROWSE_DOMAIN_INFO@@QEAAJPEBVBROWSE_DOMAIN_INFO@@@Z +; public: long __cdecl SLIST_OF_LM_RESUME_BUFFER::Append(class LM_RESUME_BUFFER const * __ptr64) __ptr64 +?Append@SLIST_OF_LM_RESUME_BUFFER@@QEAAJPEBVLM_RESUME_BUFFER@@@Z +; public: long __cdecl SLIST_OF_NLS_STR::Append(class NLS_STR const * __ptr64) __ptr64 +?Append@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; public: int __cdecl CHARDEVQ1_ENUM_ITER::Backup(void) __ptr64 +?Backup@CHARDEVQ1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl CONN0_ENUM_ITER::Backup(void) __ptr64 +?Backup@CONN0_ENUM_ITER@@QEAAHXZ +; public: int __cdecl CONN1_ENUM_ITER::Backup(void) __ptr64 +?Backup@CONN1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl CONTEXT_ENUM_ITER::Backup(void) __ptr64 +?Backup@CONTEXT_ENUM_ITER@@QEAAHXZ +; public: int __cdecl DOMAIN0_ENUM_ITER::Backup(void) __ptr64 +?Backup@DOMAIN0_ENUM_ITER@@QEAAHXZ +; public: int __cdecl GROUP0_ENUM_ITER::Backup(void) __ptr64 +?Backup@GROUP0_ENUM_ITER@@QEAAHXZ +; public: int __cdecl GROUP1_ENUM_ITER::Backup(void) __ptr64 +?Backup@GROUP1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SERVER1_ENUM_ITER::Backup(void) __ptr64 +?Backup@SERVER1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SERVICE_ENUM_ITER::Backup(void) __ptr64 +?Backup@SERVICE_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SESSION0_ENUM_ITER::Backup(void) __ptr64 +?Backup@SESSION0_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SESSION1_ENUM_ITER::Backup(void) __ptr64 +?Backup@SESSION1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SHARE1_ENUM_ITER::Backup(void) __ptr64 +?Backup@SHARE1_ENUM_ITER@@QEAAHXZ +; public: int __cdecl SHARE2_ENUM_ITER::Backup(void) __ptr64 +?Backup@SHARE2_ENUM_ITER@@QEAAHXZ +; public: int __cdecl TRIPLE_SERVER_ENUM_ITER::Backup(void) __ptr64 +?Backup@TRIPLE_SERVER_ENUM_ITER@@QEAAHXZ +; public: int __cdecl USE1_ENUM_ITER::Backup(void) __ptr64 +?Backup@USE1_ENUM_ITER@@QEAAHXZ +; public: static long __cdecl NT_ACCOUNTS_UTILITY::BuildAndCopySysSid(class OS_SID * __ptr64,struct _SID_IDENTIFIER_AUTHORITY * __ptr64,unsigned char,unsigned long,unsigned long,unsigned long,unsigned long,unsigned long,unsigned long,unsigned long,unsigned long) +?BuildAndCopySysSid@NT_ACCOUNTS_UTILITY@@SAJPEAVOS_SID@@PEAU_SID_IDENTIFIER_AUTHORITY@@EKKKKKKKK@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::BuildQualifiedAccountName(class NLS_STR * __ptr64,class NLS_STR const & __ptr64,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,class NLS_STR const * __ptr64,enum _SID_NAME_USE) +?BuildQualifiedAccountName@NT_ACCOUNTS_UTILITY@@SAJPEAVNLS_STR@@AEBV2@1PEBV2@2W4_SID_NAME_USE@@@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::BuildQualifiedAccountName(class NLS_STR * __ptr64,class NLS_STR const & __ptr64,void * __ptr64,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,void * __ptr64,enum _SID_NAME_USE) +?BuildQualifiedAccountName@NT_ACCOUNTS_UTILITY@@SAJPEAVNLS_STR@@AEBV2@PEAX1PEBV2@2W4_SID_NAME_USE@@@Z +; private: virtual long __cdecl ALIAS_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@ALIAS_ENUM@@EEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl CHARDEVQ_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@CHARDEVQ_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl CONN_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@CONN_ENUM@@EEAAJPEAPEAEPEAI@Z +; protected: virtual long __cdecl CONTEXT_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@CONTEXT_ENUM@@MEAAJPEAPEAEPEAI@Z +; protected: virtual long __cdecl DEVICE2::CallAPI(void) __ptr64 +?CallAPI@DEVICE2@@MEAAJXZ +; protected: virtual long __cdecl DEVICE::CallAPI(void) __ptr64 +?CallAPI@DEVICE@@MEAAJXZ +; private: virtual long __cdecl DOMAIN_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@DOMAIN_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl FILE_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@FILE_ENUM@@EEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl GROUP_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@GROUP_ENUM@@EEAAJPEAPEAEPEAI@Z +; protected: virtual long __cdecl GROUP_MEMB::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@GROUP_MEMB@@MEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl LSA_ACCOUNTS_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@LSA_ACCOUNTS_ENUM@@EEAAJHPEAPEAEPEAI@Z +; protected: virtual long __cdecl LSA_PRIVILEGES_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@LSA_PRIVILEGES_ENUM@@MEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl NT_ACCOUNT_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@NT_ACCOUNT_ENUM@@EEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl SAM_USER_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@SAM_USER_ENUM@@EEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl SERVER_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@SERVER_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl SERVICE_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@SERVICE_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl SESSION_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@SESSION_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl SHARE_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@SHARE_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl TRIPLE_SERVER_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@TRIPLE_SERVER_ENUM@@EEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl TRUSTED_DOMAIN_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@TRUSTED_DOMAIN_ENUM@@EEAAJHPEAPEAEPEAI@Z +; private: virtual long __cdecl USER_ENUM::CallAPI(int,unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@USER_ENUM@@EEAAJHPEAPEAEPEAI@Z +; protected: virtual long __cdecl USER_MEMB::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@USER_MEMB@@MEAAJPEAPEAEPEAI@Z +; private: virtual long __cdecl USE_ENUM::CallAPI(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?CallAPI@USE_ENUM@@EEAAJPEAPEAEPEAI@Z +; public: long __cdecl SC_SERVICE::ChangeConfig(unsigned int,unsigned int,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?ChangeConfig@SC_SERVICE@@QEAAJIIIPEBG00000@Z +; public: long __cdecl NEW_LM_OBJ::ChangeToNew(void) __ptr64 +?ChangeToNew@NEW_LM_OBJ@@QEAAJXZ +; public: long __cdecl LOCATION::CheckIfNT(int * __ptr64) __ptr64 +?CheckIfNT@LOCATION@@QEAAJPEAH@Z +; public: long __cdecl LOCATION::CheckIfNT(int * __ptr64,enum LOCATION_NT_TYPE * __ptr64) __ptr64 +?CheckIfNT@LOCATION@@QEAAJPEAHPEAW4LOCATION_NT_TYPE@@@Z +; public: long __cdecl LSA_POLICY::CheckIfShutDownOnFull(int * __ptr64) __ptr64 +?CheckIfShutDownOnFull@LSA_POLICY@@QEAAJPEAH@Z +; protected: void __cdecl LSA_POLICY::CleanupUnistrArray(struct _UNICODE_STRING * __ptr64,unsigned long) __ptr64 +?CleanupUnistrArray@LSA_POLICY@@IEAAXPEAU_UNICODE_STRING@@K@Z +; public: void __cdecl OS_PRIVILEGE_SET::Clear(void) __ptr64 +?Clear@OS_PRIVILEGE_SET@@QEAAXXZ +; public: void __cdecl SLIST_OF_ADMIN_AUTHORITY::Clear(void) __ptr64 +?Clear@SLIST_OF_ADMIN_AUTHORITY@@QEAAXXZ +; public: void __cdecl SLIST_OF_API_SESSION::Clear(void) __ptr64 +?Clear@SLIST_OF_API_SESSION@@QEAAXXZ +; public: void __cdecl SLIST_OF_BROWSE_DOMAIN_INFO::Clear(void) __ptr64 +?Clear@SLIST_OF_BROWSE_DOMAIN_INFO@@QEAAXXZ +; public: void __cdecl SLIST_OF_LM_RESUME_BUFFER::Clear(void) __ptr64 +?Clear@SLIST_OF_LM_RESUME_BUFFER@@QEAAXXZ +; protected: long __cdecl NEW_LM_OBJ::ClearBuffer(void) __ptr64 +?ClearBuffer@NEW_LM_OBJ@@IEAAJXZ +; private: static long __cdecl DOMAIN_WITH_DC_CACHE::ClearDcCache(struct _DC_CACHE_ENTRY * __ptr64) +?ClearDcCache@DOMAIN_WITH_DC_CACHE@@CAJPEAU_DC_CACHE_ENTRY@@@Z +; public: long __cdecl NET_ACCESS_1::ClearPerms(void) __ptr64 +?ClearPerms@NET_ACCESS_1@@QEAAJXZ +; public: long __cdecl GROUP_1::CloneFrom(class GROUP_1 const & __ptr64) __ptr64 +?CloneFrom@GROUP_1@@QEAAJAEBV1@@Z +; public: long __cdecl GROUP_MEMB::CloneFrom(class GROUP_MEMB const & __ptr64) __ptr64 +?CloneFrom@GROUP_MEMB@@QEAAJAEBV1@@Z +; public: long __cdecl SHARE_1::CloneFrom(class SHARE_1 const & __ptr64) __ptr64 +?CloneFrom@SHARE_1@@QEAAJAEBV1@@Z +; public: long __cdecl SHARE_2::CloneFrom(class SHARE_2 const & __ptr64) __ptr64 +?CloneFrom@SHARE_2@@QEAAJAEBV1@@Z +; public: long __cdecl USER_2::CloneFrom(class USER_2 const & __ptr64) __ptr64 +?CloneFrom@USER_2@@QEAAJAEBV1@@Z +; public: long __cdecl USER_3::CloneFrom(class USER_3 const & __ptr64) __ptr64 +?CloneFrom@USER_3@@QEAAJAEBV1@@Z +; public: long __cdecl USER_MEMB::CloneFrom(class USER_MEMB const & __ptr64) __ptr64 +?CloneFrom@USER_MEMB@@QEAAJAEBV1@@Z +; public: long __cdecl SERVICE_CONTROL::Close(void) __ptr64 +?Close@SERVICE_CONTROL@@QEAAJXZ +; public: long __cdecl LM_FILE::CloseFile(void) __ptr64 +?CloseFile@LM_FILE@@QEAAJXZ +; public: long __cdecl LSA_OBJECT::CloseHandle(int) __ptr64 +?CloseHandle@LSA_OBJECT@@QEAAJH@Z +; public: long __cdecl SAM_OBJECT::CloseHandle(void) __ptr64 +?CloseHandle@SAM_OBJECT@@QEAAJXZ +; private: void __cdecl TRIPLE_SERVER_ENUM::CombineIntoTriple(struct _SERVER_INFO_101 const * __ptr64,struct _KNOWN_SERVER_INFO const * __ptr64,struct _TRIPLE_SERVER_INFO * __ptr64) __ptr64 +?CombineIntoTriple@TRIPLE_SERVER_ENUM@@AEAAXPEBU_SERVER_INFO_101@@PEBU_KNOWN_SERVER_INFO@@PEAU_TRIPLE_SERVER_INFO@@@Z +; public: long __cdecl OS_ACL_SUBJECT_ITER::Compare(int * __ptr64,class OS_ACL_SUBJECT_ITER * __ptr64) __ptr64 +?Compare@OS_ACL_SUBJECT_ITER@@QEAAJPEAHPEAV1@@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::Compare(class OS_SECURITY_DESCRIPTOR * __ptr64,int * __ptr64,int * __ptr64,int * __ptr64,int * __ptr64,struct _GENERIC_MAPPING * __ptr64,struct _GENERIC_MAPPING * __ptr64,int,int) __ptr64 +?Compare@OS_SECURITY_DESCRIPTOR@@QEAAJPEAV1@PEAH111PEAU_GENERIC_MAPPING@@2HH@Z +; public: int __cdecl NET_ACCESS_1::CompareACL(class NET_ACCESS_1 * __ptr64) __ptr64 +?CompareACL@NET_ACCESS_1@@QEAAHPEAV1@@Z +; private: static int __cdecl TRIPLE_SERVER_ENUM::CompareBrowserServers(void const * __ptr64,void const * __ptr64) +?CompareBrowserServers@TRIPLE_SERVER_ENUM@@CAHPEBX0@Z +; public: virtual int __cdecl OS_DACL_SUBJECT_ITER::CompareCurrentSubject(class OS_ACL_SUBJECT_ITER * __ptr64) __ptr64 +?CompareCurrentSubject@OS_DACL_SUBJECT_ITER@@UEAAHPEAVOS_ACL_SUBJECT_ITER@@@Z +; public: virtual int __cdecl OS_SACL_SUBJECT_ITER::CompareCurrentSubject(class OS_ACL_SUBJECT_ITER * __ptr64) __ptr64 +?CompareCurrentSubject@OS_SACL_SUBJECT_ITER@@UEAAHPEAVOS_ACL_SUBJECT_ITER@@@Z +; private: static int __cdecl DOMAIN0_ENUM::CompareDomains0(void const * __ptr64,void const * __ptr64) +?CompareDomains0@DOMAIN0_ENUM@@CAHPEBX0@Z +; private: static int __cdecl TRIPLE_SERVER_ENUM::CompareLmServers(void const * __ptr64,void const * __ptr64) +?CompareLmServers@TRIPLE_SERVER_ENUM@@CAHPEBX0@Z +; private: static int __cdecl TRIPLE_SERVER_ENUM::CompareNtServers(void const * __ptr64,void const * __ptr64) +?CompareNtServers@TRIPLE_SERVER_ENUM@@CAHPEBX0@Z +; public: long __cdecl DEVICE2::Connect(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +?Connect@DEVICE2@@QEAAJPEBG000K@Z +; public: long __cdecl DEVICE::Connect(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?Connect@DEVICE@@QEAAJPEBG0@Z +; long __cdecl ConnectToNullSession(class NLS_STR const & __ptr64) +?ConnectToNullSession@@YAJAEBVNLS_STR@@@Z +; public: long __cdecl LM_SERVICE::Continue(unsigned int,unsigned int) __ptr64 +?Continue@LM_SERVICE@@QEAAJII@Z +; public: long __cdecl SC_SERVICE::Control(unsigned int,struct _SERVICE_STATUS * __ptr64) __ptr64 +?Control@SC_SERVICE@@QEAAJIPEAU_SERVICE_STATUS@@@Z +; public: long __cdecl OS_ACL::Copy(class OS_ACL const & __ptr64,int) __ptr64 +?Copy@OS_ACL@@QEAAJAEBV1@H@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::Copy(class OS_SECURITY_DESCRIPTOR const & __ptr64) __ptr64 +?Copy@OS_SECURITY_DESCRIPTOR@@QEAAJAEBV1@@Z +; public: long __cdecl OS_SID::Copy(class OS_SID const & __ptr64) __ptr64 +?Copy@OS_SID@@QEAAJAEBV1@@Z +; public: long __cdecl NET_ACCESS_1::CopyAccessPerms(class NET_ACCESS_1 const & __ptr64) __ptr64 +?CopyAccessPerms@NET_ACCESS_1@@QEAAJAEBV1@@Z +; private: void __cdecl SERVICE_ENUM::CountServices(unsigned char * __ptr64,unsigned int * __ptr64,unsigned int * __ptr64) __ptr64 +?CountServices@SERVICE_ENUM@@AEAAXPEAEPEAI1@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::CrackQualifiedAccountName(class NLS_STR const & __ptr64,class NLS_STR * __ptr64,class NLS_STR * __ptr64) +?CrackQualifiedAccountName@NT_ACCOUNTS_UTILITY@@SAJAEBVNLS_STR@@PEAV2@1@Z +; public: long __cdecl LSA_SECRET::Create(class LSA_POLICY const & __ptr64,unsigned long) __ptr64 +?Create@LSA_SECRET@@QEAAJAEBVLSA_POLICY@@K@Z +; public: long __cdecl NEW_LM_OBJ::CreateNew(void) __ptr64 +?CreateNew@NEW_LM_OBJ@@QEAAJXZ +; private: void __cdecl DOMAIN::CtAux(unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?CtAux@DOMAIN@@AEAAXPEBG0@Z +; private: void __cdecl GROUP::CtAux(unsigned short const * __ptr64) __ptr64 +?CtAux@GROUP@@AEAAXPEBG@Z +; private: void __cdecl GROUP_1::CtAux(void) __ptr64 +?CtAux@GROUP_1@@AEAAXXZ +; private: void __cdecl LOC_LM_OBJ::CtAux(void) __ptr64 +?CtAux@LOC_LM_OBJ@@AEAAXXZ +; private: void __cdecl USER::CtAux(unsigned short const * __ptr64) __ptr64 +?CtAux@USER@@AEAAXPEBG@Z +; private: void __cdecl USER_11::CtAux(void) __ptr64 +?CtAux@USER_11@@AEAAXXZ +; private: void __cdecl USER_2::CtAux(void) __ptr64 +?CtAux@USER_2@@AEAAXXZ +; private: void __cdecl USER_3::CtAux(void) __ptr64 +?CtAux@USER_3@@AEAAXXZ +; public: long __cdecl LSA_TRUSTED_DOMAIN::Delete(void) __ptr64 +?Delete@LSA_TRUSTED_DOMAIN@@QEAAJXZ +; public: long __cdecl NET_ACCESS::Delete(void) __ptr64 +?Delete@NET_ACCESS@@QEAAJXZ +; public: long __cdecl NEW_LM_OBJ::Delete(unsigned int) __ptr64 +?Delete@NEW_LM_OBJ@@QEAAJI@Z +; public: long __cdecl SAM_ALIAS::Delete(void) __ptr64 +?Delete@SAM_ALIAS@@QEAAJXZ +; public: long __cdecl SC_SERVICE::Delete(void) __ptr64 +?Delete@SC_SERVICE@@QEAAJXZ +; public: long __cdecl OS_ACL::DeleteACE(unsigned long) __ptr64 +?DeleteACE@OS_ACL@@QEAAJK@Z +; protected: long __cdecl LSA_POLICY::DeleteAllTrustedDomains(void) __ptr64 +?DeleteAllTrustedDomains@LSA_POLICY@@IEAAJXZ +; public: long __cdecl MEMBERSHIP_LM_OBJ::DeleteAssocName(unsigned int) __ptr64 +?DeleteAssocName@MEMBERSHIP_LM_OBJ@@QEAAJI@Z +; public: long __cdecl MEMBERSHIP_LM_OBJ::DeleteAssocName(unsigned short const * __ptr64) __ptr64 +?DeleteAssocName@MEMBERSHIP_LM_OBJ@@QEAAJPEBG@Z +; public: long __cdecl LSA_ACCOUNT::DeletePrivilege(struct _LUID) __ptr64 +?DeletePrivilege@LSA_ACCOUNT@@QEAAJU_LUID@@@Z +; private: void __cdecl LM_ENUM::DeregisterIter(void) __ptr64 +?DeregisterIter@LM_ENUM@@AEAAXXZ +; private: void __cdecl LM_RESUME_ENUM::DeregisterIter(void) __ptr64 +?DeregisterIter@LM_RESUME_ENUM@@AEAAXXZ +; private: long __cdecl BROWSE_DOMAIN_ENUM::DetermineIfDomainMember(int * __ptr64) __ptr64 +?DetermineIfDomainMember@BROWSE_DOMAIN_ENUM@@AEAAJPEAH@Z +; public: long __cdecl DEVICE::Disconnect(unsigned int) __ptr64 +?Disconnect@DEVICE@@QEAAJI@Z +; public: long __cdecl DEVICE::Disconnect(unsigned short const * __ptr64,unsigned int) __ptr64 +?Disconnect@DEVICE@@QEAAJPEBGI@Z +; public: long __cdecl LSA_POLICY::DistrustDomain(void * __ptr64 const,class NLS_STR const & __ptr64,int) __ptr64 +?DistrustDomain@LSA_POLICY@@QEAAJQEAXAEBVNLS_STR@@H@Z +; public: int __cdecl LM_RESUME_ENUM::DoesKeepBuffers(void)const __ptr64 +?DoesKeepBuffers@LM_RESUME_ENUM@@QEBAHXZ +; private: virtual unsigned char * __ptr64 __cdecl ENUM_CALLER_LM_OBJ::EC_QueryBufferPtr(void)const __ptr64 +?EC_QueryBufferPtr@ENUM_CALLER_LM_OBJ@@EEBAPEAEXZ +; private: virtual unsigned char * __ptr64 __cdecl LM_ENUM::EC_QueryBufferPtr(void)const __ptr64 +?EC_QueryBufferPtr@LM_ENUM@@EEBAPEAEXZ +; private: virtual unsigned int __cdecl ENUM_CALLER_LM_OBJ::EC_QueryBufferSize(void)const __ptr64 +?EC_QueryBufferSize@ENUM_CALLER_LM_OBJ@@EEBAIXZ +; private: virtual long __cdecl ENUM_CALLER_LM_OBJ::EC_ResizeBuffer(unsigned int) __ptr64 +?EC_ResizeBuffer@ENUM_CALLER_LM_OBJ@@EEAAJI@Z +; private: virtual long __cdecl ENUM_CALLER_LM_OBJ::EC_SetBufferPtr(unsigned char * __ptr64) __ptr64 +?EC_SetBufferPtr@ENUM_CALLER_LM_OBJ@@EEAAJPEAE@Z +; private: virtual long __cdecl LM_ENUM::EC_SetBufferPtr(unsigned char * __ptr64) __ptr64 +?EC_SetBufferPtr@LM_ENUM@@EEAAJPEAE@Z +; private: static long __cdecl DOMAIN_WITH_DC_CACHE::EnterCriticalSection(void) +?EnterCriticalSection@DOMAIN_WITH_DC_CACHE@@CAJXZ +; unsigned long __cdecl EnumAllComms(void) +?EnumAllComms@@YAKXZ +; unsigned long __cdecl EnumAllDrives(void) +?EnumAllDrives@@YAKXZ +; unsigned long __cdecl EnumAllLPTs(void) +?EnumAllLPTs@@YAKXZ +; private: unsigned short const * __ptr64 __cdecl ITER_DEVICE::EnumComms(void) __ptr64 +?EnumComms@ITER_DEVICE@@AEAAPEBGXZ +; public: long __cdecl SC_SERVICE::EnumDependent(unsigned int,struct _ENUM_SERVICE_STATUSW * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?EnumDependent@SC_SERVICE@@QEAAJIPEAPEAU_ENUM_SERVICE_STATUSW@@PEAK@Z +; private: unsigned short const * __ptr64 __cdecl ITER_DEVICE::EnumDrives(void) __ptr64 +?EnumDrives@ITER_DEVICE@@AEAAPEBGXZ +; private: unsigned short const * __ptr64 __cdecl ITER_DEVICE::EnumLPTs(void) __ptr64 +?EnumLPTs@ITER_DEVICE@@AEAAPEBGXZ +; private: long __cdecl SERVICE_ENUM::EnumLmServices(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?EnumLmServices@SERVICE_ENUM@@AEAAJPEAPEAEPEAI@Z +; unsigned long __cdecl EnumLocalComms(void) +?EnumLocalComms@@YAKXZ +; unsigned long __cdecl EnumLocalDrives(void) +?EnumLocalDrives@@YAKXZ +; unsigned long __cdecl EnumLocalLPTs(void) +?EnumLocalLPTs@@YAKXZ +; unsigned long __cdecl EnumNetComms(void) +?EnumNetComms@@YAKXZ +; unsigned long __cdecl EnumNetDevices(int) +?EnumNetDevices@@YAKH@Z +; unsigned long __cdecl EnumNetDrives(void) +?EnumNetDrives@@YAKXZ +; unsigned long __cdecl EnumNetLPTs(void) +?EnumNetLPTs@@YAKXZ +; private: long __cdecl SERVICE_ENUM::EnumNtServices(unsigned char * __ptr64 * __ptr64,unsigned int * __ptr64) __ptr64 +?EnumNtServices@SERVICE_ENUM@@AEAAJPEAPEAEPEAI@Z +; public: long __cdecl SC_MANAGER::EnumServiceStatus(unsigned int,unsigned int,struct _ENUM_SERVICE_STATUSW * __ptr64 * __ptr64,unsigned long * __ptr64,unsigned short const * __ptr64) __ptr64 +?EnumServiceStatus@SC_MANAGER@@QEAAJIIPEAPEAU_ENUM_SERVICE_STATUSW@@PEAKPEBG@Z +; unsigned long __cdecl EnumUnavailComms(void) +?EnumUnavailComms@@YAKXZ +; unsigned long __cdecl EnumUnavailDevices(int) +?EnumUnavailDevices@@YAKH@Z +; unsigned long __cdecl EnumUnavailDrives(void) +?EnumUnavailDrives@@YAKXZ +; unsigned long __cdecl EnumUnavailLPTs(void) +?EnumUnavailLPTs@@YAKXZ +; public: long __cdecl SAM_DOMAIN::EnumerateAliases(class SAM_RID_ENUMERATION_MEM * __ptr64,unsigned long * __ptr64,unsigned long)const __ptr64 +?EnumerateAliases@SAM_DOMAIN@@QEBAJPEAVSAM_RID_ENUMERATION_MEM@@PEAKK@Z +; public: long __cdecl SAM_DOMAIN::EnumerateAliasesForUser(void * __ptr64,class SAM_RID_MEM * __ptr64)const __ptr64 +?EnumerateAliasesForUser@SAM_DOMAIN@@QEBAJPEAXPEAVSAM_RID_MEM@@@Z +; public: long __cdecl SAM_DOMAIN::EnumerateGroups(class SAM_RID_ENUMERATION_MEM * __ptr64,unsigned long * __ptr64,unsigned long)const __ptr64 +?EnumerateGroups@SAM_DOMAIN@@QEBAJPEAVSAM_RID_ENUMERATION_MEM@@PEAKK@Z +; public: long __cdecl LSA_POLICY::EnumerateTrustedDomains(class LSA_TRUST_INFO_MEM * __ptr64,unsigned long * __ptr64,unsigned long) __ptr64 +?EnumerateTrustedDomains@LSA_POLICY@@QEAAJPEAVLSA_TRUST_INFO_MEM@@PEAKK@Z +; public: long __cdecl SAM_DOMAIN::EnumerateUsers(class SAM_RID_ENUMERATION_MEM * __ptr64,unsigned long * __ptr64,unsigned long,unsigned long)const __ptr64 +?EnumerateUsers@SAM_DOMAIN@@QEBAJPEAVSAM_RID_ENUMERATION_MEM@@PEAKKK@Z +; long __cdecl FillUnicodeString(struct _UNICODE_STRING * __ptr64,class NLS_STR const & __ptr64) +?FillUnicodeString@@YAJPEAU_UNICODE_STRING@@AEBVNLS_STR@@@Z +; private: struct _ACCESS_LIST * __ptr64 __cdecl NET_ACCESS_1::FindACE(unsigned short const * __ptr64,enum PERMNAME_TYPE)const __ptr64 +?FindACE@NET_ACCESS_1@@AEBAPEAU_ACCESS_LIST@@PEBGW4PERMNAME_TYPE@@@Z +; public: long __cdecl OS_ACL::FindACE(class OS_SID const & __ptr64,int * __ptr64,class OS_ACE * __ptr64,unsigned long * __ptr64,unsigned long)const __ptr64 +?FindACE@OS_ACL@@QEBAJAEBVOS_SID@@PEAHPEAVOS_ACE@@PEAKK@Z +; public: int __cdecl MEMBERSHIP_LM_OBJ::FindAssocName(unsigned short const * __ptr64,unsigned int * __ptr64) __ptr64 +?FindAssocName@MEMBERSHIP_LM_OBJ@@QEAAHPEBGPEAI@Z +; private: static unsigned short const * __ptr64 __cdecl DOMAIN_WITH_DC_CACHE::FindDcCache(struct _DC_CACHE_ENTRY const * __ptr64,unsigned short const * __ptr64) +?FindDcCache@DOMAIN_WITH_DC_CACHE@@CAPEBGPEBU_DC_CACHE_ENTRY@@PEBG@Z +; public: class BROWSE_DOMAIN_INFO const * __ptr64 __cdecl BROWSE_DOMAIN_ENUM::FindFirst(unsigned long) __ptr64 +?FindFirst@BROWSE_DOMAIN_ENUM@@QEAAPEBVBROWSE_DOMAIN_INFO@@K@Z +; public: class BROWSE_DOMAIN_INFO const * __ptr64 __cdecl BROWSE_DOMAIN_ENUM::FindNext(unsigned long) __ptr64 +?FindNext@BROWSE_DOMAIN_ENUM@@QEAAPEBVBROWSE_DOMAIN_INFO@@K@Z +; public: long __cdecl OS_ACL_SUBJECT_ITER::FindNextSubject(int * __ptr64,class OS_SID * __ptr64,class OS_ACE * __ptr64) __ptr64 +?FindNextSubject@OS_ACL_SUBJECT_ITER@@QEAAJPEAHPEAVOS_SID@@PEAVOS_ACE@@@Z +; public: long __cdecl OS_PRIVILEGE_SET::FindPrivilege(struct _LUID)const __ptr64 +?FindPrivilege@OS_PRIVILEGE_SET@@QEBAJU_LUID@@@Z +; protected: void __cdecl NEW_LM_OBJ::FixupPointer(unsigned short * __ptr64 * __ptr64,class NEW_LM_OBJ const * __ptr64) __ptr64 +?FixupPointer@NEW_LM_OBJ@@IEAAXPEAPEAGPEBV1@@Z +; protected: virtual void __cdecl ALIAS_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@ALIAS_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl FILE_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@FILE_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl LOC_LM_RESUME_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@LOC_LM_RESUME_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl LSA_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@LSA_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl LSA_MEMORY::FreeBuffer(void) __ptr64 +?FreeBuffer@LSA_MEMORY@@MEAAXXZ +; private: void __cdecl LSA_TRUSTED_DC_LIST::FreeBuffer(void) __ptr64 +?FreeBuffer@LSA_TRUSTED_DC_LIST@@AEAAXXZ +; protected: virtual void __cdecl NT_ACCOUNT_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@NT_ACCOUNT_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl SAM_MEMORY::FreeBuffer(void) __ptr64 +?FreeBuffer@SAM_MEMORY@@MEAAXXZ +; protected: virtual void __cdecl SAM_USER_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@SAM_USER_ENUM@@MEAAXPEAPEAE@Z +; protected: virtual void __cdecl TRUSTED_DOMAIN_ENUM::FreeBuffer(unsigned char * __ptr64 * __ptr64) __ptr64 +?FreeBuffer@TRUSTED_DOMAIN_ENUM@@MEAAXPEAPEAE@Z +; void __cdecl FreeUnicodeString(struct _UNICODE_STRING * __ptr64) +?FreeUnicodeString@@YAXPEAU_UNICODE_STRING@@@Z +; public: long __cdecl LSA_POLICY::GetAccountDomain(class LSA_ACCT_DOM_INFO_MEM * __ptr64)const __ptr64 +?GetAccountDomain@LSA_POLICY@@QEBAJPEAVLSA_ACCT_DOM_INFO_MEM@@@Z +; public: static long __cdecl DOMAIN::GetAnyDC(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64) +?GetAnyDC@DOMAIN@@SAJPEBG0PEAVNLS_STR@@@Z +; public: static long __cdecl DOMAIN_WITH_DC_CACHE::GetAnyDC(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64) +?GetAnyDC@DOMAIN_WITH_DC_CACHE@@SAJPEBG0PEAVNLS_STR@@@Z +; protected: static long __cdecl DOMAIN::GetAnyDCWorker(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64,int) +?GetAnyDCWorker@DOMAIN@@KAJPEBG0PEAVNLS_STR@@H@Z +; protected: static long __cdecl DOMAIN_WITH_DC_CACHE::GetAnyDCWorker(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64,int) +?GetAnyDCWorker@DOMAIN_WITH_DC_CACHE@@KAJPEBG0PEAVNLS_STR@@H@Z +; public: static long __cdecl DOMAIN::GetAnyValidDC(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64) +?GetAnyValidDC@DOMAIN@@SAJPEBG0PEAVNLS_STR@@@Z +; public: static long __cdecl DOMAIN_WITH_DC_CACHE::GetAnyValidDC(unsigned short const * __ptr64,unsigned short const * __ptr64,class NLS_STR * __ptr64) +?GetAnyValidDC@DOMAIN_WITH_DC_CACHE@@SAJPEBG0PEAVNLS_STR@@@Z +; public: long __cdecl LSA_POLICY::GetAuditEventInfo(class LSA_AUDIT_EVENT_INFO_MEM * __ptr64) __ptr64 +?GetAuditEventInfo@LSA_POLICY@@QEAAJPEAVLSA_AUDIT_EVENT_INFO_MEM@@@Z +; public: long __cdecl ALIAS_ENUM_OBJ::GetComment(class SAM_DOMAIN const & __ptr64,class NLS_STR * __ptr64) __ptr64 +?GetComment@ALIAS_ENUM_OBJ@@QEAAJAEBVSAM_DOMAIN@@PEAVNLS_STR@@@Z +; public: long __cdecl SAM_ALIAS::GetComment(class NLS_STR * __ptr64) __ptr64 +?GetComment@SAM_ALIAS@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl SAM_GROUP::GetComment(class NLS_STR * __ptr64) __ptr64 +?GetComment@SAM_GROUP@@QEAAJPEAVNLS_STR@@@Z +; private: long __cdecl NET_NAME::GetDeviceInfo(void) __ptr64 +?GetDeviceInfo@NET_NAME@@AEAAJXZ +; public: virtual long __cdecl DEVICE::GetInfo(void) __ptr64 +?GetInfo@DEVICE@@UEAAJXZ +; public: virtual long __cdecl DOMAIN::GetInfo(void) __ptr64 +?GetInfo@DOMAIN@@UEAAJXZ +; public: virtual long __cdecl DOMAIN_WITH_DC_CACHE::GetInfo(void) __ptr64 +?GetInfo@DOMAIN_WITH_DC_CACHE@@UEAAJXZ +; public: long __cdecl LM_ENUM::GetInfo(void) __ptr64 +?GetInfo@LM_ENUM@@QEAAJXZ +; public: long __cdecl LM_RESUME_ENUM::GetInfo(int) __ptr64 +?GetInfo@LM_RESUME_ENUM@@QEAAJH@Z +; public: long __cdecl NEW_LM_OBJ::GetInfo(void) __ptr64 +?GetInfo@NEW_LM_OBJ@@QEAAJXZ +; public: virtual long __cdecl USER_MODALS::GetInfo(void) __ptr64 +?GetInfo@USER_MODALS@@UEAAJXZ +; public: virtual long __cdecl USER_MODALS_3::GetInfo(void) __ptr64 +?GetInfo@USER_MODALS_3@@UEAAJXZ +; private: long __cdecl LM_RESUME_ENUM::GetInfoMulti(void) __ptr64 +?GetInfoMulti@LM_RESUME_ENUM@@AEAAJXZ +; private: long __cdecl LM_RESUME_ENUM::GetInfoSingle(int) __ptr64 +?GetInfoSingle@LM_RESUME_ENUM@@AEAAJH@Z +; private: long __cdecl BROWSE_DOMAIN_ENUM::GetLanmanDomains(unsigned long) __ptr64 +?GetLanmanDomains@BROWSE_DOMAIN_ENUM@@AEAAJK@Z +; private: long __cdecl BROWSE_DOMAIN_ENUM::GetLogonDomainDC(class NLS_STR * __ptr64) __ptr64 +?GetLogonDomainDC@BROWSE_DOMAIN_ENUM@@AEAAJPEAVNLS_STR@@@Z +; public: long __cdecl SAM_ALIAS::GetMembers(class SAM_SID_MEM * __ptr64) __ptr64 +?GetMembers@SAM_ALIAS@@QEAAJPEAVSAM_SID_MEM@@@Z +; public: long __cdecl SAM_GROUP::GetMembers(class SAM_RID_MEM * __ptr64) __ptr64 +?GetMembers@SAM_GROUP@@QEAAJPEAVSAM_RID_MEM@@@Z +; public: long __cdecl SAM_DOMAIN::GetPasswordInfo(class SAM_PSWD_DOM_INFO_MEM * __ptr64)const __ptr64 +?GetPasswordInfo@SAM_DOMAIN@@QEBAJPEAVSAM_PSWD_DOM_INFO_MEM@@@Z +; public: long __cdecl LSA_POLICY::GetPrimaryDomain(class LSA_PRIMARY_DOM_INFO_MEM * __ptr64)const __ptr64 +?GetPrimaryDomain@LSA_POLICY@@QEBAJPEAVLSA_PRIMARY_DOM_INFO_MEM@@@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::GetQualifiedAccountNames(class LSA_POLICY & __ptr64,class SAM_DOMAIN const & __ptr64,void * __ptr64 const * __ptr64,unsigned long,int,class STRLIST * __ptr64,unsigned long * __ptr64,enum _SID_NAME_USE * __ptr64,long * __ptr64,unsigned short const * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64) +?GetQualifiedAccountNames@NT_ACCOUNTS_UTILITY@@SAJAEAVLSA_POLICY@@AEBVSAM_DOMAIN@@PEBQEAXKHPEAVSTRLIST@@PEAKPEAW4_SID_NAME_USE@@PEAJPEBG3333@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::GetQualifiedAccountNames(class LSA_POLICY & __ptr64,void * __ptr64 const,void * __ptr64 const * __ptr64,unsigned long,int,class STRLIST * __ptr64,unsigned long * __ptr64,enum _SID_NAME_USE * __ptr64,long * __ptr64,unsigned short const * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64,class STRLIST * __ptr64) +?GetQualifiedAccountNames@NT_ACCOUNTS_UTILITY@@SAJAEAVLSA_POLICY@@QEAXPEBQEAXKHPEAVSTRLIST@@PEAKPEAW4_SID_NAME_USE@@PEAJPEBG3333@Z +; public: static long __cdecl LM_SRVRES::GetResourceCount(unsigned short const * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) +?GetResourceCount@LM_SRVRES@@SAJPEBGPEAK11111@Z +; public: long __cdecl LSA_POLICY::GetServerRole(class LSA_SERVER_ROLE_INFO_MEM * __ptr64)const __ptr64 +?GetServerRole@LSA_POLICY@@QEBAJPEAVLSA_SERVER_ROLE_INFO_MEM@@@Z +; public: static long __cdecl LM_SRVRES::GetSessionsCount(unsigned short const * __ptr64,unsigned long * __ptr64) +?GetSessionsCount@LM_SRVRES@@SAJPEBGPEAK@Z +; private: long __cdecl BROWSE_DOMAIN_ENUM::GetTrustingDomains(void) __ptr64 +?GetTrustingDomains@BROWSE_DOMAIN_ENUM@@AEAAJXZ +; long __cdecl GetW32ComputerName(class NLS_STR & __ptr64) +?GetW32ComputerName@@YAJAEAVNLS_STR@@@Z +; long __cdecl GetW32UserAndDomainName(class NLS_STR & __ptr64,class NLS_STR & __ptr64) +?GetW32UserAndDomainName@@YAJAEAVNLS_STR@@0@Z +; long __cdecl GetW32UserName(class NLS_STR & __ptr64) +?GetW32UserName@@YAJAEAVNLS_STR@@@Z +; private: long __cdecl BROWSE_DOMAIN_ENUM::GetWorkgroupDomains(void) __ptr64 +?GetWorkgroupDomains@BROWSE_DOMAIN_ENUM@@AEAAJXZ +; protected: long __cdecl USER::HandleNullAccount(void) __ptr64 +?HandleNullAccount@USER@@IEAAJXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::HasInheritOnlyAce(void)const __ptr64 +?HasInheritOnlyAce@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasInheritOnlyAuditAce_F(void)const __ptr64 +?HasInheritOnlyAuditAce_F@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasInheritOnlyAuditAce_S(void)const __ptr64 +?HasInheritOnlyAuditAce_S@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; protected: int __cdecl LM_RESUME_ENUM_ITER::HasMoreData(void)const __ptr64 +?HasMoreData@LM_RESUME_ENUM_ITER@@IEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::HasNewContainerAce(void)const __ptr64 +?HasNewContainerAce@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasNewContainerAuditAce_F(void)const __ptr64 +?HasNewContainerAuditAce_F@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasNewContainerAuditAce_S(void)const __ptr64 +?HasNewContainerAuditAce_S@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::HasNewObjectAce(void)const __ptr64 +?HasNewObjectAce@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasNewObjectAuditAce_F(void)const __ptr64 +?HasNewObjectAuditAce_F@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasNewObjectAuditAce_S(void)const __ptr64 +?HasNewObjectAuditAce_S@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::HasThisAce(void)const __ptr64 +?HasThisAce@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasThisAuditAce_F(void)const __ptr64 +?HasThisAuditAce_F@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_SACL_SUBJECT_ITER::HasThisAuditAce_S(void)const __ptr64 +?HasThisAuditAce_S@OS_SACL_SUBJECT_ITER@@QEBAHXZ +; long __cdecl I_AppendToSTRLIST(class STRLIST * __ptr64,class NLS_STR & __ptr64) +?I_AppendToSTRLIST@@YAJPEAVSTRLIST@@AEAVNLS_STR@@@Z +; protected: virtual long __cdecl GROUP_1::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl GROUP_MEMB::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@GROUP_MEMB@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl USER_2::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@USER_3@@MEAAJXZ +; protected: virtual long __cdecl USER_MEMB::I_ChangeToNew(void) __ptr64 +?I_ChangeToNew@USER_MEMB@@MEAAJXZ +; protected: virtual long __cdecl GROUP_1::I_CreateNew(void) __ptr64 +?I_CreateNew@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl GROUP_MEMB::I_CreateNew(void) __ptr64 +?I_CreateNew@GROUP_MEMB@@MEAAJXZ +; protected: virtual long __cdecl LSA_ACCOUNT::I_CreateNew(void) __ptr64 +?I_CreateNew@LSA_ACCOUNT@@MEAAJXZ +; protected: virtual long __cdecl NET_ACCESS_1::I_CreateNew(void) __ptr64 +?I_CreateNew@NET_ACCESS_1@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::I_CreateNew(void) __ptr64 +?I_CreateNew@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl SHARE_2::I_CreateNew(void) __ptr64 +?I_CreateNew@SHARE_2@@MEAAJXZ +; protected: virtual long __cdecl USER_2::I_CreateNew(void) __ptr64 +?I_CreateNew@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::I_CreateNew(void) __ptr64 +?I_CreateNew@USER_3@@MEAAJXZ +; protected: virtual long __cdecl USER_MEMB::I_CreateNew(void) __ptr64 +?I_CreateNew@USER_MEMB@@MEAAJXZ +; protected: virtual long __cdecl GROUP::I_Delete(unsigned int) __ptr64 +?I_Delete@GROUP@@MEAAJI@Z +; protected: virtual long __cdecl LM_SESSION::I_Delete(unsigned int) __ptr64 +?I_Delete@LM_SESSION@@MEAAJI@Z +; protected: virtual long __cdecl LSA_ACCOUNT::I_Delete(unsigned int) __ptr64 +?I_Delete@LSA_ACCOUNT@@MEAAJI@Z +; protected: virtual long __cdecl NEW_LM_OBJ::I_Delete(unsigned int) __ptr64 +?I_Delete@NEW_LM_OBJ@@MEAAJI@Z +; protected: virtual long __cdecl SHARE::I_Delete(unsigned int) __ptr64 +?I_Delete@SHARE@@MEAAJI@Z +; protected: virtual long __cdecl USER::I_Delete(unsigned int) __ptr64 +?I_Delete@USER@@MEAAJI@Z +; long __cdecl I_FetchAliasFields(class NLS_STR * __ptr64,class ADMIN_AUTHORITY * __ptr64 * __ptr64,class SLIST_OF_ADMIN_AUTHORITY * __ptr64,unsigned long,int,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,long * __ptr64) +?I_FetchAliasFields@@YAJPEAVNLS_STR@@PEAPEAVADMIN_AUTHORITY@@PEAVSLIST_OF_ADMIN_AUTHORITY@@KHAEBV1@PEBV1@PEAJ@Z +; long __cdecl I_FetchDCList(class LSA_TRANSLATED_NAME_MEM const & __ptr64,class LSA_REF_DOMAIN_MEM const & __ptr64,void * __ptr64,void * __ptr64,class NLS_STR * __ptr64 * __ptr64,class STRLIST * __ptr64,int * __ptr64,long * __ptr64,unsigned short const * __ptr64,int,int,int) +?I_FetchDCList@@YAJAEBVLSA_TRANSLATED_NAME_MEM@@AEBVLSA_REF_DOMAIN_MEM@@PEAX2PEAPEAVNLS_STR@@PEAVSTRLIST@@PEAHPEAJPEBGHHH@Z +; long __cdecl I_FetchGroupFields(class NLS_STR * __ptr64,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,long * __ptr64) +?I_FetchGroupFields@@YAJPEAVNLS_STR@@AEBV1@PEBV1@PEAJ@Z +; long __cdecl I_FetchUserFields(class NLS_STR * __ptr64,class NLS_STR * __ptr64,unsigned long * __ptr64,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,long * __ptr64) +?I_FetchUserFields@@YAJPEAVNLS_STR@@0PEAKAEBV1@PEBV1@PEAJ@Z +; protected: virtual long __cdecl GROUP_1::I_GetInfo(void) __ptr64 +?I_GetInfo@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl LM_FILE_2::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_FILE_2@@MEAAJXZ +; protected: virtual long __cdecl LM_FILE_3::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_FILE_3@@MEAAJXZ +; protected: virtual long __cdecl LM_SESSION_0::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_SESSION_0@@MEAAJXZ +; protected: virtual long __cdecl LM_SESSION_10::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_SESSION_10@@MEAAJXZ +; protected: virtual long __cdecl LM_SESSION_1::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_SESSION_1@@MEAAJXZ +; protected: virtual long __cdecl LM_SESSION_2::I_GetInfo(void) __ptr64 +?I_GetInfo@LM_SESSION_2@@MEAAJXZ +; protected: virtual long __cdecl LOCAL_USER::I_GetInfo(void) __ptr64 +?I_GetInfo@LOCAL_USER@@MEAAJXZ +; protected: virtual long __cdecl LSA_ACCOUNT::I_GetInfo(void) __ptr64 +?I_GetInfo@LSA_ACCOUNT@@MEAAJXZ +; protected: virtual long __cdecl MEMBERSHIP_LM_OBJ::I_GetInfo(void) __ptr64 +?I_GetInfo@MEMBERSHIP_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl NET_ACCESS_1::I_GetInfo(void) __ptr64 +?I_GetInfo@NET_ACCESS_1@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::I_GetInfo(void) __ptr64 +?I_GetInfo@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl SERVER_0::I_GetInfo(void) __ptr64 +?I_GetInfo@SERVER_0@@MEAAJXZ +; protected: virtual long __cdecl SERVER_1::I_GetInfo(void) __ptr64 +?I_GetInfo@SERVER_1@@MEAAJXZ +; protected: virtual long __cdecl SERVER_2::I_GetInfo(void) __ptr64 +?I_GetInfo@SERVER_2@@MEAAJXZ +; protected: virtual long __cdecl SHARE_1::I_GetInfo(void) __ptr64 +?I_GetInfo@SHARE_1@@MEAAJXZ +; protected: virtual long __cdecl SHARE_2::I_GetInfo(void) __ptr64 +?I_GetInfo@SHARE_2@@MEAAJXZ +; protected: virtual long __cdecl TIME_OF_DAY::I_GetInfo(void) __ptr64 +?I_GetInfo@TIME_OF_DAY@@MEAAJXZ +; protected: virtual long __cdecl USER_11::I_GetInfo(void) __ptr64 +?I_GetInfo@USER_11@@MEAAJXZ +; protected: virtual long __cdecl USER_2::I_GetInfo(void) __ptr64 +?I_GetInfo@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::I_GetInfo(void) __ptr64 +?I_GetInfo@USER_3@@MEAAJXZ +; public: virtual long __cdecl WKSTA_10::I_GetInfo(void) __ptr64 +?I_GetInfo@WKSTA_10@@UEAAJXZ +; public: virtual long __cdecl WKSTA_1::I_GetInfo(void) __ptr64 +?I_GetInfo@WKSTA_1@@UEAAJXZ +; protected: virtual long __cdecl WKSTA_USER_1::I_GetInfo(void) __ptr64 +?I_GetInfo@WKSTA_USER_1@@MEAAJXZ +; protected: virtual long __cdecl GROUP_1::I_WriteInfo(void) __ptr64 +?I_WriteInfo@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl GROUP_MEMB::I_WriteInfo(void) __ptr64 +?I_WriteInfo@GROUP_MEMB@@MEAAJXZ +; protected: virtual long __cdecl LSA_ACCOUNT::I_WriteInfo(void) __ptr64 +?I_WriteInfo@LSA_ACCOUNT@@MEAAJXZ +; protected: virtual long __cdecl NET_ACCESS_1::I_WriteInfo(void) __ptr64 +?I_WriteInfo@NET_ACCESS_1@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::I_WriteInfo(void) __ptr64 +?I_WriteInfo@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl SERVER_1::I_WriteInfo(void) __ptr64 +?I_WriteInfo@SERVER_1@@MEAAJXZ +; protected: virtual long __cdecl SERVER_2::I_WriteInfo(void) __ptr64 +?I_WriteInfo@SERVER_2@@MEAAJXZ +; protected: virtual long __cdecl SHARE_1::I_WriteInfo(void) __ptr64 +?I_WriteInfo@SHARE_1@@MEAAJXZ +; protected: virtual long __cdecl SHARE_2::I_WriteInfo(void) __ptr64 +?I_WriteInfo@SHARE_2@@MEAAJXZ +; protected: virtual long __cdecl USER_2::I_WriteInfo(void) __ptr64 +?I_WriteInfo@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::I_WriteInfo(void) __ptr64 +?I_WriteInfo@USER_3@@MEAAJXZ +; protected: virtual long __cdecl USER_MEMB::I_WriteInfo(void) __ptr64 +?I_WriteInfo@USER_MEMB@@MEAAJXZ +; protected: virtual long __cdecl WKSTA_USER_1::I_WriteInfo(void) __ptr64 +?I_WriteInfo@WKSTA_USER_1@@MEAAJXZ +; private: long __cdecl NET_ACCESS_1::I_WriteInfoAux(void) __ptr64 +?I_WriteInfoAux@NET_ACCESS_1@@AEAAJXZ +; protected: virtual long __cdecl GROUP_1::I_WriteNew(void) __ptr64 +?I_WriteNew@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl LSA_ACCOUNT::I_WriteNew(void) __ptr64 +?I_WriteNew@LSA_ACCOUNT@@MEAAJXZ +; protected: virtual long __cdecl MEMBERSHIP_LM_OBJ::I_WriteNew(void) __ptr64 +?I_WriteNew@MEMBERSHIP_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl NET_ACCESS_1::I_WriteNew(void) __ptr64 +?I_WriteNew@NET_ACCESS_1@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::I_WriteNew(void) __ptr64 +?I_WriteNew@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl SHARE_2::I_WriteNew(void) __ptr64 +?I_WriteNew@SHARE_2@@MEAAJXZ +; protected: virtual long __cdecl USER_2::I_WriteNew(void) __ptr64 +?I_WriteNew@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::I_WriteNew(void) __ptr64 +?I_WriteNew@USER_3@@MEAAJXZ +; private: static void __cdecl LSA_POLICY::InitObjectAttributes(struct _OBJECT_ATTRIBUTES * __ptr64,struct _SECURITY_QUALITY_OF_SERVICE * __ptr64) +?InitObjectAttributes@LSA_POLICY@@CAXPEAU_OBJECT_ATTRIBUTES@@PEAU_SECURITY_QUALITY_OF_SERVICE@@@Z +; public: void __cdecl OS_SACL_SUBJECT_DESCRIPTOR::InitToZero(void) __ptr64 +?InitToZero@OS_SACL_SUBJECT_DESCRIPTOR@@QEAAXXZ +; private: void __cdecl OS_SACL_SUBJECT_ITER::InitToZero(void) __ptr64 +?InitToZero@OS_SACL_SUBJECT_ITER@@AEAAXXZ +; private: void __cdecl OS_PRIVILEGE_SET::InitializeMemory(void) __ptr64 +?InitializeMemory@OS_PRIVILEGE_SET@@AEAAXXZ +; public: static void __cdecl OS_SID::InitializeMemory(void * __ptr64) +?InitializeMemory@OS_SID@@SAXPEAX@Z +; public: long __cdecl SLIST_OF_BROWSE_DOMAIN_INFO::Insert(class BROWSE_DOMAIN_INFO const * __ptr64,class ITER_SL_BROWSE_DOMAIN_INFO & __ptr64) __ptr64 +?Insert@SLIST_OF_BROWSE_DOMAIN_INFO@@QEAAJPEBVBROWSE_DOMAIN_INFO@@AEAVITER_SL_BROWSE_DOMAIN_INFO@@@Z +; public: long __cdecl LSA_ACCOUNT::InsertPrivilege(struct _LUID,unsigned long) __ptr64 +?InsertPrivilege@LSA_ACCOUNT@@QEAAJU_LUID@@K@Z +; public: int __cdecl USER_11::IsAccountsOperator(void)const __ptr64 +?IsAccountsOperator@USER_11@@QEBAHXZ +; public: int __cdecl USER_11::IsCommOperator(void)const __ptr64 +?IsCommOperator@USER_11@@QEBAHXZ +; public: int __cdecl OS_ACL_SUBJECT_ITER::IsContainer(void)const __ptr64 +?IsContainer@OS_ACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl LM_SERVICE::IsContinuing(long * __ptr64) __ptr64 +?IsContinuing@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsDACLDefaulted(void)const __ptr64 +?IsDACLDefaulted@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR::IsDACLPresent(void)const __ptr64 +?IsDACLPresent@OS_SECURITY_DESCRIPTOR@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsDACLPresent(void)const __ptr64 +?IsDACLPresent@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl LSA_ACCOUNT::IsDefaultSettings(void) __ptr64 +?IsDefaultSettings@LSA_ACCOUNT@@QEAAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::IsDenyAll(void)const __ptr64 +?IsDenyAll@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl LOCATION::IsDomain(void)const __ptr64 +?IsDomain@LOCATION@@QEBAHXZ +; public: int __cdecl LM_SESSION_1::IsEncrypted(void)const __ptr64 +?IsEncrypted@LM_SESSION_1@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsGroupDefaulted(void)const __ptr64 +?IsGroupDefaulted@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl LM_SESSION_1::IsGuest(void)const __ptr64 +?IsGuest@LM_SESSION_1@@QEBAHXZ +; public: int __cdecl LSA_OBJECT::IsHandleValid(void)const __ptr64 +?IsHandleValid@LSA_OBJECT@@QEBAHXZ +; public: int __cdecl OS_ACE::IsInheritOnly(void)const __ptr64 +?IsInheritOnly@OS_ACE@@QEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::IsInheritOnlyDenyAll(void)const __ptr64 +?IsInheritOnlyDenyAll@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_ACE::IsInheritancePropagated(void)const __ptr64 +?IsInheritancePropagated@OS_ACE@@QEBAHXZ +; public: int __cdecl OS_ACE::IsInherittedByNewContainers(void)const __ptr64 +?IsInherittedByNewContainers@OS_ACE@@QEBAHXZ +; public: int __cdecl OS_ACE::IsInherittedByNewObjects(void)const __ptr64 +?IsInherittedByNewObjects@OS_ACE@@QEBAHXZ +; protected: int __cdecl LM_OBJ::IsInvalid(void)const __ptr64 +?IsInvalid@LM_OBJ@@IEBAHXZ +; private: int __cdecl LM_OBJ_BASE::IsInvalid(void)const __ptr64 +?IsInvalid@LM_OBJ_BASE@@AEBAHXZ +; public: int __cdecl OS_ACE::IsKnownACE(void)const __ptr64 +?IsKnownACE@OS_ACE@@QEBAHXZ +; public: int __cdecl NET_NAME::IsLocal(long * __ptr64) __ptr64 +?IsLocal@NET_NAME@@QEAAHPEAJ@Z +; private: int __cdecl NEW_LM_OBJ::IsNew(void)const __ptr64 +?IsNew@NEW_LM_OBJ@@AEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::IsNewContainerDenyAll(void)const __ptr64 +?IsNewContainerDenyAll@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; public: int __cdecl OS_DACL_SUBJECT_ITER::IsNewObjectDenyAll(void)const __ptr64 +?IsNewObjectDenyAll@OS_DACL_SUBJECT_ITER@@QEBAHXZ +; protected: int __cdecl NEW_LM_OBJ::IsOKState(void)const __ptr64 +?IsOKState@NEW_LM_OBJ@@IEBAHXZ +; protected: int __cdecl OS_ACE::IsOwnerAlloc(void)const __ptr64 +?IsOwnerAlloc@OS_ACE@@IEBAHXZ +; protected: int __cdecl OS_ACL::IsOwnerAlloc(void)const __ptr64 +?IsOwnerAlloc@OS_ACL@@IEBAHXZ +; private: int __cdecl OS_PRIVILEGE_SET::IsOwnerAlloc(void)const __ptr64 +?IsOwnerAlloc@OS_PRIVILEGE_SET@@AEBAHXZ +; protected: int __cdecl OS_SID::IsOwnerAlloc(void)const __ptr64 +?IsOwnerAlloc@OS_SID@@IEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsOwnerDefaulted(void)const __ptr64 +?IsOwnerDefaulted@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl LM_SERVICE::IsPaused(long * __ptr64) __ptr64 +?IsPaused@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl LM_SERVICE::IsPausing(long * __ptr64) __ptr64 +?IsPausing@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl LM_FILE_3::IsPermCreate(void)const __ptr64 +?IsPermCreate@LM_FILE_3@@QEBAHXZ +; public: int __cdecl LM_FILE_3::IsPermRead(void)const __ptr64 +?IsPermRead@LM_FILE_3@@QEBAHXZ +; public: int __cdecl LM_FILE_3::IsPermWrite(void)const __ptr64 +?IsPermWrite@LM_FILE_3@@QEBAHXZ +; public: int __cdecl USER_11::IsPrintOperator(void)const __ptr64 +?IsPrintOperator@USER_11@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsSACLDefaulted(void)const __ptr64 +?IsSACLDefaulted@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR::IsSACLPresent(void)const __ptr64 +?IsSACLPresent@OS_SECURITY_DESCRIPTOR@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR_CONTROL::IsSACLPresent(void)const __ptr64 +?IsSACLPresent@OS_SECURITY_DESCRIPTOR_CONTROL@@QEBAHXZ +; public: int __cdecl LOCATION::IsServer(void)const __ptr64 +?IsServer@LOCATION@@QEBAHXZ +; public: int __cdecl USER_11::IsServerOperator(void)const __ptr64 +?IsServerOperator@USER_11@@QEBAHXZ +; public: int __cdecl NET_NAME::IsSharable(long * __ptr64) __ptr64 +?IsSharable@NET_NAME@@QEAAHPEAJ@Z +; public: int __cdecl LM_SERVICE::IsStarted(long * __ptr64) __ptr64 +?IsStarted@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl LM_SERVICE::IsStarting(long * __ptr64) __ptr64 +?IsStarting@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl LM_SERVICE::IsStopped(long * __ptr64) __ptr64 +?IsStopped@LM_SERVICE@@QEAAHPEAJ@Z +; public: int __cdecl LM_SERVICE::IsStopping(long * __ptr64) __ptr64 +?IsStopping@LM_SERVICE@@QEAAHPEAJ@Z +; protected: int __cdecl LM_OBJ::IsUnconstructed(void)const __ptr64 +?IsUnconstructed@LM_OBJ@@IEBAHXZ +; private: int __cdecl LM_OBJ_BASE::IsUnconstructed(void)const __ptr64 +?IsUnconstructed@LM_OBJ_BASE@@AEBAHXZ +; protected: int __cdecl LM_OBJ::IsValid(void)const __ptr64 +?IsValid@LM_OBJ@@IEBAHXZ +; private: int __cdecl LM_OBJ_BASE::IsValid(void)const __ptr64 +?IsValid@LM_OBJ_BASE@@AEBAHXZ +; public: int __cdecl OS_ACL::IsValid(void)const __ptr64 +?IsValid@OS_ACL@@QEBAHXZ +; public: int __cdecl OS_SECURITY_DESCRIPTOR::IsValid(void)const __ptr64 +?IsValid@OS_SECURITY_DESCRIPTOR@@QEBAHXZ +; public: int __cdecl OS_SID::IsValid(void)const __ptr64 +?IsValid@OS_SID@@QEBAHXZ +; public: static int __cdecl DOMAIN::IsValidDC(unsigned short const * __ptr64,unsigned short const * __ptr64) +?IsValidDC@DOMAIN@@SAHPEBG0@Z +; public: int __cdecl LM_OBJ_BASE::IsValidationOn(void) __ptr64 +?IsValidationOn@LM_OBJ_BASE@@QEAAHXZ +; int __cdecl IsWhiteSpace(unsigned short) +?IsWhiteSpace@@YAHG@Z +; public: long __cdecl LSA_POLICY::JoinDomain(class NLS_STR const & __ptr64,class NLS_STR const & __ptr64,int,class NLS_STR const * __ptr64,unsigned short const * __ptr64) __ptr64 +?JoinDomain@LSA_POLICY@@QEAAJAEBVNLS_STR@@0HPEBV2@PEBG@Z +; int __cdecl LMOTypeToNetType(enum LMO_DEVICE) +?LMOTypeToNetType@@YAHW4LMO_DEVICE@@@Z +; private: static void __cdecl DOMAIN_WITH_DC_CACHE::LeaveCriticalSection(void) +?LeaveCriticalSection@DOMAIN_WITH_DC_CACHE@@CAXXZ +; public: long __cdecl LSA_POLICY::LeaveDomain(void) __ptr64 +?LeaveDomain@LSA_POLICY@@QEAAJXZ +; public: long __cdecl SC_MANAGER::Lock(void) __ptr64 +?Lock@SC_MANAGER@@QEAAJXZ +; long __cdecl LsaxGetComputerName(class NLS_STR * __ptr64) +?LsaxGetComputerName@@YAJPEAVNLS_STR@@@Z +; protected: void __cdecl LM_OBJ::MakeConstructed(void) __ptr64 +?MakeConstructed@LM_OBJ@@IEAAXXZ +; private: void __cdecl LM_OBJ_BASE::MakeConstructed(void) __ptr64 +?MakeConstructed@LM_OBJ_BASE@@AEAAXXZ +; protected: void __cdecl LM_OBJ::MakeInvalid(void) __ptr64 +?MakeInvalid@LM_OBJ@@IEAAXXZ +; private: void __cdecl LM_OBJ_BASE::MakeInvalid(void) __ptr64 +?MakeInvalid@LM_OBJ_BASE@@AEAAXXZ +; private: void __cdecl NEW_LM_OBJ::MakeNew(void) __ptr64 +?MakeNew@NEW_LM_OBJ@@AEAAXXZ +; unsigned long __cdecl MakeNullNull(unsigned short const * __ptr64,unsigned short * __ptr64 * __ptr64) +?MakeNullNull@@YAKPEBGPEAPEAG@Z +; private: static long __cdecl LSA_POLICY::MakeSecretName(class NLS_STR const & __ptr64,int,class NLS_STR * __ptr64) +?MakeSecretName@LSA_POLICY@@CAJAEBVNLS_STR@@HPEAV2@@Z +; protected: void __cdecl LM_OBJ::MakeUnconstructed(void) __ptr64 +?MakeUnconstructed@LM_OBJ@@IEAAXXZ +; private: void __cdecl LM_OBJ_BASE::MakeUnconstructed(void) __ptr64 +?MakeUnconstructed@LM_OBJ_BASE@@AEAAXXZ +; protected: void __cdecl LM_OBJ::MakeValid(void) __ptr64 +?MakeValid@LM_OBJ@@IEAAXXZ +; private: void __cdecl LM_OBJ_BASE::MakeValid(void) __ptr64 +?MakeValid@LM_OBJ_BASE@@AEAAXXZ +; private: void __cdecl TRIPLE_SERVER_ENUM::MapBrowserToTriple(struct _SERVER_INFO_101 const * __ptr64,struct _TRIPLE_SERVER_INFO * __ptr64) __ptr64 +?MapBrowserToTriple@TRIPLE_SERVER_ENUM@@AEAAXPEBU_SERVER_INFO_101@@PEAU_TRIPLE_SERVER_INFO@@@Z +; unsigned long __cdecl MapComm(unsigned short const * __ptr64) +?MapComm@@YAKPEBG@Z +; unsigned long __cdecl MapDrive(unsigned short const * __ptr64) +?MapDrive@@YAKPEBG@Z +; public: int __cdecl OS_ACL_SUBJECT_ITER::MapGenericAllOnly(void)const __ptr64 +?MapGenericAllOnly@OS_ACL_SUBJECT_ITER@@QEBAHXZ +; private: void __cdecl TRIPLE_SERVER_ENUM::MapKnownToTriple(struct _KNOWN_SERVER_INFO const * __ptr64,struct _TRIPLE_SERVER_INFO * __ptr64) __ptr64 +?MapKnownToTriple@TRIPLE_SERVER_ENUM@@AEAAXPEBU_KNOWN_SERVER_INFO@@PEAU_TRIPLE_SERVER_INFO@@@Z +; unsigned long __cdecl MapLPT(unsigned short const * __ptr64) +?MapLPT@@YAKPEBG@Z +; private: void __cdecl SERVICE_ENUM::MapLmStatusToNtState(unsigned long,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?MapLmStatusToNtState@SERVICE_ENUM@@AEAAXKPEAK0@Z +; private: void __cdecl TRIPLE_SERVER_ENUM::MapLmToKnown(struct _USER_INFO_0 const * __ptr64,struct _KNOWN_SERVER_INFO * __ptr64) __ptr64 +?MapLmToKnown@TRIPLE_SERVER_ENUM@@AEAAXPEBU_USER_INFO_0@@PEAU_KNOWN_SERVER_INFO@@@Z +; private: void __cdecl TRIPLE_SERVER_ENUM::MapNtToKnown(struct _DOMAIN_DISPLAY_MACHINE const * __ptr64,struct _KNOWN_SERVER_INFO * __ptr64) __ptr64 +?MapNtToKnown@TRIPLE_SERVER_ENUM@@AEAAXPEBU_DOMAIN_DISPLAY_MACHINE@@PEAU_KNOWN_SERVER_INFO@@@Z +; public: long __cdecl OS_ACL_SUBJECT_ITER::MapSpecificToGeneric(unsigned long * __ptr64,int) __ptr64 +?MapSpecificToGeneric@OS_ACL_SUBJECT_ITER@@QEAAJPEAKH@Z +; private: enum _SERVER_ROLE __cdecl TRIPLE_SERVER_ENUM::MapTypeMaskToRole(unsigned long)const __ptr64 +?MapTypeMaskToRole@TRIPLE_SERVER_ENUM@@AEBA?AW4_SERVER_ROLE@@K@Z +; private: enum _SERVER_TYPE __cdecl TRIPLE_SERVER_ENUM::MapTypeMaskToType(unsigned long)const __ptr64 +?MapTypeMaskToType@TRIPLE_SERVER_ENUM@@AEBA?AW4_SERVER_TYPE@@K@Z +; enum LMO_DEVICE __cdecl NetTypeToLMOType(unsigned long) +?NetTypeToLMOType@@YA?AW4LMO_DEVICE@@K@Z +; public: class ALIAS_ENUM_OBJ const * __ptr64 __cdecl ALIAS_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@ALIAS_ENUM_ITER@@QEAAPEBVALIAS_ENUM_OBJ@@PEAJH@Z +; public: class BROWSE_DOMAIN_INFO const * __ptr64 __cdecl BROWSE_DOMAIN_ENUM::Next(void) __ptr64 +?Next@BROWSE_DOMAIN_ENUM@@QEAAPEBVBROWSE_DOMAIN_INFO@@XZ +; public: class FILE2_ENUM_OBJ const * __ptr64 __cdecl FILE2_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@FILE2_ENUM_ITER@@QEAAPEBVFILE2_ENUM_OBJ@@PEAJH@Z +; public: class FILE3_ENUM_OBJ const * __ptr64 __cdecl FILE3_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@FILE3_ENUM_ITER@@QEAAPEBVFILE3_ENUM_OBJ@@PEAJH@Z +; public: unsigned short const * __ptr64 __cdecl ITER_DEVICE::Next(void) __ptr64 +?Next@ITER_DEVICE@@QEAAPEBGXZ +; public: class BROWSE_DOMAIN_INFO * __ptr64 __cdecl ITER_SL_BROWSE_DOMAIN_INFO::Next(void) __ptr64 +?Next@ITER_SL_BROWSE_DOMAIN_INFO@@QEAAPEAVBROWSE_DOMAIN_INFO@@XZ +; public: class LM_RESUME_BUFFER * __ptr64 __cdecl ITER_SL_LM_RESUME_BUFFER::Next(void) __ptr64 +?Next@ITER_SL_LM_RESUME_BUFFER@@QEAAPEAVLM_RESUME_BUFFER@@XZ +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::Next(void) __ptr64 +?Next@ITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; public: class LSA_ACCOUNTS_ENUM_OBJ const * __ptr64 __cdecl LSA_ACCOUNTS_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@LSA_ACCOUNTS_ENUM_ITER@@QEAAPEBVLSA_ACCOUNTS_ENUM_OBJ@@PEAJH@Z +; public: class LSA_PRIVILEGES_ENUM_OBJ const * __ptr64 __cdecl LSA_PRIVILEGES_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@LSA_PRIVILEGES_ENUM_ITER@@QEAAPEBVLSA_PRIVILEGES_ENUM_OBJ@@PEAJH@Z +; public: class NT_GROUP_ENUM_OBJ const * __ptr64 __cdecl NT_GROUP_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@NT_GROUP_ENUM_ITER@@QEAAPEBVNT_GROUP_ENUM_OBJ@@PEAJH@Z +; public: class NT_MACHINE_ENUM_OBJ const * __ptr64 __cdecl NT_MACHINE_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@NT_MACHINE_ENUM_ITER@@QEAAPEBVNT_MACHINE_ENUM_OBJ@@PEAJH@Z +; public: class NT_USER_ENUM_OBJ const * __ptr64 __cdecl NT_USER_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@NT_USER_ENUM_ITER@@QEAAPEBVNT_USER_ENUM_OBJ@@PEAJH@Z +; public: virtual int __cdecl OS_DACL_SUBJECT_ITER::Next(long * __ptr64) __ptr64 +?Next@OS_DACL_SUBJECT_ITER@@UEAAHPEAJ@Z +; public: virtual int __cdecl OS_SACL_SUBJECT_ITER::Next(long * __ptr64) __ptr64 +?Next@OS_SACL_SUBJECT_ITER@@UEAAHPEAJ@Z +; public: class SAM_USER_ENUM_OBJ const * __ptr64 __cdecl SAM_USER_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@SAM_USER_ENUM_ITER@@QEAAPEBVSAM_USER_ENUM_OBJ@@PEAJH@Z +; public: class TRUSTED_DOMAIN_ENUM_OBJ const * __ptr64 __cdecl TRUSTED_DOMAIN_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@TRUSTED_DOMAIN_ENUM_ITER@@QEAAPEBVTRUSTED_DOMAIN_ENUM_OBJ@@PEAJH@Z +; public: class USER0_ENUM_OBJ const * __ptr64 __cdecl USER0_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@USER0_ENUM_ITER@@QEAAPEBVUSER0_ENUM_OBJ@@PEAJH@Z +; public: class USER10_ENUM_OBJ const * __ptr64 __cdecl USER10_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@USER10_ENUM_ITER@@QEAAPEBVUSER10_ENUM_OBJ@@PEAJH@Z +; public: class USER1_ENUM_OBJ const * __ptr64 __cdecl USER1_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@USER1_ENUM_ITER@@QEAAPEBVUSER1_ENUM_OBJ@@PEAJH@Z +; public: class USER2_ENUM_OBJ const * __ptr64 __cdecl USER2_ENUM_ITER::Next(long * __ptr64,int) __ptr64 +?Next@USER2_ENUM_ITER@@QEAAPEBVUSER2_ENUM_OBJ@@PEAJH@Z +; protected: long __cdecl LM_RESUME_ENUM_ITER::NextGetInfo(void) __ptr64 +?NextGetInfo@LM_RESUME_ENUM_ITER@@IEAAJXZ +; protected: void __cdecl LM_RESUME_ENUM::NukeBuffers(void) __ptr64 +?NukeBuffers@LM_RESUME_ENUM@@IEAAXXZ +; public: static long __cdecl LM_SRVRES::NukeUsersSession(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) +?NukeUsersSession@LM_SRVRES@@SAJPEBG00@Z +; public: long __cdecl LSA_POLICY::Open(unsigned short const * __ptr64,unsigned long) __ptr64 +?Open@LSA_POLICY@@QEAAJPEBGK@Z +; public: long __cdecl LSA_SECRET::Open(class LSA_POLICY const & __ptr64,unsigned long) __ptr64 +?Open@LSA_SECRET@@QEAAJAEBVLSA_POLICY@@K@Z +; private: long __cdecl SAM_DOMAIN::OpenDomain(class SAM_SERVER const & __ptr64,void * __ptr64,unsigned long) __ptr64 +?OpenDomain@SAM_DOMAIN@@AEAAJAEBVSAM_SERVER@@PEAXK@Z +; public: long __cdecl LM_SERVICE::Pause(unsigned int,unsigned int) __ptr64 +?Pause@LM_SERVICE@@QEAAJII@Z +; public: long __cdecl LM_SERVICE::Poll(int * __ptr64) __ptr64 +?Poll@LM_SERVICE@@QEAAJPEAH@Z +; protected: void __cdecl LSA_ACCOUNT::PrintInfo(unsigned short const * __ptr64) __ptr64 +?PrintInfo@LSA_ACCOUNT@@IEAAXPEBG@Z +; public: struct _ACCESS_LIST * __ptr64 __cdecl NET_ACCESS_1::QueryACE(unsigned int)const __ptr64 +?QueryACE@NET_ACCESS_1@@QEBAPEAU_ACCESS_LIST@@I@Z +; public: void * __ptr64 __cdecl OS_ACE::QueryACE(void)const __ptr64 +?QueryACE@OS_ACE@@QEBAPEAXXZ +; public: long __cdecl OS_ACL::QueryACE(unsigned long,class OS_ACE * __ptr64)const __ptr64 +?QueryACE@OS_ACL@@QEBAJKPEAVOS_ACE@@@Z +; public: unsigned int __cdecl NET_ACCESS_1::QueryACECount(void)const __ptr64 +?QueryACECount@NET_ACCESS_1@@QEBAIXZ +; public: long __cdecl OS_ACL::QueryACECount(unsigned long * __ptr64)const __ptr64 +?QueryACECount@OS_ACL@@QEBAJPEAK@Z +; protected: class OS_ACL const * __ptr64 __cdecl OS_ACL_SUBJECT_ITER::QueryACL(void)const __ptr64 +?QueryACL@OS_ACL_SUBJECT_ITER@@IEBAPEBVOS_ACL@@XZ +; public: unsigned long __cdecl ADMIN_AUTHORITY::QueryAccessAccountDomain(void)const __ptr64 +?QueryAccessAccountDomain@ADMIN_AUTHORITY@@QEBAKXZ +; public: unsigned long __cdecl ADMIN_AUTHORITY::QueryAccessBuiltinDomain(void)const __ptr64 +?QueryAccessBuiltinDomain@ADMIN_AUTHORITY@@QEBAKXZ +; public: unsigned long __cdecl ADMIN_AUTHORITY::QueryAccessLSAPolicy(void)const __ptr64 +?QueryAccessLSAPolicy@ADMIN_AUTHORITY@@QEBAKXZ +; public: unsigned long __cdecl OS_ACE::QueryAccessMask(void)const __ptr64 +?QueryAccessMask@OS_ACE@@QEBAKXZ +; public: unsigned long __cdecl OS_DACL_SUBJECT_ITER::QueryAccessMask(void)const __ptr64 +?QueryAccessMask@OS_DACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl ADMIN_AUTHORITY::QueryAccessSamServer(void)const __ptr64 +?QueryAccessSamServer@ADMIN_AUTHORITY@@QEBAKXZ +; public: unsigned int __cdecl NT_MACHINE_ENUM_OBJ::QueryAccountCtrl(void)const __ptr64 +?QueryAccountCtrl@NT_MACHINE_ENUM_OBJ@@QEBAIXZ +; public: int __cdecl USER_2::QueryAccountDisabled(void)const __ptr64 +?QueryAccountDisabled@USER_2@@QEBAHXZ +; public: class SAM_DOMAIN * __ptr64 __cdecl ADMIN_AUTHORITY::QueryAccountDomain(void)const __ptr64 +?QueryAccountDomain@ADMIN_AUTHORITY@@QEBAPEAVSAM_DOMAIN@@XZ +; public: long __cdecl USER_2::QueryAccountExpires(void)const __ptr64 +?QueryAccountExpires@USER_2@@QEBAJXZ +; public: enum _ACCOUNT_TYPE __cdecl USER_3::QueryAccountType(void)const __ptr64 +?QueryAccountType@USER_3@@QEBA?AW4_ACCOUNT_TYPE@@XZ +; public: unsigned char __cdecl OS_ACE::QueryAceFlags(void)const __ptr64 +?QueryAceFlags@OS_ACE@@QEBAEXZ +; public: struct _ACL * __ptr64 __cdecl OS_ACL::QueryAcl(void)const __ptr64 +?QueryAcl@OS_ACL@@QEBAPEAU_ACL@@XZ +; protected: unsigned int __cdecl OS_OBJECT_WITH_DATA::QueryAllocSize(void)const __ptr64 +?QueryAllocSize@OS_OBJECT_WITH_DATA@@IEBAIXZ +; public: unsigned short const * __ptr64 __cdecl DOMAIN::QueryAnyDC(void)const __ptr64 +?QueryAnyDC@DOMAIN@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl MEMBERSHIP_LM_OBJ::QueryAssocName(unsigned int)const __ptr64 +?QueryAssocName@MEMBERSHIP_LM_OBJ@@QEBAPEBGI@Z +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryAuditAccessMask_F(void)const __ptr64 +?QueryAuditAccessMask_F@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryAuditAccessMask_S(void)const __ptr64 +?QueryAuditAccessMask_S@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: virtual unsigned long __cdecl LOCAL_USER::QueryAuthFlags(void)const __ptr64 +?QueryAuthFlags@LOCAL_USER@@UEBAKXZ +; public: virtual unsigned long __cdecl USER_11::QueryAuthFlags(void)const __ptr64 +?QueryAuthFlags@USER_11@@UEBAKXZ +; protected: unsigned char * __ptr64 __cdecl LM_ENUM_ITER::QueryBasePtr(void)const __ptr64 +?QueryBasePtr@LM_ENUM_ITER@@IEBAPEAEXZ +; protected: unsigned char const * __ptr64 __cdecl LM_RESUME_ENUM_ITER::QueryBasePtr(void)const __ptr64 +?QueryBasePtr@LM_RESUME_ENUM_ITER@@IEBAPEBEXZ +; protected: unsigned char * __ptr64 __cdecl DEVICE::QueryBufPtr(void) __ptr64 +?QueryBufPtr@DEVICE@@IEAAPEAEXZ +; protected: void * __ptr64 __cdecl NT_MEMORY::QueryBuffer(void)const __ptr64 +?QueryBuffer@NT_MEMORY@@IEBAPEAXXZ +; public: class BUFFER const & __ptr64 __cdecl SERVICE_CONTROL::QueryBuffer(void)const __ptr64 +?QueryBuffer@SERVICE_CONTROL@@QEBAAEBVBUFFER@@XZ +; public: struct _SAM_RID_ENUMERATION const * __ptr64 __cdecl ALIAS_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@ALIAS_ENUM_OBJ@@QEBAPEBU_SAM_RID_ENUMERATION@@XZ +; public: struct _SERVER_INFO_100 const * __ptr64 __cdecl DOMAIN0_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@DOMAIN0_ENUM_OBJ@@QEBAPEBU_SERVER_INFO_100@@XZ +; protected: unsigned char const * __ptr64 __cdecl ENUM_OBJ_BASE::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@ENUM_OBJ_BASE@@IEBAPEBEXZ +; public: struct _FILE_INFO_3 const * __ptr64 __cdecl FILE3_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@FILE3_ENUM_OBJ@@QEBAPEBU_FILE_INFO_3@@XZ +; public: struct _GROUP_INFO_0 const * __ptr64 __cdecl GROUP0_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@GROUP0_ENUM_OBJ@@QEBAPEBU_GROUP_INFO_0@@XZ +; public: unsigned char const * __ptr64 __cdecl LM_RESUME_BUFFER::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@LM_RESUME_BUFFER@@QEBAPEBEXZ +; public: struct _POLICY_PRIVILEGE_DEFINITION const * __ptr64 __cdecl LSA_PRIVILEGES_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@LSA_PRIVILEGES_ENUM_OBJ@@QEBAPEBU_POLICY_PRIVILEGE_DEFINITION@@XZ +; protected: unsigned char * __ptr64 __cdecl NEW_LM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@NEW_LM_OBJ@@IEBAPEAEXZ +; public: struct _DOMAIN_DISPLAY_MACHINE const * __ptr64 __cdecl NT_MACHINE_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@NT_MACHINE_ENUM_OBJ@@QEBAPEBU_DOMAIN_DISPLAY_MACHINE@@XZ +; public: struct _SAM_RID_ENUMERATION const * __ptr64 __cdecl SAM_USER_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@SAM_USER_ENUM_OBJ@@QEBAPEBU_SAM_RID_ENUMERATION@@XZ +; public: struct _SERVER_INFO_101 const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@SERVER1_ENUM_OBJ@@QEBAPEBU_SERVER_INFO_101@@XZ +; public: struct _USER_INFO_0 const * __ptr64 __cdecl USER0_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@USER0_ENUM_OBJ@@QEBAPEBU_USER_INFO_0@@XZ +; protected: unsigned int __cdecl NEW_LM_OBJ::QueryBufferSize(void)const __ptr64 +?QueryBufferSize@NEW_LM_OBJ@@IEBAIXZ +; public: class SAM_DOMAIN * __ptr64 __cdecl ADMIN_AUTHORITY::QueryBuiltinDomain(void)const __ptr64 +?QueryBuiltinDomain@ADMIN_AUTHORITY@@QEBAPEAVSAM_DOMAIN@@XZ +; public: long __cdecl OS_ACL::QueryBytesInUse(unsigned long * __ptr64)const __ptr64 +?QueryBytesInUse@OS_ACL@@QEBAJPEAK@Z +; public: unsigned short const * __ptr64 __cdecl LM_SESSION_2::QueryClientType(void)const __ptr64 +?QueryClientType@LM_SESSION_2@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl GROUP_1::QueryComment(void)const __ptr64 +?QueryComment@GROUP_1@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryComment(void)const __ptr64 +?QueryComment@SERVER1_ENUM_OBJ@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl SERVER_1::QueryComment(void)const __ptr64 +?QueryComment@SERVER_1@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl SHARE_1::QueryComment(void)const __ptr64 +?QueryComment@SHARE_1@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryComment(void)const __ptr64 +?QueryComment@USER_11@@QEBAPEBGXZ +; public: long __cdecl NET_NAME::QueryComputerName(class NLS_STR * __ptr64) __ptr64 +?QueryComputerName@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl SC_SERVICE::QueryConfig(struct _QUERY_SERVICE_CONFIGW * __ptr64 * __ptr64) __ptr64 +?QueryConfig@SC_SERVICE@@QEAAJPEAPEAU_QUERY_SERVICE_CONFIGW@@@Z +; public: class OS_SECURITY_DESCRIPTOR_CONTROL const * __ptr64 __cdecl OS_SECURITY_DESCRIPTOR::QueryControl(void)const __ptr64 +?QueryControl@OS_SECURITY_DESCRIPTOR@@QEBAPEBVOS_SECURITY_DESCRIPTOR_CONTROL@@XZ +; public: struct _TRUSTED_CONTROLLERS_INFO const & __ptr64 __cdecl LSA_TRUSTED_DC_LIST::QueryControllerList(void)const __ptr64 +?QueryControllerList@LSA_TRUSTED_DC_LIST@@QEBAAEBU_TRUSTED_CONTROLLERS_INFO@@XZ +; public: long __cdecl LSA_TRUSTED_DOMAIN::QueryControllerList(class LSA_REF_DOMAIN_MEM * __ptr64)const __ptr64 +?QueryControllerList@LSA_TRUSTED_DOMAIN@@QEBAJPEAVLSA_REF_DOMAIN_MEM@@@Z +; public: unsigned int __cdecl ENUM_CALLER::QueryCount(void)const __ptr64 +?QueryCount@ENUM_CALLER@@QEBAIXZ +; protected: unsigned int __cdecl LM_ENUM_ITER::QueryCount(void)const __ptr64 +?QueryCount@LM_ENUM_ITER@@IEBAIXZ +; protected: unsigned int __cdecl LM_RESUME_ENUM_ITER::QueryCount(void)const __ptr64 +?QueryCount@LM_RESUME_ENUM_ITER@@IEBAIXZ +; public: int __cdecl LSA_TRUSTED_DC_LIST::QueryCount(void) __ptr64 +?QueryCount@LSA_TRUSTED_DC_LIST@@QEAAHXZ +; public: unsigned long __cdecl NT_MEMORY::QueryCount(void)const __ptr64 +?QueryCount@NT_MEMORY@@QEBAKXZ +; protected: static long __cdecl NT_ACCOUNT_ENUM::QueryCountPreferences2(unsigned long * __ptr64,unsigned long * __ptr64,unsigned int,unsigned long,unsigned long,unsigned long) +?QueryCountPreferences2@NT_ACCOUNT_ENUM@@KAJPEAK0IKKK@Z +; protected: virtual long __cdecl NT_ACCOUNT_ENUM::QueryCountPreferences(unsigned long * __ptr64,unsigned long * __ptr64,unsigned int,unsigned long,unsigned long,unsigned long) __ptr64 +?QueryCountPreferences@NT_ACCOUNT_ENUM@@MEAAJPEAK0IKKK@Z +; protected: unsigned long __cdecl OS_ACL_SUBJECT_ITER::QueryCurrentACE(void)const __ptr64 +?QueryCurrentACE@OS_ACL_SUBJECT_ITER@@IEBAKXZ +; public: long __cdecl LSA_POLICY::QueryCurrentUser(class NLS_STR * __ptr64)const __ptr64 +?QueryCurrentUser@LSA_POLICY@@QEBAJPEAVNLS_STR@@@Z +; public: unsigned int __cdecl SHARE_2::QueryCurrentUses(void)const __ptr64 +?QueryCurrentUses@SHARE_2@@QEBAIXZ +; public: long __cdecl OS_SECURITY_DESCRIPTOR::QueryDACL(int * __ptr64,class OS_ACL * __ptr64 * __ptr64,int * __ptr64)const __ptr64 +?QueryDACL@OS_SECURITY_DESCRIPTOR@@QEBAJPEAHPEAPEAVOS_ACL@@0@Z +; public: long __cdecl LSA_DOMAIN_INFO::QueryDcName(class NLS_STR * __ptr64) __ptr64 +?QueryDcName@LSA_DOMAIN_INFO@@QEAAJPEAVNLS_STR@@@Z +; protected: enum LMO_DEVICE __cdecl DEVICE::QueryDevType(void)const __ptr64 +?QueryDevType@DEVICE@@IEBA?AW4LMO_DEVICE@@XZ +; public: long __cdecl LOCATION::QueryDisplayName(class NLS_STR * __ptr64)const __ptr64 +?QueryDisplayName@LOCATION@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl LSA_PRIVILEGES_ENUM_OBJ::QueryDisplayName(class NLS_STR * __ptr64,class LSA_POLICY const * __ptr64)const __ptr64 +?QueryDisplayName@LSA_PRIVILEGES_ENUM_OBJ@@QEBAJPEAVNLS_STR@@PEBVLSA_POLICY@@@Z +; public: unsigned short const * __ptr64 __cdecl LOCATION::QueryDomain(void)const __ptr64 +?QueryDomain@LOCATION@@QEBAPEBGXZ +; public: long __cdecl LSA_TRANSLATED_NAME_MEM::QueryDomainIndex(unsigned long)const __ptr64 +?QueryDomainIndex@LSA_TRANSLATED_NAME_MEM@@QEBAJK@Z +; public: unsigned short const * __ptr64 __cdecl BROWSE_DOMAIN_INFO::QueryDomainName(void)const __ptr64 +?QueryDomainName@BROWSE_DOMAIN_INFO@@QEBAPEBGXZ +; public: unsigned long __cdecl BROWSE_DOMAIN_INFO::QueryDomainSources(void)const __ptr64 +?QueryDomainSources@BROWSE_DOMAIN_INFO@@QEBAKXZ +; public: long __cdecl NET_NAME::QueryDrive(class NLS_STR * __ptr64) __ptr64 +?QueryDrive@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned long __cdecl USER_MODALS_3::QueryDuration(void)const __ptr64 +?QueryDuration@USER_MODALS_3@@QEBAKXZ +; public: long __cdecl BASE::QueryError(void)const __ptr64 +?QueryError@BASE@@QEBAJXZ +; public: long __cdecl LM_SERVICE::QueryExitCode(void)const __ptr64 +?QueryExitCode@LM_SERVICE@@QEBAJXZ +; public: long __cdecl NET_ACCESS_1::QueryFailingName(class NLS_STR * __ptr64,enum PERMNAME_TYPE * __ptr64)const __ptr64 +?QueryFailingName@NET_ACCESS_1@@QEBAJPEAVNLS_STR@@PEAW4PERMNAME_TYPE@@@Z +; public: int __cdecl LSA_TRANSLATED_SID_MEM::QueryFailingNameIndex(unsigned long * __ptr64) __ptr64 +?QueryFailingNameIndex@LSA_TRANSLATED_SID_MEM@@QEAAHPEAK@Z +; public: unsigned long __cdecl LM_FILE::QueryFileId(void)const __ptr64 +?QueryFileId@LM_FILE@@QEBAKXZ +; public: unsigned long __cdecl USER_MODALS::QueryForceLogoff(void)const __ptr64 +?QueryForceLogoff@USER_MODALS@@QEBAKXZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryFullName(void)const __ptr64 +?QueryFullName@USER_11@@QEBAPEBGXZ +; public: long __cdecl LM_SERVICE::QueryFullStatus(enum LM_SERVICE_STATUS * __ptr64,struct LM_SERVICE_OTHER_STATUS * __ptr64) __ptr64 +?QueryFullStatus@LM_SERVICE@@QEAAJPEAW4LM_SERVICE_STATUS@@PEAULM_SERVICE_OTHER_STATUS@@@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::QueryGroup(int * __ptr64,class OS_SID * __ptr64 * __ptr64,int * __ptr64)const __ptr64 +?QueryGroup@OS_SECURITY_DESCRIPTOR@@QEBAJPEAHPEAPEAVOS_SID@@0@Z +; public: void * __ptr64 __cdecl LSA_OBJECT::QueryHandle(void)const __ptr64 +?QueryHandle@LSA_OBJECT@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl SAM_OBJECT::QueryHandle(void)const __ptr64 +?QueryHandle@SAM_OBJECT@@QEBAPEAXXZ +; public: struct SC_HANDLE__ * __ptr64 __cdecl SERVICE_CONTROL::QueryHandle(void)const __ptr64 +?QueryHandle@SERVICE_CONTROL@@QEBAPEAUSC_HANDLE__@@XZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryHomeDir(void)const __ptr64 +?QueryHomeDir@USER_11@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_3::QueryHomedirDrive(void)const __ptr64 +?QueryHomedirDrive@USER_3@@QEBAPEBGXZ +; public: unsigned char * __ptr64 __cdecl LOGON_HOURS_SETTING::QueryHoursBlock(void)const __ptr64 +?QueryHoursBlock@LOGON_HOURS_SETTING@@QEBAPEAEXZ +; public: unsigned long __cdecl LM_SESSION_10::QueryIdleTime(void)const __ptr64 +?QueryIdleTime@LM_SESSION_10@@QEBAKXZ +; public: long __cdecl LSA_SECRET::QueryInfo(class NLS_STR * __ptr64,class NLS_STR * __ptr64,union _LARGE_INTEGER * __ptr64,union _LARGE_INTEGER * __ptr64)const __ptr64 +?QueryInfo@LSA_SECRET@@QEBAJPEAVNLS_STR@@0PEAT_LARGE_INTEGER@@1@Z +; private: long __cdecl LSA_TRUSTED_DC_LIST::QueryInfo(class NLS_STR const & __ptr64,unsigned short const * __ptr64) __ptr64 +?QueryInfo@LSA_TRUSTED_DC_LIST@@AEAAJAEBVNLS_STR@@PEBG@Z +; public: unsigned int __cdecl LM_ENUM::QueryInfoLevel(void)const __ptr64 +?QueryInfoLevel@LM_ENUM@@QEBAIXZ +; public: unsigned int __cdecl LM_RESUME_ENUM::QueryInfoLevel(void)const __ptr64 +?QueryInfoLevel@LM_RESUME_ENUM@@QEBAIXZ +; public: unsigned long __cdecl OS_DACL_SUBJECT_ITER::QueryInheritOnlyAccessMask(void)const __ptr64 +?QueryInheritOnlyAccessMask@OS_DACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryInheritOnlyAuditAccessMask_F(void)const __ptr64 +?QueryInheritOnlyAuditAccessMask_F@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryInheritOnlyAuditAccessMask_S(void)const __ptr64 +?QueryInheritOnlyAuditAccessMask_S@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned int __cdecl LM_RESUME_BUFFER::QueryItemCount(void)const __ptr64 +?QueryItemCount@LM_RESUME_BUFFER@@QEBAIXZ +; protected: virtual unsigned int __cdecl MEMBERSHIP_LM_OBJ::QueryItemSize(void)const __ptr64 +?QueryItemSize@MEMBERSHIP_LM_OBJ@@MEBAIXZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_1::QueryLMRoot(void)const __ptr64 +?QueryLMRoot@WKSTA_1@@QEBAPEBGXZ +; public: class LSA_POLICY * __ptr64 __cdecl ADMIN_AUTHORITY::QueryLSAPolicy(void)const __ptr64 +?QueryLSAPolicy@ADMIN_AUTHORITY@@QEBAPEAVLSA_POLICY@@XZ +; public: long __cdecl NET_NAME::QueryLastComponent(class NLS_STR * __ptr64) __ptr64 +?QueryLastComponent@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl OS_SID::QueryLastSubAuthority(unsigned long * __ptr64 * __ptr64)const __ptr64 +?QueryLastSubAuthority@OS_SID@@QEBAJPEAPEAK@Z +; public: unsigned long __cdecl OS_SID::QueryLength(void)const __ptr64 +?QueryLength@OS_SID@@QEBAKXZ +; public: long __cdecl NET_NAME::QueryLocalDrive(class NLS_STR * __ptr64) __ptr64 +?QueryLocalDrive@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl NET_NAME::QueryLocalPath(class NLS_STR * __ptr64) __ptr64 +?QueryLocalPath@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl SC_MANAGER::QueryLockStatus(struct _QUERY_SERVICE_LOCK_STATUSW * __ptr64 * __ptr64) __ptr64 +?QueryLockStatus@SC_MANAGER@@QEAAJPEAPEAU_QUERY_SERVICE_LOCK_STATUSW@@@Z +; public: int __cdecl USER_2::QueryLockout(void)const __ptr64 +?QueryLockout@USER_2@@QEBAHXZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_10::QueryLogonDomain(void)const __ptr64 +?QueryLogonDomain@WKSTA_10@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_USER_1::QueryLogonDomain(void)const __ptr64 +?QueryLogonDomain@WKSTA_USER_1@@QEBAPEBGXZ +; public: class LOGON_HOURS_SETTING const & __ptr64 __cdecl USER_11::QueryLogonHours(void)const __ptr64 +?QueryLogonHours@USER_11@@QEBAAEBVLOGON_HOURS_SETTING@@XZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_1::QueryLogonServer(void)const __ptr64 +?QueryLogonServer@WKSTA_1@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_USER_1::QueryLogonServer(void)const __ptr64 +?QueryLogonServer@WKSTA_USER_1@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_10::QueryLogonUser(void)const __ptr64 +?QueryLogonUser@WKSTA_10@@QEBAPEBGXZ +; public: struct _LUID __cdecl OS_LUID::QueryLuid(void)const __ptr64 +?QueryLuid@OS_LUID@@QEBA?AU_LUID@@XZ +; public: unsigned int __cdecl SERVER1_ENUM_OBJ::QueryMajorVer(void)const __ptr64 +?QueryMajorVer@SERVER1_ENUM_OBJ@@QEBAIXZ +; public: unsigned int __cdecl SERVER_1::QueryMajorVer(void)const __ptr64 +?QueryMajorVer@SERVER_1@@QEBAIXZ +; public: unsigned int __cdecl WKSTA_10::QueryMajorVer(void)const __ptr64 +?QueryMajorVer@WKSTA_10@@QEBAIXZ +; public: unsigned long __cdecl USER_MODALS::QueryMaxPasswdAge(void)const __ptr64 +?QueryMaxPasswdAge@USER_MODALS@@QEBAKXZ +; public: unsigned int __cdecl SERVER_2::QueryMaxUsers(void)const __ptr64 +?QueryMaxUsers@SERVER_2@@QEBAIXZ +; public: unsigned int __cdecl SHARE_2::QueryMaxUses(void)const __ptr64 +?QueryMaxUses@SHARE_2@@QEBAIXZ +; public: unsigned long __cdecl USER_MODALS::QueryMinPasswdAge(void)const __ptr64 +?QueryMinPasswdAge@USER_MODALS@@QEBAKXZ +; public: unsigned int __cdecl USER_MODALS::QueryMinPasswdLen(void)const __ptr64 +?QueryMinPasswdLen@USER_MODALS@@QEBAIXZ +; public: unsigned int __cdecl SERVER1_ENUM_OBJ::QueryMinorVer(void)const __ptr64 +?QueryMinorVer@SERVER1_ENUM_OBJ@@QEBAIXZ +; public: unsigned int __cdecl SERVER_1::QueryMinorVer(void)const __ptr64 +?QueryMinorVer@SERVER_1@@QEBAIXZ +; public: unsigned int __cdecl WKSTA_10::QueryMinorVer(void)const __ptr64 +?QueryMinorVer@WKSTA_10@@QEBAIXZ +; public: long __cdecl LOCATION::QueryNOSVersion(unsigned int * __ptr64,unsigned int * __ptr64) __ptr64 +?QueryNOSVersion@LOCATION@@QEAAJPEAI0@Z +; public: virtual unsigned short const * __ptr64 __cdecl COMPUTER::QueryName(void)const __ptr64 +?QueryName@COMPUTER@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl DEVICE::QueryName(void)const __ptr64 +?QueryName@DEVICE@@UEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl DOMAIN0_ENUM_OBJ::QueryName(void)const __ptr64 +?QueryName@DOMAIN0_ENUM_OBJ@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl DOMAIN::QueryName(void)const __ptr64 +?QueryName@DOMAIN@@UEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl GROUP0_ENUM_OBJ::QueryName(void)const __ptr64 +?QueryName@GROUP0_ENUM_OBJ@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl GROUP::QueryName(void)const __ptr64 +?QueryName@GROUP@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl GROUP_MEMB::QueryName(void)const __ptr64 +?QueryName@GROUP_MEMB@@UEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_SERVICE::QueryName(void)const __ptr64 +?QueryName@LM_SERVICE@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl LM_SESSION::QueryName(void)const __ptr64 +?QueryName@LM_SESSION@@UEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LOCATION::QueryName(void)const __ptr64 +?QueryName@LOCATION@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl LSA_ACCOUNT::QueryName(void)const __ptr64 +?QueryName@LSA_ACCOUNT@@UEBAPEBGXZ +; public: long __cdecl LSA_ACCT_DOM_INFO_MEM::QueryName(class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_ACCT_DOM_INFO_MEM@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryName(class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_PRIMARY_DOM_INFO_MEM@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl LSA_REF_DOMAIN_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_REF_DOMAIN_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: long __cdecl LSA_TRANSLATED_NAME_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_TRANSLATED_NAME_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: long __cdecl LSA_TRUST_INFO_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_TRUST_INFO_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: virtual unsigned short const * __ptr64 __cdecl NET_ACCESS::QueryName(void)const __ptr64 +?QueryName@NET_ACCESS@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl NEW_LM_OBJ::QueryName(void)const __ptr64 +?QueryName@NEW_LM_OBJ@@UEBAPEBGXZ +; public: long __cdecl OS_SID::QueryName(class NLS_STR * __ptr64,unsigned short const * __ptr64,void * __ptr64)const __ptr64 +?QueryName@OS_SID@@QEBAJPEAVNLS_STR@@PEBGPEAX@Z +; public: unsigned short const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryName(void)const __ptr64 +?QueryName@SERVER1_ENUM_OBJ@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl SERVER_0::QueryName(void)const __ptr64 +?QueryName@SERVER_0@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl SHARE::QueryName(void)const __ptr64 +?QueryName@SHARE@@UEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER0_ENUM_OBJ::QueryName(void)const __ptr64 +?QueryName@USER0_ENUM_OBJ@@QEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl USER::QueryName(void)const __ptr64 +?QueryName@USER@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl USER_MEMB::QueryName(void)const __ptr64 +?QueryName@USER_MEMB@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl USER_MODALS::QueryName(void)const __ptr64 +?QueryName@USER_MODALS@@UEBAPEBGXZ +; public: virtual unsigned short const * __ptr64 __cdecl USER_MODALS_3::QueryName(void)const __ptr64 +?QueryName@USER_MODALS_3@@UEBAPEBGXZ +; public: unsigned long __cdecl OS_DACL_SUBJECT_ITER::QueryNewContainerAccessMask(void)const __ptr64 +?QueryNewContainerAccessMask@OS_DACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryNewContainerAuditAccessMask_F(void)const __ptr64 +?QueryNewContainerAuditAccessMask_F@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryNewContainerAuditAccessMask_S(void)const __ptr64 +?QueryNewContainerAuditAccessMask_S@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_DACL_SUBJECT_ITER::QueryNewObjectAccessMask(void)const __ptr64 +?QueryNewObjectAccessMask@OS_DACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryNewObjectAuditAccessMask_F(void)const __ptr64 +?QueryNewObjectAuditAccessMask_F@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: unsigned long __cdecl OS_SACL_SUBJECT_ITER::QueryNewObjectAuditAccessMask_S(void)const __ptr64 +?QueryNewObjectAuditAccessMask_S@OS_SACL_SUBJECT_ITER@@QEBAKXZ +; public: int __cdecl SAM_PSWD_DOM_INFO_MEM::QueryNoAnonChange(void) __ptr64 +?QueryNoAnonChange@SAM_PSWD_DOM_INFO_MEM@@QEAAHXZ +; public: int __cdecl USER_2::QueryNoPasswordExpire(void)const __ptr64 +?QueryNoPasswordExpire@USER_2@@QEBAHXZ +; public: unsigned int __cdecl LM_FILE_3::QueryNumLock(void)const __ptr64 +?QueryNumLock@LM_FILE_3@@QEBAIXZ +; public: unsigned long __cdecl FILE3_ENUM_OBJ::QueryNumLocks(void)const __ptr64 +?QueryNumLocks@FILE3_ENUM_OBJ@@QEBAKXZ +; public: unsigned int __cdecl LM_SESSION_1::QueryNumOpens(void)const __ptr64 +?QueryNumOpens@LM_SESSION_1@@QEBAIXZ +; public: unsigned long __cdecl OS_PRIVILEGE_SET::QueryNumberOfPrivileges(void)const __ptr64 +?QueryNumberOfPrivileges@OS_PRIVILEGE_SET@@QEBAKXZ +; public: unsigned long __cdecl USER_MODALS_3::QueryObservation(void)const __ptr64 +?QueryObservation@USER_MODALS_3@@QEBAKXZ +; public: class STRLIST * __ptr64 __cdecl WKSTA_10::QueryOtherDomains(void)const __ptr64 +?QueryOtherDomains@WKSTA_10@@QEBAPEAVSTRLIST@@XZ +; public: unsigned short const * __ptr64 __cdecl WKSTA_USER_1::QueryOtherDomains(void)const __ptr64 +?QueryOtherDomains@WKSTA_USER_1@@QEBAPEBGXZ +; public: long __cdecl OS_SECURITY_DESCRIPTOR::QueryOwner(int * __ptr64,class OS_SID * __ptr64 * __ptr64,int * __ptr64)const __ptr64 +?QueryOwner@OS_SECURITY_DESCRIPTOR@@QEBAJPEAHPEAPEAVOS_SID@@0@Z +; public: unsigned short const * __ptr64 __cdecl DOMAIN::QueryPDC(void)const __ptr64 +?QueryPDC@DOMAIN@@QEBAPEBGXZ +; public: void * __ptr64 __cdecl LSA_ACCT_DOM_INFO_MEM::QueryPSID(void)const __ptr64 +?QueryPSID@LSA_ACCT_DOM_INFO_MEM@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl LSA_DOMAIN_INFO::QueryPSID(void)const __ptr64 +?QueryPSID@LSA_DOMAIN_INFO@@QEBAQEAXXZ +; public: void * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryPSID(void)const __ptr64 +?QueryPSID@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryPSID(unsigned long)const __ptr64 +?QueryPSID@LSA_REF_DOMAIN_MEM@@QEBAPEAXK@Z +; public: void * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryPSID(unsigned long)const __ptr64 +?QueryPSID@LSA_TRUST_INFO_MEM@@QEBAPEAXK@Z +; public: void * __ptr64 __cdecl OS_SID::QueryPSID(void)const __ptr64 +?QueryPSID@OS_SID@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl SAM_DOMAIN::QueryPSID(void)const __ptr64 +?QueryPSID@SAM_DOMAIN@@QEBAPEAXXZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryParms(void)const __ptr64 +?QueryParms@USER_11@@QEBAPEBGXZ +; public: unsigned int __cdecl USER_MODALS::QueryPasswdHistLen(void)const __ptr64 +?QueryPasswdHistLen@USER_MODALS@@QEBAIXZ +; public: unsigned short const * __ptr64 __cdecl SHARE_2::QueryPassword(void)const __ptr64 +?QueryPassword@SHARE_2@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_2::QueryPassword(void)const __ptr64 +?QueryPassword@USER_2@@QEBAPEBGXZ +; public: unsigned long __cdecl USER_3::QueryPasswordExpired(void)const __ptr64 +?QueryPasswordExpired@USER_3@@QEBAKXZ +; public: unsigned short const * __ptr64 __cdecl SHARE_2::QueryPath(void)const __ptr64 +?QueryPath@SHARE_2@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl FILE3_ENUM_OBJ::QueryPathName(void)const __ptr64 +?QueryPathName@FILE3_ENUM_OBJ@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_FILE_3::QueryPathname(void)const __ptr64 +?QueryPathname@LM_FILE_3@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl NLS_STR::QueryPch(void)const __ptr64 +?QueryPch@NLS_STR@@QEBAPEBGXZ +; public: unsigned int __cdecl NET_ACCESS_1::QueryPerm(unsigned short const * __ptr64,enum PERMNAME_TYPE)const __ptr64 +?QueryPerm@NET_ACCESS_1@@QEBAIPEBGW4PERMNAME_TYPE@@@Z +; public: unsigned int __cdecl LM_FILE_3::QueryPermission(void)const __ptr64 +?QueryPermission@LM_FILE_3@@QEBAIXZ +; public: unsigned int __cdecl SHARE_2::QueryPermissions(void)const __ptr64 +?QueryPermissions@SHARE_2@@QEBAIXZ +; public: long __cdecl LSA_TRUSTED_DOMAIN::QueryPosixOffset(unsigned long * __ptr64)const __ptr64 +?QueryPosixOffset@LSA_TRUSTED_DOMAIN@@QEBAJPEAK@Z +; public: long __cdecl LSA_POLICY::QueryPrimaryBrowserGroup(class NLS_STR * __ptr64)const __ptr64 +?QueryPrimaryBrowserGroup@LSA_POLICY@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl LSA_POLICY::QueryPrimaryDomainName(class NLS_STR * __ptr64)const __ptr64 +?QueryPrimaryDomainName@LSA_POLICY@@QEBAJPEAVNLS_STR@@@Z +; public: unsigned long __cdecl USER_3::QueryPrimaryGroupId(void)const __ptr64 +?QueryPrimaryGroupId@USER_3@@QEBAKXZ +; public: virtual unsigned int __cdecl LOCAL_USER::QueryPriv(void)const __ptr64 +?QueryPriv@LOCAL_USER@@UEBAIXZ +; public: virtual unsigned int __cdecl USER_11::QueryPriv(void)const __ptr64 +?QueryPriv@USER_11@@UEBAIXZ +; public: struct _PRIVILEGE_SET * __ptr64 __cdecl OS_PRIVILEGE_SET::QueryPrivSet(void)const __ptr64 +?QueryPrivSet@OS_PRIVILEGE_SET@@QEBAPEAU_PRIVILEGE_SET@@XZ +; public: class OS_LUID_AND_ATTRIBUTES const * __ptr64 __cdecl OS_PRIVILEGE_SET::QueryPrivilege(long) __ptr64 +?QueryPrivilege@OS_PRIVILEGE_SET@@QEAAPEBVOS_LUID_AND_ATTRIBUTES@@J@Z +; public: long __cdecl LSA_ACCOUNT::QueryPrivilegeEnumIter(class LSA_ACCOUNT_PRIVILEGE_ENUM_ITER * __ptr64 * __ptr64) __ptr64 +?QueryPrivilegeEnumIter@LSA_ACCOUNT@@QEAAJPEAPEAVLSA_ACCOUNT_PRIVILEGE_ENUM_ITER@@@Z +; public: static long __cdecl LSA_POLICY::QueryProductType(enum LSPL_PROD_TYPE * __ptr64) +?QueryProductType@LSA_POLICY@@SAJPEAW4LSPL_PROD_TYPE@@@Z +; public: unsigned short const * __ptr64 __cdecl USER_3::QueryProfile(void)const __ptr64 +?QueryProfile@USER_3@@QEBAPEBGXZ +; protected: unsigned char * __ptr64 __cdecl LM_ENUM::QueryPtr(void)const __ptr64 +?QueryPtr@LM_ENUM@@IEBAPEAEXZ +; public: struct _POLICY_ACCOUNT_DOMAIN_INFO const * __ptr64 __cdecl LSA_ACCT_DOM_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_ACCT_DOM_INFO_MEM@@QEBAPEBU_POLICY_ACCOUNT_DOMAIN_INFO@@XZ +; public: struct _POLICY_AUDIT_EVENTS_INFO * __ptr64 __cdecl LSA_AUDIT_EVENT_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_AUDIT_EVENT_INFO_MEM@@QEBAPEAU_POLICY_AUDIT_EVENTS_INFO@@XZ +; public: struct _POLICY_PRIMARY_DOMAIN_INFO const * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEBU_POLICY_PRIMARY_DOMAIN_INFO@@XZ +; private: struct _LSA_TRUST_INFORMATION const * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_REF_DOMAIN_MEM@@AEBAPEBU_LSA_TRUST_INFORMATION@@XZ +; public: struct _POLICY_LSA_SERVER_ROLE_INFO const * __ptr64 __cdecl LSA_SERVER_ROLE_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_SERVER_ROLE_INFO_MEM@@QEBAPEBU_POLICY_LSA_SERVER_ROLE_INFO@@XZ +; private: struct _LSA_TRANSLATED_NAME const * __ptr64 __cdecl LSA_TRANSLATED_NAME_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRANSLATED_NAME_MEM@@AEBAPEBU_LSA_TRANSLATED_NAME@@XZ +; private: struct _LSA_TRANSLATED_SID const * __ptr64 __cdecl LSA_TRANSLATED_SID_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRANSLATED_SID_MEM@@AEBAPEBU_LSA_TRANSLATED_SID@@XZ +; public: struct _LSA_TRUST_INFORMATION const * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRUST_INFO_MEM@@QEBAPEBU_LSA_TRUST_INFORMATION@@XZ +; protected: void * __ptr64 __cdecl OS_OBJECT_WITH_DATA::QueryPtr(void)const __ptr64 +?QueryPtr@OS_OBJECT_WITH_DATA@@IEBAPEAXXZ +; public: struct _DOMAIN_PASSWORD_INFORMATION const * __ptr64 __cdecl SAM_PSWD_DOM_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@SAM_PSWD_DOM_INFO_MEM@@QEBAPEBU_DOMAIN_PASSWORD_INFORMATION@@XZ +; public: struct _SAM_RID_ENUMERATION const * __ptr64 __cdecl SAM_RID_ENUMERATION_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@SAM_RID_ENUMERATION_MEM@@QEBAPEBU_SAM_RID_ENUMERATION@@XZ +; public: unsigned long __cdecl SAM_ALIAS::QueryRID(void) __ptr64 +?QueryRID@SAM_ALIAS@@QEAAKXZ +; public: long __cdecl OS_SID::QueryRawID(class NLS_STR * __ptr64)const __ptr64 +?QueryRawID@OS_SID@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl NET_NAME::QueryRelativePath(class NLS_STR * __ptr64) __ptr64 +?QueryRelativePath@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl DEVICE::QueryRemoteName(void)const __ptr64 +?QueryRemoteName@DEVICE@@QEBAPEBGXZ +; public: unsigned int __cdecl DEVICE::QueryRemoteType(void)const __ptr64 +?QueryRemoteType@DEVICE@@QEBAIXZ +; private: unsigned int __cdecl NET_ACCESS_1::QueryRequiredSpace(unsigned int)const __ptr64 +?QueryRequiredSpace@NET_ACCESS_1@@AEBAII@Z +; public: unsigned int __cdecl SHARE_1::QueryResourceType(void)const __ptr64 +?QueryResourceType@SHARE_1@@QEBAIXZ +; public: static unsigned long __cdecl OS_ACE::QueryRevision(void) +?QueryRevision@OS_ACE@@SAKXZ +; public: unsigned long const __cdecl ALIAS_ENUM_OBJ::QueryRid(void)const __ptr64 +?QueryRid@ALIAS_ENUM_OBJ@@QEBA?BKXZ +; public: long __cdecl OS_SECURITY_DESCRIPTOR::QuerySACL(int * __ptr64,class OS_ACL * __ptr64 * __ptr64,int * __ptr64)const __ptr64 +?QuerySACL@OS_SECURITY_DESCRIPTOR@@QEBAJPEAHPEAPEAVOS_ACL@@0@Z +; public: long __cdecl OS_ACE::QuerySID(class OS_SID * __ptr64 * __ptr64)const __ptr64 +?QuerySID@OS_ACE@@QEBAJPEAPEAVOS_SID@@@Z +; public: class OS_SID const * __ptr64 __cdecl OS_ACL_SUBJECT_ITER::QuerySID(void)const __ptr64 +?QuerySID@OS_ACL_SUBJECT_ITER@@QEBAPEBVOS_SID@@XZ +; protected: void * __ptr64 __cdecl OS_ACE::QuerySIDMemory(void)const __ptr64 +?QuerySIDMemory@OS_ACE@@IEBAPEAXXZ +; public: class SAM_SERVER * __ptr64 __cdecl ADMIN_AUTHORITY::QuerySamServer(void)const __ptr64 +?QuerySamServer@ADMIN_AUTHORITY@@QEBAPEAVSAM_SERVER@@XZ +; public: unsigned short const * __ptr64 __cdecl USER_2::QueryScriptPath(void)const __ptr64 +?QueryScriptPath@USER_2@@QEBAPEBGXZ +; public: long __cdecl SC_SERVICE::QuerySecurity(unsigned long,void * __ptr64 * __ptr64) __ptr64 +?QuerySecurity@SC_SERVICE@@QEAAJKPEAPEAX@Z +; public: unsigned int __cdecl SERVER_2::QuerySecurity(void)const __ptr64 +?QuerySecurity@SERVER_2@@QEBAIXZ +; public: unsigned short const * __ptr64 __cdecl DEVICE::QueryServer(void)const __ptr64 +?QueryServer@DEVICE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_FILE::QueryServer(void)const __ptr64 +?QueryServer@LM_FILE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_SESSION::QueryServer(void)const __ptr64 +?QueryServer@LM_SESSION@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LOCATION::QueryServer(void)const __ptr64 +?QueryServer@LOCATION@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LOC_LM_ENUM::QueryServer(void)const __ptr64 +?QueryServer@LOC_LM_ENUM@@QEBAPEBGXZ +; protected: unsigned short const * __ptr64 __cdecl LOC_LM_OBJ::QueryServer(void)const __ptr64 +?QueryServer@LOC_LM_OBJ@@IEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LOC_LM_RESUME_ENUM::QueryServer(void)const __ptr64 +?QueryServer@LOC_LM_RESUME_ENUM@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl SHARE::QueryServer(void)const __ptr64 +?QueryServer@SHARE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_SERVICE::QueryServerName(void)const __ptr64 +?QueryServerName@LM_SERVICE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl NET_ACCESS::QueryServerName(void)const __ptr64 +?QueryServerName@NET_ACCESS@@QEBAPEBGXZ +; public: long __cdecl NET_NAME::QueryServerShare(class NLS_STR * __ptr64) __ptr64 +?QueryServerShare@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned long __cdecl SERVER1_ENUM_OBJ::QueryServerType(void)const __ptr64 +?QueryServerType@SERVER1_ENUM_OBJ@@QEBAKXZ +; public: unsigned long __cdecl SERVER_1::QueryServerType(void)const __ptr64 +?QueryServerType@SERVER_1@@QEBAKXZ +; public: long __cdecl SC_MANAGER::QueryServiceDisplayName(unsigned short const * __ptr64,class NLS_STR * __ptr64) __ptr64 +?QueryServiceDisplayName@SC_MANAGER@@QEAAJPEBGPEAVNLS_STR@@@Z +; public: long __cdecl SC_MANAGER::QueryServiceKeyName(unsigned short const * __ptr64,class NLS_STR * __ptr64) __ptr64 +?QueryServiceKeyName@SC_MANAGER@@QEAAJPEBGPEAVNLS_STR@@@Z +; public: long __cdecl NET_NAME::QueryShare(class NLS_STR * __ptr64) __ptr64 +?QueryShare@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: void * __ptr64 __cdecl OS_SID::QuerySid(void)const __ptr64 +?QuerySid@OS_SID@@QEBAPEAXXZ +; public: unsigned short __cdecl OS_ACE::QuerySize(void)const __ptr64 +?QuerySize@OS_ACE@@QEBAGXZ +; public: long __cdecl OS_ACL::QuerySizeInformation(struct _ACL_SIZE_INFORMATION * __ptr64)const __ptr64 +?QuerySizeInformation@OS_ACL@@QEBAJPEAU_ACL_SIZE_INFORMATION@@@Z +; public: enum LMO_DEV_STATE __cdecl DEVICE::QueryState(void)const __ptr64 +?QueryState@DEVICE@@QEBA?AW4LMO_DEV_STATE@@XZ +; public: unsigned int __cdecl DEVICE::QueryStatus(void)const __ptr64 +?QueryStatus@DEVICE@@QEBAIXZ +; public: enum LM_SERVICE_STATUS __cdecl LM_SERVICE::QueryStatus(long * __ptr64) __ptr64 +?QueryStatus@LM_SERVICE@@QEAA?AW4LM_SERVICE_STATUS@@PEAJ@Z +; public: long __cdecl SC_SERVICE::QueryStatus(struct _SERVICE_STATUS * __ptr64) __ptr64 +?QueryStatus@SC_SERVICE@@QEAAJPEAU_SERVICE_STATUS@@@Z +; public: long __cdecl OS_SID::QuerySubAuthority(unsigned char,unsigned long * __ptr64 * __ptr64)const __ptr64 +?QuerySubAuthority@OS_SID@@QEBAJEPEAPEAK@Z +; public: long __cdecl OS_SID::QuerySubAuthorityCount(unsigned char * __ptr64 * __ptr64)const __ptr64 +?QuerySubAuthorityCount@OS_SID@@QEBAJPEAPEAE@Z +; public: static long __cdecl NT_ACCOUNTS_UTILITY::QuerySystemSid(enum UI_SystemSid,class OS_SID * __ptr64,unsigned short const * __ptr64) +?QuerySystemSid@NT_ACCOUNTS_UTILITY@@SAJW4UI_SystemSid@@PEAVOS_SID@@PEBG@Z +; public: unsigned int __cdecl NLS_STR::QueryTextLength(void)const __ptr64 +?QueryTextLength@NLS_STR@@QEBAIXZ +; public: unsigned long __cdecl USER_MODALS_3::QueryThreshold(void)const __ptr64 +?QueryThreshold@USER_MODALS_3@@QEBAKXZ +; public: unsigned long __cdecl LM_SESSION_10::QueryTime(void)const __ptr64 +?QueryTime@LM_SESSION_10@@QEBAKXZ +; protected: unsigned long __cdecl OS_ACL_SUBJECT_ITER::QueryTotalAceCount(void)const __ptr64 +?QueryTotalAceCount@OS_ACL_SUBJECT_ITER@@IEBAKXZ +; public: unsigned int __cdecl LM_RESUME_ENUM::QueryTotalItemCount(void)const __ptr64 +?QueryTotalItemCount@LM_RESUME_ENUM@@QEBAIXZ +; public: unsigned int __cdecl DEVICE::QueryType(void)const __ptr64 +?QueryType@DEVICE@@QEBAIXZ +; public: unsigned char __cdecl OS_ACE::QueryType(void)const __ptr64 +?QueryType@OS_ACE@@QEBAEXZ +; public: long __cdecl NET_NAME::QueryUNCPath(class NLS_STR * __ptr64) __ptr64 +?QueryUNCPath@NET_NAME@@QEAAJPEAVNLS_STR@@@Z +; public: struct _UNICODE_STRING const * __ptr64 __cdecl NT_MACHINE_ENUM_OBJ::QueryUnicodeMachine(void)const __ptr64 +?QueryUnicodeMachine@NT_MACHINE_ENUM_OBJ@@QEBAPEBU_UNICODE_STRING@@XZ +; public: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_ACCT_DOM_INFO_MEM::QueryUnicodeName(void)const __ptr64 +?QueryUnicodeName@LSA_ACCT_DOM_INFO_MEM@@QEBAPEBU_UNICODE_STRING@@XZ +; public: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryUnicodeName(void)const __ptr64 +?QueryUnicodeName@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEBU_UNICODE_STRING@@XZ +; private: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_REF_DOMAIN_MEM@@AEBAPEBU_UNICODE_STRING@@K@Z +; private: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_TRANSLATED_NAME_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_TRANSLATED_NAME_MEM@@AEBAPEBU_UNICODE_STRING@@K@Z +; public: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_TRUST_INFO_MEM@@QEBAPEBU_UNICODE_STRING@@K@Z +; public: struct _UNICODE_STRING const * __ptr64 __cdecl SAM_USER_ENUM_OBJ::QueryUnicodeUserName(void)const __ptr64 +?QueryUnicodeUserName@SAM_USER_ENUM_OBJ@@QEBAPEBU_UNICODE_STRING@@XZ +; public: unsigned int __cdecl LOGON_HOURS_SETTING::QueryUnitsPerWeek(void)const __ptr64 +?QueryUnitsPerWeek@LOGON_HOURS_SETTING@@QEBAIXZ +; private: struct _DOMAIN_PASSWORD_INFORMATION * __ptr64 __cdecl SAM_PSWD_DOM_INFO_MEM::QueryUpdatePtr(void)const __ptr64 +?QueryUpdatePtr@SAM_PSWD_DOM_INFO_MEM@@AEBAPEAU_DOMAIN_PASSWORD_INFORMATION@@XZ +; public: enum _SID_NAME_USE __cdecl LSA_TRANSLATED_NAME_MEM::QueryUse(unsigned long)const __ptr64 +?QueryUse@LSA_TRANSLATED_NAME_MEM@@QEBA?AW4_SID_NAME_USE@@K@Z +; public: int __cdecl USER_2::QueryUserCantChangePass(void)const __ptr64 +?QueryUserCantChangePass@USER_2@@QEBAHXZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryUserComment(void)const __ptr64 +?QueryUserComment@USER_11@@QEBAPEBGXZ +; protected: int __cdecl USER_2::QueryUserFlag(unsigned int)const __ptr64 +?QueryUserFlag@USER_2@@IEBAHI@Z +; public: unsigned long __cdecl LM_SESSION_1::QueryUserFlags(void)const __ptr64 +?QueryUserFlags@LM_SESSION_1@@QEBAKXZ +; public: unsigned int __cdecl USER_2::QueryUserFlags(void)const __ptr64 +?QueryUserFlags@USER_2@@QEBAIXZ +; public: unsigned long __cdecl USER_3::QueryUserId(void)const __ptr64 +?QueryUserId@USER_3@@QEBAKXZ +; public: long __cdecl SAM_USER_ENUM_OBJ::QueryUserName(class NLS_STR * __ptr64)const __ptr64 +?QueryUserName@SAM_USER_ENUM_OBJ@@QEBAJPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl WKSTA_USER_1::QueryUserName(void)const __ptr64 +?QueryUserName@WKSTA_USER_1@@QEBAPEBGXZ +; public: int __cdecl USER_2::QueryUserPassRequired(void)const __ptr64 +?QueryUserPassRequired@USER_2@@QEBAHXZ +; public: unsigned short const * __ptr64 __cdecl LM_FILE_3::QueryUsername(void)const __ptr64 +?QueryUsername@LM_FILE_3@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl LM_SESSION_10::QueryUsername(void)const __ptr64 +?QueryUsername@LM_SESSION_10@@QEBAPEBGXZ +; public: long __cdecl LM_CONFIG::QueryValue(class NLS_STR * __ptr64,unsigned short const * __ptr64) __ptr64 +?QueryValue@LM_CONFIG@@QEAAJPEAVNLS_STR@@PEBG@Z +; public: unsigned short const * __ptr64 __cdecl WKSTA_10::QueryWkstaDomain(void)const __ptr64 +?QueryWkstaDomain@WKSTA_10@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_11::QueryWorkstations(void)const __ptr64 +?QueryWorkstations@USER_11@@QEBAPEBGXZ +; private: void __cdecl LM_ENUM::RegisterIter(void) __ptr64 +?RegisterIter@LM_ENUM@@AEAAXXZ +; private: void __cdecl LM_RESUME_ENUM::RegisterIter(void) __ptr64 +?RegisterIter@LM_RESUME_ENUM@@AEAAXXZ +; public: class NLS_STR * __ptr64 __cdecl SLIST_OF_NLS_STR::Remove(class ITER_SL_NLS_STR & __ptr64) __ptr64 +?Remove@SLIST_OF_NLS_STR@@QEAAPEAVNLS_STR@@AEAVITER_SL_NLS_STR@@@Z +; public: long __cdecl SAM_ALIAS::RemoveMember(void * __ptr64) __ptr64 +?RemoveMember@SAM_ALIAS@@QEAAJPEAX@Z +; public: long __cdecl SAM_GROUP::RemoveMember(unsigned long) __ptr64 +?RemoveMember@SAM_GROUP@@QEAAJK@Z +; public: long __cdecl SAM_DOMAIN::RemoveMemberFromAliases(void * __ptr64) __ptr64 +?RemoveMemberFromAliases@SAM_DOMAIN@@QEAAJPEAX@Z +; public: long __cdecl SAM_ALIAS::RemoveMembers(void * __ptr64 * __ptr64,unsigned int) __ptr64 +?RemoveMembers@SAM_ALIAS@@QEAAJPEAPEAXI@Z +; public: long __cdecl SAM_GROUP::RemoveMembers(unsigned long * __ptr64,unsigned int) __ptr64 +?RemoveMembers@SAM_GROUP@@QEAAJPEAKI@Z +; public: long __cdecl OS_PRIVILEGE_SET::RemovePrivilege(long) __ptr64 +?RemovePrivilege@OS_PRIVILEGE_SET@@QEAAJJ@Z +; public: long __cdecl OS_PRIVILEGE_SET::RemovePrivilege(struct _LUID) __ptr64 +?RemovePrivilege@OS_PRIVILEGE_SET@@QEAAJU_LUID@@@Z +; public: long __cdecl USER::Rename(unsigned short const * __ptr64) __ptr64 +?Rename@USER@@QEAAJPEBG@Z +; public: long __cdecl ADMIN_AUTHORITY::ReplaceAccountDomain(unsigned long) __ptr64 +?ReplaceAccountDomain@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::ReplaceBuiltinDomain(unsigned long) __ptr64 +?ReplaceBuiltinDomain@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::ReplaceLSAPolicy(unsigned long) __ptr64 +?ReplaceLSAPolicy@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::ReplaceSamServer(unsigned long) __ptr64 +?ReplaceSamServer@ADMIN_AUTHORITY@@QEAAJK@Z +; protected: void __cdecl BASE::ReportError(long) __ptr64 +?ReportError@BASE@@IEAAXJ@Z +; protected: void __cdecl NEW_LM_OBJ::ReportError(long) __ptr64 +?ReportError@NEW_LM_OBJ@@IEAAXJ@Z +; public: void __cdecl BROWSE_DOMAIN_ENUM::Reset(void) __ptr64 +?Reset@BROWSE_DOMAIN_ENUM@@QEAAXXZ +; public: void __cdecl OS_ACL_SUBJECT_ITER::Reset(void) __ptr64 +?Reset@OS_ACL_SUBJECT_ITER@@QEAAXXZ +; protected: void __cdecl LSA_OBJECT::ResetHandle(void) __ptr64 +?ResetHandle@LSA_OBJECT@@IEAAXXZ +; protected: void __cdecl SAM_OBJECT::ResetHandle(void) __ptr64 +?ResetHandle@SAM_OBJECT@@IEAAXXZ +; protected: long __cdecl OS_OBJECT_WITH_DATA::Resize(unsigned int) __ptr64 +?Resize@OS_OBJECT_WITH_DATA@@IEAAJI@Z +; protected: long __cdecl NEW_LM_OBJ::ResizeBuffer(unsigned int) __ptr64 +?ResizeBuffer@NEW_LM_OBJ@@IEAAJI@Z +; public: long __cdecl LM_MESSAGE::SendBuffer(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +?SendBuffer@LM_MESSAGE@@QEAAJPEBG0I@Z +; public: long __cdecl LM_MESSAGE::SendBuffer(unsigned short const * __ptr64,class BUFFER const & __ptr64) __ptr64 +?SendBuffer@LM_MESSAGE@@QEAAJPEBGAEBVBUFFER@@@Z +; public: long __cdecl LOCATION::Set(class LOCATION const & __ptr64) __ptr64 +?Set@LOCATION@@QEAAJAEBV1@@Z +; public: virtual void __cdecl LSA_MEMORY::Set(void * __ptr64,unsigned long) __ptr64 +?Set@LSA_MEMORY@@UEAAXPEAXK@Z +; public: virtual void __cdecl NT_MEMORY::Set(void * __ptr64,unsigned long) __ptr64 +?Set@NT_MEMORY@@UEAAXPEAXK@Z +; public: virtual void __cdecl SAM_MEMORY::Set(void * __ptr64,unsigned long) __ptr64 +?Set@SAM_MEMORY@@UEAAXPEAXK@Z +; private: long __cdecl NET_NAME::SetABSPath(unsigned short const * __ptr64) __ptr64 +?SetABSPath@NET_NAME@@AEAAJPEBG@Z +; public: void __cdecl OS_ACE::SetAccessMask(unsigned long) __ptr64 +?SetAccessMask@OS_ACE@@QEAAXK@Z +; public: long __cdecl USER_2::SetAccountDisabled(int) __ptr64 +?SetAccountDisabled@USER_2@@QEAAJH@Z +; public: long __cdecl LSA_POLICY::SetAccountDomain(class LSA_ACCT_DOM_INFO_MEM const * __ptr64) __ptr64 +?SetAccountDomain@LSA_POLICY@@QEAAJPEBVLSA_ACCT_DOM_INFO_MEM@@@Z +; public: long __cdecl LSA_POLICY::SetAccountDomainName(class NLS_STR const * __ptr64,void * __ptr64 const * __ptr64) __ptr64 +?SetAccountDomainName@LSA_POLICY@@QEAAJPEBVNLS_STR@@PEBQEAX@Z +; public: long __cdecl USER_2::SetAccountExpires(long) __ptr64 +?SetAccountExpires@USER_2@@QEAAJJ@Z +; public: long __cdecl USER_3::SetAccountType(enum _ACCOUNT_TYPE) __ptr64 +?SetAccountType@USER_3@@QEAAJW4_ACCOUNT_TYPE@@@Z +; protected: void __cdecl SHARE_1::SetAdminOnly(int) __ptr64 +?SetAdminOnly@SHARE_1@@IEAAXH@Z +; public: long __cdecl LSA_POLICY::SetAuditEventInfo(class LSA_AUDIT_EVENT_INFO_MEM * __ptr64) __ptr64 +?SetAuditEventInfo@LSA_POLICY@@QEAAJPEAVLSA_AUDIT_EVENT_INFO_MEM@@@Z +; public: long __cdecl NET_ACCESS_1::SetAuditFlags(short) __ptr64 +?SetAuditFlags@NET_ACCESS_1@@QEAAJF@Z +; public: long __cdecl USER_11::SetAuthFlags(unsigned long) __ptr64 +?SetAuthFlags@USER_11@@QEAAJK@Z +; protected: void __cdecl DEVICE::SetBufPtr(unsigned char * __ptr64) __ptr64 +?SetBufPtr@DEVICE@@IEAAXPEAE@Z +; public: void __cdecl ALIAS_ENUM_OBJ::SetBufferPtr(struct _SAM_RID_ENUMERATION const * __ptr64) __ptr64 +?SetBufferPtr@ALIAS_ENUM_OBJ@@QEAAXPEBU_SAM_RID_ENUMERATION@@@Z +; public: void __cdecl CHARDEVQ1_ENUM_OBJ::SetBufferPtr(struct _CHARDEVQ_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@CHARDEVQ1_ENUM_OBJ@@QEAAXPEBU_CHARDEVQ_INFO_1@@@Z +; public: void __cdecl CONN0_ENUM_OBJ::SetBufferPtr(struct _CONNECTION_INFO_0 const * __ptr64) __ptr64 +?SetBufferPtr@CONN0_ENUM_OBJ@@QEAAXPEBU_CONNECTION_INFO_0@@@Z +; public: void __cdecl CONN1_ENUM_OBJ::SetBufferPtr(struct _CONNECTION_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@CONN1_ENUM_OBJ@@QEAAXPEBU_CONNECTION_INFO_1@@@Z +; public: void __cdecl CONTEXT_ENUM_OBJ::SetBufferPtr(struct _SERVER_INFO_101 const * __ptr64) __ptr64 +?SetBufferPtr@CONTEXT_ENUM_OBJ@@QEAAXPEBU_SERVER_INFO_101@@@Z +; public: void __cdecl DOMAIN0_ENUM_OBJ::SetBufferPtr(struct _SERVER_INFO_100 const * __ptr64) __ptr64 +?SetBufferPtr@DOMAIN0_ENUM_OBJ@@QEAAXPEBU_SERVER_INFO_100@@@Z +; protected: void __cdecl ENUM_OBJ_BASE::SetBufferPtr(unsigned char const * __ptr64) __ptr64 +?SetBufferPtr@ENUM_OBJ_BASE@@IEAAXPEBE@Z +; public: void __cdecl FILE2_ENUM_OBJ::SetBufferPtr(struct _FILE_INFO_2 const * __ptr64) __ptr64 +?SetBufferPtr@FILE2_ENUM_OBJ@@QEAAXPEBU_FILE_INFO_2@@@Z +; public: void __cdecl FILE3_ENUM_OBJ::SetBufferPtr(struct _FILE_INFO_3 const * __ptr64) __ptr64 +?SetBufferPtr@FILE3_ENUM_OBJ@@QEAAXPEBU_FILE_INFO_3@@@Z +; public: void __cdecl GROUP0_ENUM_OBJ::SetBufferPtr(struct _GROUP_INFO_0 const * __ptr64) __ptr64 +?SetBufferPtr@GROUP0_ENUM_OBJ@@QEAAXPEBU_GROUP_INFO_0@@@Z +; public: void __cdecl GROUP1_ENUM_OBJ::SetBufferPtr(struct _GROUP_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@GROUP1_ENUM_OBJ@@QEAAXPEBU_GROUP_INFO_1@@@Z +; public: void __cdecl LSA_ACCOUNTS_ENUM_OBJ::SetBufferPtr(void * __ptr64 const * __ptr64) __ptr64 +?SetBufferPtr@LSA_ACCOUNTS_ENUM_OBJ@@QEAAXPEBQEAX@Z +; public: void __cdecl LSA_PRIVILEGES_ENUM_OBJ::SetBufferPtr(struct _POLICY_PRIVILEGE_DEFINITION const * __ptr64) __ptr64 +?SetBufferPtr@LSA_PRIVILEGES_ENUM_OBJ@@QEAAXPEBU_POLICY_PRIVILEGE_DEFINITION@@@Z +; protected: void __cdecl NEW_LM_OBJ::SetBufferPtr(unsigned char * __ptr64) __ptr64 +?SetBufferPtr@NEW_LM_OBJ@@IEAAXPEAE@Z +; public: void __cdecl NT_GROUP_ENUM_OBJ::SetBufferPtr(struct _DOMAIN_DISPLAY_GROUP const * __ptr64) __ptr64 +?SetBufferPtr@NT_GROUP_ENUM_OBJ@@QEAAXPEBU_DOMAIN_DISPLAY_GROUP@@@Z +; public: void __cdecl NT_MACHINE_ENUM_OBJ::SetBufferPtr(struct _DOMAIN_DISPLAY_MACHINE const * __ptr64) __ptr64 +?SetBufferPtr@NT_MACHINE_ENUM_OBJ@@QEAAXPEBU_DOMAIN_DISPLAY_MACHINE@@@Z +; public: void __cdecl NT_USER_ENUM_OBJ::SetBufferPtr(struct _DOMAIN_DISPLAY_USER const * __ptr64) __ptr64 +?SetBufferPtr@NT_USER_ENUM_OBJ@@QEAAXPEBU_DOMAIN_DISPLAY_USER@@@Z +; public: void __cdecl SAM_USER_ENUM_OBJ::SetBufferPtr(struct _SAM_RID_ENUMERATION const * __ptr64) __ptr64 +?SetBufferPtr@SAM_USER_ENUM_OBJ@@QEAAXPEBU_SAM_RID_ENUMERATION@@@Z +; public: void __cdecl SERVER1_ENUM_OBJ::SetBufferPtr(struct _SERVER_INFO_101 const * __ptr64) __ptr64 +?SetBufferPtr@SERVER1_ENUM_OBJ@@QEAAXPEBU_SERVER_INFO_101@@@Z +; protected: void __cdecl SERVICE_ENUM_OBJ::SetBufferPtr(struct _ENUM_SVC_STATUS const * __ptr64) __ptr64 +?SetBufferPtr@SERVICE_ENUM_OBJ@@IEAAXPEBU_ENUM_SVC_STATUS@@@Z +; public: void __cdecl SESSION0_ENUM_OBJ::SetBufferPtr(struct _SESSION_INFO_0 const * __ptr64) __ptr64 +?SetBufferPtr@SESSION0_ENUM_OBJ@@QEAAXPEBU_SESSION_INFO_0@@@Z +; public: void __cdecl SESSION1_ENUM_OBJ::SetBufferPtr(struct _SESSION_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@SESSION1_ENUM_OBJ@@QEAAXPEBU_SESSION_INFO_1@@@Z +; public: void __cdecl SHARE1_ENUM_OBJ::SetBufferPtr(struct _SHARE_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@SHARE1_ENUM_OBJ@@QEAAXPEBU_SHARE_INFO_1@@@Z +; public: void __cdecl SHARE2_ENUM_OBJ::SetBufferPtr(struct _SHARE_INFO_2 const * __ptr64) __ptr64 +?SetBufferPtr@SHARE2_ENUM_OBJ@@QEAAXPEBU_SHARE_INFO_2@@@Z +; public: void __cdecl TRIPLE_SERVER_ENUM_OBJ::SetBufferPtr(struct _TRIPLE_SERVER_INFO const * __ptr64) __ptr64 +?SetBufferPtr@TRIPLE_SERVER_ENUM_OBJ@@QEAAXPEBU_TRIPLE_SERVER_INFO@@@Z +; public: void __cdecl TRUSTED_DOMAIN_ENUM_OBJ::SetBufferPtr(struct _LSA_TRUST_INFORMATION const * __ptr64) __ptr64 +?SetBufferPtr@TRUSTED_DOMAIN_ENUM_OBJ@@QEAAXPEBU_LSA_TRUST_INFORMATION@@@Z +; public: void __cdecl USE1_ENUM_OBJ::SetBufferPtr(struct _USE_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@USE1_ENUM_OBJ@@QEAAXPEBU_USE_INFO_1@@@Z +; public: void __cdecl USER0_ENUM_OBJ::SetBufferPtr(struct _USER_INFO_0 const * __ptr64) __ptr64 +?SetBufferPtr@USER0_ENUM_OBJ@@QEAAXPEBU_USER_INFO_0@@@Z +; public: void __cdecl USER10_ENUM_OBJ::SetBufferPtr(struct _USER_INFO_10 const * __ptr64) __ptr64 +?SetBufferPtr@USER10_ENUM_OBJ@@QEAAXPEBU_USER_INFO_10@@@Z +; public: void __cdecl USER1_ENUM_OBJ::SetBufferPtr(struct _USER_INFO_1 const * __ptr64) __ptr64 +?SetBufferPtr@USER1_ENUM_OBJ@@QEAAXPEBU_USER_INFO_1@@@Z +; public: void __cdecl USER2_ENUM_OBJ::SetBufferPtr(struct _USER_INFO_2 const * __ptr64) __ptr64 +?SetBufferPtr@USER2_ENUM_OBJ@@QEAAXPEBU_USER_INFO_2@@@Z +; protected: long __cdecl LM_SESSION_2::SetClientType(unsigned short const * __ptr64) __ptr64 +?SetClientType@LM_SESSION_2@@IEAAJPEBG@Z +; public: long __cdecl GROUP_1::SetComment(unsigned short const * __ptr64) __ptr64 +?SetComment@GROUP_1@@QEAAJPEBG@Z +; public: long __cdecl SAM_ALIAS::SetComment(class NLS_STR const * __ptr64) __ptr64 +?SetComment@SAM_ALIAS@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl SERVER_1::SetComment(unsigned short const * __ptr64) __ptr64 +?SetComment@SERVER_1@@QEAAJPEBG@Z +; public: long __cdecl SHARE_1::SetComment(unsigned short const * __ptr64) __ptr64 +?SetComment@SHARE_1@@QEAAJPEBG@Z +; public: long __cdecl USER_11::SetComment(unsigned short const * __ptr64) __ptr64 +?SetComment@USER_11@@QEAAJPEBG@Z +; public: long __cdecl LSA_TRUSTED_DOMAIN::SetControllerList(struct _TRUSTED_CONTROLLERS_INFO const & __ptr64) __ptr64 +?SetControllerList@LSA_TRUSTED_DOMAIN@@QEAAJAEBU_TRUSTED_CONTROLLERS_INFO@@@Z +; public: long __cdecl LSA_TRUSTED_DOMAIN::SetControllerList(class LSA_REF_DOMAIN_MEM * __ptr64) __ptr64 +?SetControllerList@LSA_TRUSTED_DOMAIN@@QEAAJPEAVLSA_REF_DOMAIN_MEM@@@Z +; protected: void __cdecl ENUM_CALLER::SetCount(unsigned int) __ptr64 +?SetCount@ENUM_CALLER@@IEAAXI@Z +; protected: void __cdecl OS_ACL_SUBJECT_ITER::SetCurrentACE(unsigned long) __ptr64 +?SetCurrentACE@OS_ACL_SUBJECT_ITER@@IEAAXK@Z +; protected: long __cdecl SHARE_2::SetCurrentUses(unsigned int) __ptr64 +?SetCurrentUses@SHARE_2@@IEAAJI@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetDACL(int,class OS_ACL const * __ptr64,int) __ptr64 +?SetDACL@OS_SECURITY_DESCRIPTOR@@QEAAJHPEBVOS_ACL@@H@Z +; protected: void __cdecl DEVICE::SetDevState(enum LMO_DEV_STATE) __ptr64 +?SetDevState@DEVICE@@IEAAXW4LMO_DEV_STATE@@@Z +; protected: void __cdecl DEVICE::SetDevType(enum LMO_DEVICE) __ptr64 +?SetDevType@DEVICE@@IEAAXW4LMO_DEVICE@@@Z +; protected: long __cdecl DEVICE2::SetDomainName(unsigned short const * __ptr64) __ptr64 +?SetDomainName@DEVICE2@@IEAAJPEBG@Z +; public: long __cdecl USER_MODALS_3::SetDuration(unsigned long) __ptr64 +?SetDuration@USER_MODALS_3@@QEAAJK@Z +; protected: long __cdecl LM_FILE::SetFileId(unsigned long) __ptr64 +?SetFileId@LM_FILE@@IEAAJK@Z +; public: long __cdecl USER_MODALS::SetForceLogoff(unsigned long) __ptr64 +?SetForceLogoff@USER_MODALS@@QEAAJK@Z +; public: long __cdecl USER_11::SetFullName(unsigned short const * __ptr64) __ptr64 +?SetFullName@USER_11@@QEAAJPEBG@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetGroup(class OS_SID const & __ptr64,int) __ptr64 +?SetGroup@OS_SECURITY_DESCRIPTOR@@QEAAJAEBVOS_SID@@H@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetGroup(int,class OS_SID const * __ptr64,int) __ptr64 +?SetGroup@OS_SECURITY_DESCRIPTOR@@QEAAJHPEBVOS_SID@@H@Z +; public: long __cdecl SAM_GROUP::SetGroupname(class NLS_STR const * __ptr64) __ptr64 +?SetGroupname@SAM_GROUP@@QEAAJPEBVNLS_STR@@@Z +; protected: void __cdecl LSA_OBJECT::SetHandle(void * __ptr64) __ptr64 +?SetHandle@LSA_OBJECT@@IEAAXPEAX@Z +; protected: void __cdecl SAM_OBJECT::SetHandle(void * __ptr64) __ptr64 +?SetHandle@SAM_OBJECT@@IEAAXPEAX@Z +; protected: void __cdecl SERVICE_CONTROL::SetHandle(struct SC_HANDLE__ * __ptr64) __ptr64 +?SetHandle@SERVICE_CONTROL@@IEAAXPEAUSC_HANDLE__@@@Z +; public: long __cdecl USER_11::SetHomeDir(unsigned short const * __ptr64) __ptr64 +?SetHomeDir@USER_11@@QEAAJPEBG@Z +; public: long __cdecl USER_3::SetHomedirDrive(unsigned short const * __ptr64) __ptr64 +?SetHomedirDrive@USER_3@@QEAAJPEBG@Z +; protected: void __cdecl LM_SESSION_10::SetIdleTime(unsigned long) __ptr64 +?SetIdleTime@LM_SESSION_10@@IEAAXK@Z +; protected: virtual void __cdecl DEVICE2::SetInfo(void) __ptr64 +?SetInfo@DEVICE2@@MEAAXXZ +; protected: virtual void __cdecl DEVICE::SetInfo(void) __ptr64 +?SetInfo@DEVICE@@MEAAXXZ +; public: long __cdecl LSA_SECRET::SetInfo(class NLS_STR const * __ptr64,class NLS_STR const * __ptr64) __ptr64 +?SetInfo@LSA_SECRET@@QEAAJPEBVNLS_STR@@0@Z +; public: void __cdecl OS_ACE::SetInheritOnly(int) __ptr64 +?SetInheritOnly@OS_ACE@@QEAAXH@Z +; public: long __cdecl USER_2::SetLockout(int) __ptr64 +?SetLockout@USER_2@@QEAAJH@Z +; public: long __cdecl WKSTA_USER_1::SetLogonDomain(unsigned short const * __ptr64) __ptr64 +?SetLogonDomain@WKSTA_USER_1@@QEAAJPEBG@Z +; public: long __cdecl USER_11::SetLogonHours(class LOGON_HOURS_SETTING const & __ptr64) __ptr64 +?SetLogonHours@USER_11@@QEAAJAEBVLOGON_HOURS_SETTING@@@Z +; public: long __cdecl USER_11::SetLogonHours(unsigned char const * __ptr64,unsigned int) __ptr64 +?SetLogonHours@USER_11@@QEAAJPEBEI@Z +; public: long __cdecl WKSTA_USER_1::SetLogonServer(unsigned short const * __ptr64) __ptr64 +?SetLogonServer@WKSTA_USER_1@@QEAAJPEBG@Z +; public: void __cdecl OS_LUID_AND_ATTRIBUTES::SetLuidAndAttrib(struct _LUID_AND_ATTRIBUTES) __ptr64 +?SetLuidAndAttrib@OS_LUID_AND_ATTRIBUTES@@QEAAXU_LUID_AND_ATTRIBUTES@@@Z +; protected: void __cdecl SERVER_1::SetMajorMinorVer(unsigned int,unsigned int) __ptr64 +?SetMajorMinorVer@SERVER_1@@IEAAXII@Z +; public: long __cdecl USER_MODALS::SetMaxPasswdAge(unsigned long) __ptr64 +?SetMaxPasswdAge@USER_MODALS@@QEAAJK@Z +; protected: void __cdecl SERVER_2::SetMaxUsers(unsigned int) __ptr64 +?SetMaxUsers@SERVER_2@@IEAAXI@Z +; public: long __cdecl SHARE_2::SetMaxUses(unsigned int) __ptr64 +?SetMaxUses@SHARE_2@@QEAAJI@Z +; public: long __cdecl USER_MODALS::SetMinPasswdAge(unsigned long) __ptr64 +?SetMinPasswdAge@USER_MODALS@@QEAAJK@Z +; public: long __cdecl USER_MODALS::SetMinPasswdLen(unsigned int) __ptr64 +?SetMinPasswdLen@USER_MODALS@@QEAAJI@Z +; public: long __cdecl COMPUTER::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@COMPUTER@@QEAAJPEBG@Z +; public: long __cdecl GROUP::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@GROUP@@QEAAJPEBG@Z +; public: long __cdecl GROUP_MEMB::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@GROUP_MEMB@@QEAAJPEBG@Z +; protected: long __cdecl LM_SERVICE::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@LM_SERVICE@@IEAAJPEBG@Z +; protected: long __cdecl LM_SESSION::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@LM_SESSION@@IEAAJPEBG@Z +; public: long __cdecl NET_ACCESS::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@NET_ACCESS@@QEAAJPEBG@Z +; protected: long __cdecl SHARE::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@SHARE@@IEAAJPEBG@Z +; public: long __cdecl USER::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@USER@@QEAAJPEBG@Z +; public: long __cdecl USER_MEMB::SetName(unsigned short const * __ptr64) __ptr64 +?SetName@USER_MEMB@@QEAAJPEBG@Z +; public: void __cdecl SAM_PSWD_DOM_INFO_MEM::SetNoAnonChange(int) __ptr64 +?SetNoAnonChange@SAM_PSWD_DOM_INFO_MEM@@QEAAXH@Z +; public: long __cdecl USER_2::SetNoPasswordExpire(int) __ptr64 +?SetNoPasswordExpire@USER_2@@QEAAJH@Z +; protected: void __cdecl LM_SESSION_1::SetNumOpens(unsigned int) __ptr64 +?SetNumOpens@LM_SESSION_1@@IEAAXI@Z +; public: long __cdecl USER_MODALS_3::SetObservation(unsigned long) __ptr64 +?SetObservation@USER_MODALS_3@@QEAAJK@Z +; public: long __cdecl WKSTA_USER_1::SetOtherDomains(unsigned short const * __ptr64) __ptr64 +?SetOtherDomains@WKSTA_USER_1@@QEAAJPEBG@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetOwner(class OS_SID const & __ptr64,int) __ptr64 +?SetOwner@OS_SECURITY_DESCRIPTOR@@QEAAJAEBVOS_SID@@H@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetOwner(int,class OS_SID const * __ptr64,int) __ptr64 +?SetOwner@OS_SECURITY_DESCRIPTOR@@QEAAJHPEBVOS_SID@@H@Z +; public: long __cdecl USER_11::SetParms(unsigned short const * __ptr64) __ptr64 +?SetParms@USER_11@@QEAAJPEBG@Z +; public: long __cdecl USER_MODALS::SetPasswdHistLen(unsigned int) __ptr64 +?SetPasswdHistLen@USER_MODALS@@QEAAJI@Z +; public: long __cdecl SAM_USER::SetPassword(class NLS_STR const & __ptr64,class NLS_STR const & __ptr64) __ptr64 +?SetPassword@SAM_USER@@QEAAJAEBVNLS_STR@@0@Z +; public: long __cdecl SAM_USER::SetPassword(class NLS_STR const & __ptr64,int) __ptr64 +?SetPassword@SAM_USER@@QEAAJAEBVNLS_STR@@H@Z +; public: long __cdecl SHARE_2::SetPassword(unsigned short const * __ptr64) __ptr64 +?SetPassword@SHARE_2@@QEAAJPEBG@Z +; public: long __cdecl USER_2::SetPassword(unsigned short const * __ptr64) __ptr64 +?SetPassword@USER_2@@QEAAJPEBG@Z +; public: long __cdecl USER_3::SetPasswordExpired(unsigned long) __ptr64 +?SetPasswordExpired@USER_3@@QEAAJK@Z +; public: long __cdecl SAM_DOMAIN::SetPasswordInfo(class SAM_PSWD_DOM_INFO_MEM const * __ptr64) __ptr64 +?SetPasswordInfo@SAM_DOMAIN@@QEAAJPEBVSAM_PSWD_DOM_INFO_MEM@@@Z +; public: long __cdecl SHARE_2::SetPath(unsigned short const * __ptr64) __ptr64 +?SetPath@SHARE_2@@QEAAJPEBG@Z +; public: long __cdecl NET_ACCESS_1::SetPerm(unsigned short const * __ptr64,enum PERMNAME_TYPE,unsigned int) __ptr64 +?SetPerm@NET_ACCESS_1@@QEAAJPEBGW4PERMNAME_TYPE@@I@Z +; public: long __cdecl SHARE_2::SetPermissions(unsigned int) __ptr64 +?SetPermissions@SHARE_2@@QEAAJI@Z +; public: long __cdecl LSA_TRUSTED_DOMAIN::SetPosixOffset(unsigned long) __ptr64 +?SetPosixOffset@LSA_TRUSTED_DOMAIN@@QEAAJK@Z +; public: long __cdecl LSA_POLICY::SetPrimaryBrowserGroup(class NLS_STR const & __ptr64) __ptr64 +?SetPrimaryBrowserGroup@LSA_POLICY@@QEAAJAEBVNLS_STR@@@Z +; public: long __cdecl LSA_POLICY::SetPrimaryDomain(class LSA_PRIMARY_DOM_INFO_MEM const * __ptr64) __ptr64 +?SetPrimaryDomain@LSA_POLICY@@QEAAJPEBVLSA_PRIMARY_DOM_INFO_MEM@@@Z +; public: long __cdecl LSA_POLICY::SetPrimaryDomainName(class NLS_STR const * __ptr64,void * __ptr64 const * __ptr64) __ptr64 +?SetPrimaryDomainName@LSA_POLICY@@QEAAJPEBVNLS_STR@@PEBQEAX@Z +; public: long __cdecl USER_3::SetPrimaryGroupId(unsigned long) __ptr64 +?SetPrimaryGroupId@USER_3@@QEAAJK@Z +; public: long __cdecl USER_11::SetPriv(unsigned int) __ptr64 +?SetPriv@USER_11@@QEAAJI@Z +; public: long __cdecl USER_3::SetProfile(unsigned short const * __ptr64) __ptr64 +?SetProfile@USER_3@@QEAAJPEBG@Z +; public: long __cdecl OS_ACE::SetPtr(void * __ptr64) __ptr64 +?SetPtr@OS_ACE@@QEAAJPEAX@Z +; public: void __cdecl OS_PRIVILEGE_SET::SetPtr(struct _PRIVILEGE_SET * __ptr64) __ptr64 +?SetPtr@OS_PRIVILEGE_SET@@QEAAXPEAU_PRIVILEGE_SET@@@Z +; public: long __cdecl OS_SID::SetPtr(void * __ptr64) __ptr64 +?SetPtr@OS_SID@@QEAAJPEAX@Z +; protected: void __cdecl DEVICE::SetRemoteName(unsigned short const * __ptr64) __ptr64 +?SetRemoteName@DEVICE@@IEAAXPEBG@Z +; protected: void __cdecl DEVICE::SetRemoteType(unsigned int) __ptr64 +?SetRemoteType@DEVICE@@IEAAXI@Z +; protected: long __cdecl SHARE_1::SetResourceType(unsigned int) __ptr64 +?SetResourceType@SHARE_1@@IEAAJI@Z +; public: long __cdecl SHARE_2::SetResourceType(unsigned int) __ptr64 +?SetResourceType@SHARE_2@@QEAAJI@Z +; public: long __cdecl OS_SECURITY_DESCRIPTOR::SetSACL(int,class OS_ACL const * __ptr64,int) __ptr64 +?SetSACL@OS_SECURITY_DESCRIPTOR@@QEAAJHPEBVOS_ACL@@H@Z +; public: long __cdecl OS_ACE::SetSID(class OS_SID const & __ptr64) __ptr64 +?SetSID@OS_ACE@@QEAAJAEBVOS_SID@@@Z +; public: long __cdecl USER_2::SetScriptPath(unsigned short const * __ptr64) __ptr64 +?SetScriptPath@USER_2@@QEAAJPEBG@Z +; public: long __cdecl SC_SERVICE::SetSecurity(unsigned long,void * __ptr64 const) __ptr64 +?SetSecurity@SC_SERVICE@@QEAAJKQEAX@Z +; protected: void __cdecl SERVER_2::SetSecurity(unsigned int) __ptr64 +?SetSecurity@SERVER_2@@IEAAXI@Z +; protected: long __cdecl LM_FILE::SetServer(unsigned short const * __ptr64) __ptr64 +?SetServer@LM_FILE@@IEAAJPEBG@Z +; protected: void __cdecl DEVICE::SetServerName(unsigned short const * __ptr64) __ptr64 +?SetServerName@DEVICE@@IEAAXPEBG@Z +; protected: long __cdecl LM_SERVICE::SetServerName(unsigned short const * __ptr64) __ptr64 +?SetServerName@LM_SERVICE@@IEAAJPEBG@Z +; public: long __cdecl NET_ACCESS::SetServerName(unsigned short const * __ptr64) __ptr64 +?SetServerName@NET_ACCESS@@QEAAJPEBG@Z +; public: long __cdecl LSA_POLICY::SetServerRole(class LSA_SERVER_ROLE_INFO_MEM const * __ptr64) __ptr64 +?SetServerRole@LSA_POLICY@@QEAAJPEBVLSA_SERVER_ROLE_INFO_MEM@@@Z +; protected: void __cdecl SERVER_1::SetServerType(unsigned long) __ptr64 +?SetServerType@SERVER_1@@IEAAXK@Z +; public: long __cdecl LSA_POLICY::SetShutDownOnFull(int) __ptr64 +?SetShutDownOnFull@LSA_POLICY@@QEAAJH@Z +; public: long __cdecl OS_ACE::SetSize(unsigned int) __ptr64 +?SetSize@OS_ACE@@QEAAJI@Z +; protected: long __cdecl OS_ACL::SetSize(unsigned int,int) __ptr64 +?SetSize@OS_ACL@@IEAAJIH@Z +; protected: void __cdecl DEVICE::SetStatus(unsigned int) __ptr64 +?SetStatus@DEVICE@@IEAAXI@Z +; public: long __cdecl USER_MODALS_3::SetThreshold(unsigned long) __ptr64 +?SetThreshold@USER_MODALS_3@@QEAAJK@Z +; protected: void __cdecl LM_SESSION_10::SetTime(unsigned long) __ptr64 +?SetTime@LM_SESSION_10@@IEAAXK@Z +; private: long __cdecl NET_NAME::SetUNCPath(unsigned short const * __ptr64) __ptr64 +?SetUNCPath@NET_NAME@@AEAAJPEBG@Z +; public: long __cdecl USER_2::SetUserCantChangePass(int) __ptr64 +?SetUserCantChangePass@USER_2@@QEAAJH@Z +; public: long __cdecl USER_11::SetUserComment(unsigned short const * __ptr64) __ptr64 +?SetUserComment@USER_11@@QEAAJPEBG@Z +; protected: long __cdecl USER_2::SetUserFlag(int,unsigned int) __ptr64 +?SetUserFlag@USER_2@@IEAAJHI@Z +; protected: void __cdecl LM_SESSION_1::SetUserFlags(unsigned long) __ptr64 +?SetUserFlags@LM_SESSION_1@@IEAAXK@Z +; public: long __cdecl USER_2::SetUserFlags(unsigned int) __ptr64 +?SetUserFlags@USER_2@@QEAAJI@Z +; protected: long __cdecl USER_3::SetUserId(unsigned long) __ptr64 +?SetUserId@USER_3@@IEAAJK@Z +; public: long __cdecl WKSTA_USER_1::SetUserName(unsigned short const * __ptr64) __ptr64 +?SetUserName@WKSTA_USER_1@@QEAAJPEBG@Z +; public: long __cdecl USER_2::SetUserPassRequired(int) __ptr64 +?SetUserPassRequired@USER_2@@QEAAJH@Z +; protected: long __cdecl DEVICE2::SetUsername(unsigned short const * __ptr64) __ptr64 +?SetUsername@DEVICE2@@IEAAJPEBG@Z +; protected: long __cdecl LM_SESSION_10::SetUsername(unsigned short const * __ptr64) __ptr64 +?SetUsername@LM_SESSION_10@@IEAAJPEBG@Z +; public: long __cdecl SAM_USER::SetUsername(class NLS_STR const * __ptr64) __ptr64 +?SetUsername@SAM_USER@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl LM_CONFIG::SetValue(class NLS_STR * __ptr64) __ptr64 +?SetValue@LM_CONFIG@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl USER_11::SetWorkstations(unsigned short const * __ptr64) __ptr64 +?SetWorkstations@USER_11@@QEAAJPEBG@Z +; protected: long __cdecl SHARE_2::SetWriteBuffer(int) __ptr64 +?SetWriteBuffer@SHARE_2@@IEAAJH@Z +; void __cdecl SkipWhiteSpace(unsigned short * __ptr64 * __ptr64) +?SkipWhiteSpace@@YAXPEAPEAG@Z +; public: void __cdecl DOMAIN0_ENUM::Sort(void) __ptr64 +?Sort@DOMAIN0_ENUM@@QEAAXXZ +; public: long __cdecl LM_SERVICE::Start(unsigned short const * __ptr64,unsigned int,unsigned int) __ptr64 +?Start@LM_SERVICE@@QEAAJPEBGII@Z +; public: long __cdecl SC_SERVICE::Start(unsigned int,unsigned short const * __ptr64 * __ptr64) __ptr64 +?Start@SC_SERVICE@@QEAAJIPEAPEBG@Z +; public: long __cdecl LM_SERVICE::Stop(unsigned int,unsigned int) __ptr64 +?Stop@LM_SERVICE@@QEAAJII@Z +; protected: long __cdecl LSA_POLICY::TcharArrayToUnistrArray(unsigned short const * __ptr64 const * __ptr64,struct _UNICODE_STRING * __ptr64,unsigned long) __ptr64 +?TcharArrayToUnistrArray@LSA_POLICY@@IEAAJPEBQEBGPEAU_UNICODE_STRING@@K@Z +; public: long __cdecl SAM_DOMAIN::TranslateNamesToRids(unsigned short const * __ptr64 const * __ptr64,unsigned long,class SAM_RID_MEM * __ptr64,class SAM_SID_NAME_USE_MEM * __ptr64)const __ptr64 +?TranslateNamesToRids@SAM_DOMAIN@@QEBAJPEBQEBGKPEAVSAM_RID_MEM@@PEAVSAM_SID_NAME_USE_MEM@@@Z +; public: long __cdecl LSA_POLICY::TranslateNamesToSids(unsigned short const * __ptr64 const * __ptr64,unsigned long,class LSA_TRANSLATED_SID_MEM * __ptr64,class LSA_REF_DOMAIN_MEM * __ptr64) __ptr64 +?TranslateNamesToSids@LSA_POLICY@@QEAAJPEBQEBGKPEAVLSA_TRANSLATED_SID_MEM@@PEAVLSA_REF_DOMAIN_MEM@@@Z +; public: long __cdecl LSA_POLICY::TranslateSidsToNames(void * __ptr64 const * __ptr64,unsigned long,class LSA_TRANSLATED_NAME_MEM * __ptr64,class LSA_REF_DOMAIN_MEM * __ptr64) __ptr64 +?TranslateSidsToNames@LSA_POLICY@@QEAAJPEBQEAXKPEAVLSA_TRANSLATED_NAME_MEM@@PEAVLSA_REF_DOMAIN_MEM@@@Z +; public: long __cdecl OS_SID::TrimLastSubAuthority(unsigned long * __ptr64) __ptr64 +?TrimLastSubAuthority@OS_SID@@QEAAJPEAK@Z +; public: long __cdecl USER_11::TrimParams(void) __ptr64 +?TrimParams@USER_11@@QEAAJXZ +; public: long __cdecl LSA_POLICY::TrustDomain(class LSA_POLICY & __ptr64,class NLS_STR const & __ptr64,int,unsigned short const * __ptr64) __ptr64 +?TrustDomain@LSA_POLICY@@QEAAJAEAV1@AEBVNLS_STR@@HPEBG@Z +; public: long __cdecl LSA_POLICY::TrustDomain(class NLS_STR const & __ptr64,void * __ptr64 const,class NLS_STR const & __ptr64,int,unsigned short const * __ptr64,int) __ptr64 +?TrustDomain@LSA_POLICY@@QEAAJAEBVNLS_STR@@QEAX0HPEBGH@Z +; public: long __cdecl SC_MANAGER::Unlock(void) __ptr64 +?Unlock@SC_MANAGER@@QEAAJXZ +; protected: long __cdecl OS_SECURITY_DESCRIPTOR::UpdateControl(void) __ptr64 +?UpdateControl@OS_SECURITY_DESCRIPTOR@@IEAAJXZ +; protected: long __cdecl OS_SECURITY_DESCRIPTOR::UpdateReferencedSecurityObject(class OS_OBJECT_WITH_DATA * __ptr64) __ptr64 +?UpdateReferencedSecurityObject@OS_SECURITY_DESCRIPTOR@@IEAAJPEAVOS_OBJECT_WITH_DATA@@@Z +; public: long __cdecl ADMIN_AUTHORITY::UpgradeAccountDomain(unsigned long) __ptr64 +?UpgradeAccountDomain@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::UpgradeBuiltinDomain(unsigned long) __ptr64 +?UpgradeBuiltinDomain@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::UpgradeLSAPolicy(unsigned long) __ptr64 +?UpgradeLSAPolicy@ADMIN_AUTHORITY@@QEAAJK@Z +; public: long __cdecl ADMIN_AUTHORITY::UpgradeSamServer(unsigned long) __ptr64 +?UpgradeSamServer@ADMIN_AUTHORITY@@QEAAJK@Z +; private: long __cdecl COMPUTER::ValidateName(unsigned short const * __ptr64) __ptr64 +?ValidateName@COMPUTER@@AEAAJPEBG@Z +; protected: virtual long __cdecl DEVICE::ValidateName(void) __ptr64 +?ValidateName@DEVICE@@MEAAJXZ +; protected: virtual long __cdecl DOMAIN::ValidateName(void) __ptr64 +?ValidateName@DOMAIN@@MEAAJXZ +; protected: virtual long __cdecl LM_OBJ::ValidateName(void) __ptr64 +?ValidateName@LM_OBJ@@MEAAJXZ +; public: static long __cdecl NT_ACCOUNTS_UTILITY::ValidateQualifiedAccountName(class NLS_STR const & __ptr64,int * __ptr64) +?ValidateQualifiedAccountName@NT_ACCOUNTS_UTILITY@@SAJAEBVNLS_STR@@PEAH@Z +; public: long __cdecl LSA_POLICY::VerifyLsa(class LSA_PRIMARY_DOM_INFO_MEM * __ptr64,class NLS_STR const * __ptr64)const __ptr64 +?VerifyLsa@LSA_POLICY@@QEBAJPEAVLSA_PRIMARY_DOM_INFO_MEM@@PEBVNLS_STR@@@Z +; private: static long __cdecl NT_ACCOUNTS_UTILITY::W_BuildQualifiedAccountName(class NLS_STR * __ptr64,class NLS_STR const & __ptr64,class NLS_STR const * __ptr64,enum _SID_NAME_USE) +?W_BuildQualifiedAccountName@NT_ACCOUNTS_UTILITY@@CAJPEAVNLS_STR@@AEBV2@PEBV2@W4_SID_NAME_USE@@@Z +; protected: virtual long __cdecl NEW_LM_OBJ::W_ChangeToNew(void) __ptr64 +?W_ChangeToNew@NEW_LM_OBJ@@MEAAJXZ +; protected: long __cdecl ENUM_CALLER_LM_OBJ::W_CloneFrom(class ENUM_CALLER_LM_OBJ const & __ptr64) __ptr64 +?W_CloneFrom@ENUM_CALLER_LM_OBJ@@IEAAJAEBV1@@Z +; protected: long __cdecl GROUP::W_CloneFrom(class GROUP const & __ptr64) __ptr64 +?W_CloneFrom@GROUP@@IEAAJAEBV1@@Z +; protected: long __cdecl GROUP_1::W_CloneFrom(class GROUP_1 const & __ptr64) __ptr64 +?W_CloneFrom@GROUP_1@@IEAAJAEBV1@@Z +; protected: long __cdecl LOC_LM_OBJ::W_CloneFrom(class LOC_LM_OBJ const & __ptr64) __ptr64 +?W_CloneFrom@LOC_LM_OBJ@@IEAAJAEBV1@@Z +; protected: long __cdecl MEMBERSHIP_LM_OBJ::W_CloneFrom(class MEMBERSHIP_LM_OBJ const & __ptr64) __ptr64 +?W_CloneFrom@MEMBERSHIP_LM_OBJ@@IEAAJAEBV1@@Z +; protected: long __cdecl NEW_LM_OBJ::W_CloneFrom(class NEW_LM_OBJ const & __ptr64) __ptr64 +?W_CloneFrom@NEW_LM_OBJ@@IEAAJAEBV1@@Z +; protected: long __cdecl SHARE::W_CloneFrom(class SHARE const & __ptr64) __ptr64 +?W_CloneFrom@SHARE@@IEAAJAEBV1@@Z +; protected: long __cdecl SHARE_1::W_CloneFrom(class SHARE_1 const & __ptr64) __ptr64 +?W_CloneFrom@SHARE_1@@IEAAJAEBV1@@Z +; protected: long __cdecl SHARE_2::W_CloneFrom(class SHARE_2 const & __ptr64) __ptr64 +?W_CloneFrom@SHARE_2@@IEAAJAEBV1@@Z +; protected: long __cdecl USER::W_CloneFrom(class USER const & __ptr64) __ptr64 +?W_CloneFrom@USER@@IEAAJAEBV1@@Z +; protected: long __cdecl USER_11::W_CloneFrom(class USER_11 const & __ptr64) __ptr64 +?W_CloneFrom@USER_11@@IEAAJAEBV1@@Z +; protected: long __cdecl USER_2::W_CloneFrom(class USER_2 const & __ptr64) __ptr64 +?W_CloneFrom@USER_2@@IEAAJAEBV1@@Z +; protected: long __cdecl USER_3::W_CloneFrom(class USER_3 const & __ptr64) __ptr64 +?W_CloneFrom@USER_3@@IEAAJAEBV1@@Z +; private: void __cdecl LM_SERVICE::W_ComputeOtherStatus(struct LM_SERVICE_OTHER_STATUS * __ptr64) __ptr64 +?W_ComputeOtherStatus@LM_SERVICE@@AEAAXPEAULM_SERVICE_OTHER_STATUS@@@Z +; protected: virtual long __cdecl ENUM_CALLER_LM_OBJ::W_CreateNew(void) __ptr64 +?W_CreateNew@ENUM_CALLER_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl GROUP_1::W_CreateNew(void) __ptr64 +?W_CreateNew@GROUP_1@@MEAAJXZ +; protected: virtual long __cdecl GROUP_MEMB::W_CreateNew(void) __ptr64 +?W_CreateNew@GROUP_MEMB@@MEAAJXZ +; protected: virtual long __cdecl LSA_ACCOUNT::W_CreateNew(void) __ptr64 +?W_CreateNew@LSA_ACCOUNT@@MEAAJXZ +; protected: virtual long __cdecl NEW_LM_OBJ::W_CreateNew(void) __ptr64 +?W_CreateNew@NEW_LM_OBJ@@MEAAJXZ +; protected: virtual long __cdecl SHARE::W_CreateNew(void) __ptr64 +?W_CreateNew@SHARE@@MEAAJXZ +; protected: virtual long __cdecl SHARE_1::W_CreateNew(void) __ptr64 +?W_CreateNew@SHARE_1@@MEAAJXZ +; protected: virtual long __cdecl SHARE_2::W_CreateNew(void) __ptr64 +?W_CreateNew@SHARE_2@@MEAAJXZ +; protected: virtual long __cdecl USER_11::W_CreateNew(void) __ptr64 +?W_CreateNew@USER_11@@MEAAJXZ +; protected: virtual long __cdecl USER_2::W_CreateNew(void) __ptr64 +?W_CreateNew@USER_2@@MEAAJXZ +; protected: virtual long __cdecl USER_3::W_CreateNew(void) __ptr64 +?W_CreateNew@USER_3@@MEAAJXZ +; protected: virtual long __cdecl USER_MEMB::W_CreateNew(void) __ptr64 +?W_CreateNew@USER_MEMB@@MEAAJXZ +; protected: long __cdecl ENUM_CALLER::W_GetInfo(void) __ptr64 +?W_GetInfo@ENUM_CALLER@@IEAAJXZ +; private: void __cdecl LM_SERVICE::W_InterpretStatus(struct _SERVICE_INFO_2 const * __ptr64,enum LM_SERVICE_STATUS * __ptr64,struct LM_SERVICE_OTHER_STATUS * __ptr64) __ptr64 +?W_InterpretStatus@LM_SERVICE@@AEAAXPEBU_SERVICE_INFO_2@@PEAW4LM_SERVICE_STATUS@@PEAULM_SERVICE_OTHER_STATUS@@@Z +; private: int __cdecl LM_SERVICE::W_IsWellKnownService(void)const __ptr64 +?W_IsWellKnownService@LM_SERVICE@@AEBAHXZ +; private: long __cdecl LM_SERVICE::W_QueryStatus(enum LM_SERVICE_STATUS * __ptr64,struct LM_SERVICE_OTHER_STATUS * __ptr64) __ptr64 +?W_QueryStatus@LM_SERVICE@@AEAAJPEAW4LM_SERVICE_STATUS@@PEAULM_SERVICE_OTHER_STATUS@@@Z +; private: long __cdecl LM_SERVICE::W_ServiceControl(unsigned int,unsigned int) __ptr64 +?W_ServiceControl@LM_SERVICE@@AEAAJII@Z +; private: long __cdecl LM_SERVICE::W_ServiceStart(unsigned short const * __ptr64) __ptr64 +?W_ServiceStart@LM_SERVICE@@AEAAJPEBG@Z +; private: long __cdecl LOCATION::W_Set(unsigned short const * __ptr64,enum LOCATION_TYPE,int) __ptr64 +?W_Set@LOCATION@@AEAAJPEBGW4LOCATION_TYPE@@H@Z +; private: long __cdecl GROUP_1::W_Write(void) __ptr64 +?W_Write@GROUP_1@@AEAAJXZ +; private: long __cdecl SERVER_1::W_Write(void) __ptr64 +?W_Write@SERVER_1@@AEAAJXZ +; private: long __cdecl SERVER_2::W_Write(void) __ptr64 +?W_Write@SERVER_2@@AEAAJXZ +; protected: long __cdecl USER_2::W_Write(void) __ptr64 +?W_Write@USER_2@@IEAAJXZ +; protected: long __cdecl USER_3::W_Write(void) __ptr64 +?W_Write@USER_3@@IEAAJXZ +; private: long __cdecl WKSTA_USER_1::W_Write(void) __ptr64 +?W_Write@WKSTA_USER_1@@AEAAJXZ +; public: long __cdecl NEW_LM_OBJ::Write(void) __ptr64 +?Write@NEW_LM_OBJ@@QEAAJXZ +; public: virtual long __cdecl DEVICE::WriteInfo(void) __ptr64 +?WriteInfo@DEVICE@@UEAAJXZ +; public: virtual long __cdecl DOMAIN::WriteInfo(void) __ptr64 +?WriteInfo@DOMAIN@@UEAAJXZ +; public: long __cdecl NEW_LM_OBJ::WriteInfo(void) __ptr64 +?WriteInfo@NEW_LM_OBJ@@QEAAJXZ +; public: virtual long __cdecl USER_MODALS::WriteInfo(void) __ptr64 +?WriteInfo@USER_MODALS@@UEAAJXZ +; public: virtual long __cdecl USER_MODALS_3::WriteInfo(void) __ptr64 +?WriteInfo@USER_MODALS_3@@UEAAJXZ +; public: long __cdecl NEW_LM_OBJ::WriteNew(void) __ptr64 +?WriteNew@NEW_LM_OBJ@@QEAAJXZ +; public: void __cdecl OS_ACE::_DbgPrint(void)const __ptr64 +?_DbgPrint@OS_ACE@@QEBAXXZ +; public: void __cdecl OS_ACL::_DbgPrint(void)const __ptr64 +?_DbgPrint@OS_ACL@@QEBAXXZ +; public: void __cdecl OS_SECURITY_DESCRIPTOR::_DbgPrint(void)const __ptr64 +?_DbgPrint@OS_SECURITY_DESCRIPTOR@@QEBAXXZ +; public: void __cdecl OS_SID::_DbgPrint(void)const __ptr64 +?_DbgPrint@OS_SID@@QEBAXXZ +; private: void __cdecl LM_ENUM::_DeregisterIter(void) __ptr64 +?_DeregisterIter@LM_ENUM@@AEAAXXZ +; private: void __cdecl LM_RESUME_ENUM::_DeregisterIter(void) __ptr64 +?_DeregisterIter@LM_RESUME_ENUM@@AEAAXXZ +; private: void __cdecl LM_ENUM::_RegisterIter(void) __ptr64 +?_RegisterIter@LM_ENUM@@AEAAXXZ +; private: void __cdecl LM_RESUME_ENUM::_RegisterIter(void) __ptr64 +?_RegisterIter@LM_RESUME_ENUM@@AEAAXXZ +DestroySession +FreeArgv +I_MNetComputerNameCompare +I_MNetLogonControl +I_MNetNameCanonicalize +I_MNetNameCompare +I_MNetNameValidate +I_MNetPathCanonicalize +I_MNetPathCompare +I_MNetPathType +IsSlowTransport +MAllocMem +MDosPrintQEnum +MFreeMem +MNetAccessAdd +MNetAccessCheck +MNetAccessDel +MNetAccessEnum +MNetAccessGetInfo +MNetAccessGetUserPerms +MNetAccessSetInfo +MNetApiBufferAlloc +MNetApiBufferFree +MNetApiBufferReAlloc +MNetApiBufferSize +MNetAuditClear +MNetAuditRead +MNetAuditWrite +MNetCharDevControl +MNetCharDevGetInfo +MNetCharDevQEnum +MNetCharDevQGetInfo +MNetCharDevQPurge +MNetCharDevQPurgeSelf +MNetCharDevQSetInfo +MNetConfigGet +MNetConfigGetAll +MNetConfigSet +MNetConnectionEnum +MNetErrorLogClear +MNetErrorLogRead +MNetErrorLogWrite +MNetFileClose +MNetFileEnum +MNetFileGetInfo +MNetGetDCName +MNetGroupAdd +MNetGroupAddUser +MNetGroupDel +MNetGroupDelUser +MNetGroupEnum +MNetGroupGetInfo +MNetGroupGetUsers +MNetGroupSetInfo +MNetGroupSetUsers +MNetLocalGroupAddMember +MNetLogonEnum +MNetMessageBufferSend +MNetRemoteTOD +MNetServerDiskEnum +MNetServerEnum +MNetServerGetInfo +MNetServerSetInfo +MNetServiceControl +MNetServiceEnum +MNetServiceGetInfo +MNetServiceInstall +MNetSessionDel +MNetSessionEnum +MNetSessionGetInfo +MNetShareAdd +MNetShareCheck +MNetShareDel +MNetShareDelSticky +MNetShareEnum +MNetShareEnumSticky +MNetShareGetInfo +MNetShareSetInfo +MNetUseAdd +MNetUseDel +MNetUseEnum +MNetUseGetInfo +MNetUserAdd +MNetUserDel +MNetUserEnum +MNetUserGetGroups +MNetUserGetInfo +MNetUserModalsGet +MNetUserModalsSet +MNetUserPasswordSet +MNetUserSetGroups +MNetUserSetInfo +MNetWkstaGetInfo +MNetWkstaSetInfo +MNetWkstaSetUID +MNetWkstaUserEnum +MNetWkstaUserGetInfo +MakeArgvArgc +SetupNormalSession +SetupNullSession +SetupSession +SlowTransportWorkerThread diff --git a/lib/libc/mingw/lib64/netui2.def b/lib/libc/mingw/lib64/netui2.def new file mode 100644 index 0000000000..f2825b09bc --- /dev/null +++ b/lib/libc/mingw/lib64/netui2.def @@ -0,0 +1,4096 @@ +; +; Exports of file NETUI2.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NETUI2.dll +EXPORTS +; public: __cdecl ACCELTABLE::ACCELTABLE(class IDRESOURCE const & __ptr64) __ptr64 +??0ACCELTABLE@@QEAA@AEBVIDRESOURCE@@@Z +; public: __cdecl ACCOUNT_NAMES_MLE::ACCOUNT_NAMES_MLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64,class NT_USER_BROWSER_DIALOG * __ptr64,int,unsigned long,enum FontType) __ptr64 +??0ACCOUNT_NAMES_MLE@@QEAA@PEAVOWNER_WINDOW@@IPEBGPEAVNT_USER_BROWSER_DIALOG@@HKW4FontType@@@Z +; public: __cdecl ACTIVATION_EVENT::ACTIVATION_EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0ACTIVATION_EVENT@@QEAA@I_K_J@Z +; public: __cdecl ALIAS_STR::ALIAS_STR(unsigned short const * __ptr64) __ptr64 +??0ALIAS_STR@@QEAA@PEBG@Z +; public: __cdecl ALLOC_STR::ALLOC_STR(unsigned short * __ptr64,unsigned int) __ptr64 +??0ALLOC_STR@@QEAA@PEAGI@Z +; protected: __cdecl APPLICATION::APPLICATION(struct HINSTANCE__ * __ptr64,int,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0APPLICATION@@IEAA@PEAUHINSTANCE__@@HIIII@Z +; protected: __cdecl APP_WINDOW::APP_WINDOW(class NLS_STR const & __ptr64,class IDRESOURCE const & __ptr64,class IDRESOURCE const & __ptr64) __ptr64 +??0APP_WINDOW@@IEAA@AEBVNLS_STR@@AEBVIDRESOURCE@@1@Z +; protected: __cdecl APP_WINDOW::APP_WINDOW(class XYPOINT,class XYDIMENSION,class NLS_STR const & __ptr64,class IDRESOURCE const & __ptr64,class IDRESOURCE const & __ptr64) __ptr64 +??0APP_WINDOW@@IEAA@VXYPOINT@@VXYDIMENSION@@AEBVNLS_STR@@AEBVIDRESOURCE@@3@Z +; public: __cdecl ARRAY_CONTROLVAL_CID_PAIR::ARRAY_CONTROLVAL_CID_PAIR(unsigned int) __ptr64 +??0ARRAY_CONTROLVAL_CID_PAIR@@QEAA@I@Z +; public: __cdecl ARRAY_CONTROLVAL_CID_PAIR::ARRAY_CONTROLVAL_CID_PAIR(class CONTROLVAL_CID_PAIR * __ptr64,unsigned int,int) __ptr64 +??0ARRAY_CONTROLVAL_CID_PAIR@@QEAA@PEAVCONTROLVAL_CID_PAIR@@IH@Z +; public: __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::ARRAY_LIST_CONTROLVAL_CID_PAIR(unsigned int) __ptr64 +??0ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAA@I@Z +; public: __cdecl ARROW_BUTTON::ARROW_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0ARROW_BUTTON@@QEAA@PEAVOWNER_WINDOW@@IIII@Z +; public: __cdecl ARROW_BUTTON::ARROW_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0ARROW_BUTTON@@QEAA@PEAVOWNER_WINDOW@@IIIIVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl ASSOCHCFILE::ASSOCHCFILE(struct HINSTANCE__ * __ptr64,long,unsigned long,unsigned long) __ptr64 +??0ASSOCHCFILE@@QEAA@PEAUHINSTANCE__@@JKK@Z +; public: __cdecl ASSOCHWNDDISP::ASSOCHWNDDISP(struct HWND__ * __ptr64,class DISPATCHER const * __ptr64) __ptr64 +??0ASSOCHWNDDISP@@QEAA@PEAUHWND__@@PEBVDISPATCHER@@@Z +; public: __cdecl ASSOCHWNDPDLG::ASSOCHWNDPDLG(struct HWND__ * __ptr64,class DIALOG_WINDOW const * __ptr64) __ptr64 +??0ASSOCHWNDPDLG@@QEAA@PEAUHWND__@@PEBVDIALOG_WINDOW@@@Z +; public: __cdecl ASSOCHWNDPWND::ASSOCHWNDPWND(struct HWND__ * __ptr64,class CLIENT_WINDOW const * __ptr64) __ptr64 +??0ASSOCHWNDPWND@@QEAA@PEAUHWND__@@PEBVCLIENT_WINDOW@@@Z +; public: __cdecl ASSOCHWNDTHIS::ASSOCHWNDTHIS(struct HWND__ * __ptr64,void const * __ptr64) __ptr64 +??0ASSOCHWNDTHIS@@QEAA@PEAUHWND__@@PEBX@Z +; protected: __cdecl ATOM_BASE::ATOM_BASE(unsigned short) __ptr64 +??0ATOM_BASE@@IEAA@G@Z +; protected: __cdecl ATOM_BASE::ATOM_BASE(void) __ptr64 +??0ATOM_BASE@@IEAA@XZ +; public: __cdecl AUDIT_CHECKBOXES::AUDIT_CHECKBOXES(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,class NLS_STR const & __ptr64,class BITFIELD const & __ptr64) __ptr64 +??0AUDIT_CHECKBOXES@@QEAA@PEAVOWNER_WINDOW@@IIIAEBVNLS_STR@@AEBVBITFIELD@@@Z +; public: __cdecl AUTO_CURSOR::AUTO_CURSOR(unsigned short const * __ptr64) __ptr64 +??0AUTO_CURSOR@@QEAA@PEBG@Z +; protected: __cdecl BASE::BASE(void) __ptr64 +??0BASE@@IEAA@XZ +; public: __cdecl BASE::BASE(class BASE const & __ptr64) __ptr64 +??0BASE@@QEAA@AEBV0@@Z +; protected: __cdecl BASE_ELLIPSIS::BASE_ELLIPSIS(enum ELLIPSIS_STYLE) __ptr64 +??0BASE_ELLIPSIS@@IEAA@W4ELLIPSIS_STYLE@@@Z +; public: __cdecl BASE_PASSWORD_DIALOG::BASE_PASSWORD_DIALOG(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned int,unsigned int,unsigned long,unsigned short const * __ptr64,unsigned int,unsigned int,unsigned short const * __ptr64,unsigned int,unsigned short const * __ptr64) __ptr64 +??0BASE_PASSWORD_DIALOG@@QEAA@PEAUHWND__@@PEBGIIK1II1I1@Z +; public: __cdecl BASE_SET_FOCUS_DLG::BASE_SET_FOCUS_DLG(struct HWND__ * __ptr64 const,enum SELECTION_TYPE,unsigned long,unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned long) __ptr64 +??0BASE_SET_FOCUS_DLG@@QEAA@QEAUHWND__@@W4SELECTION_TYPE@@KPEBGK2K@Z +; public: __cdecl BIT_MAP::BIT_MAP(class IDRESOURCE const & __ptr64) __ptr64 +??0BIT_MAP@@QEAA@AEBVIDRESOURCE@@@Z +; public: __cdecl BIT_MAP::BIT_MAP(struct HBITMAP__ * __ptr64) __ptr64 +??0BIT_MAP@@QEAA@PEAUHBITMAP__@@@Z +; public: __cdecl BLT_BACKGROUND_EDIT::BLT_BACKGROUND_EDIT(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0BLT_BACKGROUND_EDIT@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl BLT_COMBOBOX::BLT_COMBOBOX(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType) __ptr64 +??0BLT_COMBOBOX@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@@Z +; public: __cdecl BLT_COMBOBOX::BLT_COMBOBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType) __ptr64 +??0BLT_COMBOBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@@Z +; public: __cdecl BLT_DATE_SPIN_GROUP::BLT_DATE_SPIN_GROUP(class OWNER_WINDOW * __ptr64,class INTL_PROFILE const & __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0BLT_DATE_SPIN_GROUP@@QEAA@PEAVOWNER_WINDOW@@AEBVINTL_PROFILE@@IIIIIIIII@Z +; public: __cdecl BLT_LISTBOX::BLT_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType,int) __ptr64 +??0BLT_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@H@Z +; public: __cdecl BLT_LISTBOX::BLT_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType,int) __ptr64 +??0BLT_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@H@Z +; public: __cdecl BLT_LISTBOX_HAW::BLT_LISTBOX_HAW(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType,int) __ptr64 +??0BLT_LISTBOX_HAW@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@H@Z +; public: __cdecl BLT_LISTBOX_HAW::BLT_LISTBOX_HAW(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType,int) __ptr64 +??0BLT_LISTBOX_HAW@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@H@Z +; public: __cdecl BLT_MASTER_TIMER::BLT_MASTER_TIMER(void) __ptr64 +??0BLT_MASTER_TIMER@@QEAA@XZ +; public: __cdecl BLT_SCRATCH::BLT_SCRATCH(unsigned int) __ptr64 +??0BLT_SCRATCH@@QEAA@I@Z +; public: __cdecl BLT_TIME_SPIN_GROUP::BLT_TIME_SPIN_GROUP(class OWNER_WINDOW * __ptr64,class INTL_PROFILE const & __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0BLT_TIME_SPIN_GROUP@@QEAA@PEAVOWNER_WINDOW@@AEBVINTL_PROFILE@@IIIIIIIIII@Z +; public: __cdecl BROWSER_DOMAIN::BROWSER_DOMAIN(unsigned short const * __ptr64,void * __ptr64,int,int) __ptr64 +??0BROWSER_DOMAIN@@QEAA@PEBGPEAXHH@Z +; public: __cdecl BROWSER_DOMAIN_CB::BROWSER_DOMAIN_CB(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0BROWSER_DOMAIN_CB@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl BROWSER_DOMAIN_LB::BROWSER_DOMAIN_LB(class OWNER_WINDOW * __ptr64,unsigned int,class BROWSER_DOMAIN_CB * __ptr64) __ptr64 +??0BROWSER_DOMAIN_LB@@QEAA@PEAVOWNER_WINDOW@@IPEAVBROWSER_DOMAIN_CB@@@Z +; public: __cdecl BROWSER_DOMAIN_LBI::BROWSER_DOMAIN_LBI(class BROWSER_DOMAIN * __ptr64) __ptr64 +??0BROWSER_DOMAIN_LBI@@QEAA@PEAVBROWSER_DOMAIN@@@Z +; public: __cdecl BROWSER_DOMAIN_LBI_PB::BROWSER_DOMAIN_LBI_PB(class BROWSER_DOMAIN_LBI * __ptr64) __ptr64 +??0BROWSER_DOMAIN_LBI_PB@@QEAA@PEAVBROWSER_DOMAIN_LBI@@@Z +; public: __cdecl BROWSER_SUBJECT::BROWSER_SUBJECT(void) __ptr64 +??0BROWSER_SUBJECT@@QEAA@XZ +; public: __cdecl BROWSER_SUBJECT_ITER::BROWSER_SUBJECT_ITER(class NT_USER_BROWSER_DIALOG * __ptr64) __ptr64 +??0BROWSER_SUBJECT_ITER@@QEAA@PEAVNT_USER_BROWSER_DIALOG@@@Z +; protected: __cdecl BUTTON_CONTROL::BUTTON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0BUTTON_CONTROL@@IEAA@PEAVOWNER_WINDOW@@I@Z +; protected: __cdecl BUTTON_CONTROL::BUTTON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0BUTTON_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl CANCEL_TASK_DIALOG::CANCEL_TASK_DIALOG(unsigned int,struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned __int64,long,enum ELLIPSIS_STYLE) __ptr64 +??0CANCEL_TASK_DIALOG@@QEAA@IPEAUHWND__@@PEBG_KJW4ELLIPSIS_STYLE@@@Z +; public: __cdecl CHANGEABLE_SPIN_ITEM::CHANGEABLE_SPIN_ITEM(class CONTROL_WINDOW * __ptr64,unsigned long,unsigned long,unsigned long,int) __ptr64 +??0CHANGEABLE_SPIN_ITEM@@QEAA@PEAVCONTROL_WINDOW@@KKKH@Z +; public: __cdecl CHECKBOX::CHECKBOX(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0CHECKBOX@@QEAA@PEAVOWNER_WINDOW@@I@Z +; protected: __cdecl CLIENT_WINDOW::CLIENT_WINDOW(unsigned long,class WINDOW const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0CLIENT_WINDOW@@IEAA@KPEBVWINDOW@@PEBG@Z +; protected: __cdecl CLIENT_WINDOW::CLIENT_WINDOW(void) __ptr64 +??0CLIENT_WINDOW@@IEAA@XZ +; public: __cdecl COMBOBOX::COMBOBOX(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0COMBOBOX@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl COMBOBOX::COMBOBOX(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0COMBOBOX@@QEAA@PEAVOWNER_WINDOW@@IIVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl CONSOLE_ELLIPSIS::CONSOLE_ELLIPSIS(enum ELLIPSIS_STYLE,int) __ptr64 +??0CONSOLE_ELLIPSIS@@QEAA@W4ELLIPSIS_STYLE@@H@Z +; public: __cdecl CONTROLVAL_CID_PAIR::CONTROLVAL_CID_PAIR(unsigned int,class CONTROL_VALUE * __ptr64) __ptr64 +??0CONTROLVAL_CID_PAIR@@QEAA@IPEAVCONTROL_VALUE@@@Z +; public: __cdecl CONTROLVAL_CID_PAIR::CONTROLVAL_CID_PAIR(void) __ptr64 +??0CONTROLVAL_CID_PAIR@@QEAA@XZ +; private: __cdecl CONTROL_ENTRY::CONTROL_ENTRY(class CONTROL_WINDOW * __ptr64) __ptr64 +??0CONTROL_ENTRY@@AEAA@PEAVCONTROL_WINDOW@@@Z +; public: __cdecl CONTROL_EVENT::CONTROL_EVENT(unsigned int,unsigned int) __ptr64 +??0CONTROL_EVENT@@QEAA@II@Z +; public: __cdecl CONTROL_EVENT::CONTROL_EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0CONTROL_EVENT@@QEAA@I_K_J@Z +; public: __cdecl CONTROL_GROUP::CONTROL_GROUP(class CONTROL_GROUP * __ptr64) __ptr64 +??0CONTROL_GROUP@@QEAA@PEAV0@@Z +; public: __cdecl CONTROL_TABLE::CONTROL_TABLE(void) __ptr64 +??0CONTROL_TABLE@@QEAA@XZ +; public: __cdecl CONTROL_VALUE::CONTROL_VALUE(class CONTROL_GROUP * __ptr64) __ptr64 +??0CONTROL_VALUE@@QEAA@PEAVCONTROL_GROUP@@@Z +; public: __cdecl CONTROL_WINDOW::CONTROL_WINDOW(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0CONTROL_WINDOW@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl CONTROL_WINDOW::CONTROL_WINDOW(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0CONTROL_WINDOW@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl CUSTOM_CONTROL::CUSTOM_CONTROL(class CONTROL_WINDOW * __ptr64) __ptr64 +??0CUSTOM_CONTROL@@QEAA@PEAVCONTROL_WINDOW@@@Z +; public: __cdecl DEC_SLT::DEC_SLT(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0DEC_SLT@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl DEC_SLT::DEC_SLT(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int) __ptr64 +??0DEC_SLT@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGI@Z +; public: __cdecl DEVICE_COMBO::DEVICE_COMBO(class OWNER_WINDOW * __ptr64,unsigned int,enum LMO_DEVICE,enum LMO_DEV_USAGE) __ptr64 +??0DEVICE_COMBO@@QEAA@PEAVOWNER_WINDOW@@IW4LMO_DEVICE@@W4LMO_DEV_USAGE@@@Z +; public: __cdecl DEVICE_CONTEXT::DEVICE_CONTEXT(struct HDC__ * __ptr64) __ptr64 +??0DEVICE_CONTEXT@@QEAA@PEAUHDC__@@@Z +; protected: __cdecl DIALOG_WINDOW::DIALOG_WINDOW(unsigned char const * __ptr64,unsigned int,struct HWND__ * __ptr64,int) __ptr64 +??0DIALOG_WINDOW@@IEAA@PEBEIPEAUHWND__@@H@Z +; public: __cdecl DIALOG_WINDOW::DIALOG_WINDOW(class IDRESOURCE const & __ptr64,class PWND2HWND const & __ptr64,int) __ptr64 +??0DIALOG_WINDOW@@QEAA@AEBVIDRESOURCE@@AEBVPWND2HWND@@H@Z +; public: __cdecl DISK_SPACE_SUBCLASS::DISK_SPACE_SUBCLASS(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,long,long,long,long,long,int) __ptr64 +??0DISK_SPACE_SUBCLASS@@QEAA@PEAVOWNER_WINDOW@@IIIIIJJJJJH@Z +; protected: __cdecl DISPATCHER::DISPATCHER(class WINDOW * __ptr64) __ptr64 +??0DISPATCHER@@IEAA@PEAVWINDOW@@@Z +; public: __cdecl DISPLAY_CONTEXT::DISPLAY_CONTEXT(struct HWND__ * __ptr64) __ptr64 +??0DISPLAY_CONTEXT@@QEAA@PEAUHWND__@@@Z +; public: __cdecl DISPLAY_CONTEXT::DISPLAY_CONTEXT(class WINDOW * __ptr64) __ptr64 +??0DISPLAY_CONTEXT@@QEAA@PEAVWINDOW@@@Z +; public: __cdecl DISPLAY_CONTEXT::DISPLAY_CONTEXT(class WINDOW * __ptr64,struct HDC__ * __ptr64) __ptr64 +??0DISPLAY_CONTEXT@@QEAA@PEAVWINDOW@@PEAUHDC__@@@Z +; public: __cdecl DISPLAY_MAP::DISPLAY_MAP(unsigned int) __ptr64 +??0DISPLAY_MAP@@QEAA@I@Z +; public: __cdecl DISPLAY_TABLE::DISPLAY_TABLE(unsigned int,unsigned int const * __ptr64) __ptr64 +??0DISPLAY_TABLE@@QEAA@IPEBI@Z +; public: __cdecl DLGLOAD::DLGLOAD(class IDRESOURCE const & __ptr64,struct HWND__ * __ptr64,__int64 (__cdecl*)(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64),int) __ptr64 +??0DLGLOAD@@QEAA@AEBVIDRESOURCE@@PEAUHWND__@@P6A_J1I_K_J@ZH@Z +; public: __cdecl DLGLOAD::DLGLOAD(unsigned char const * __ptr64,unsigned int,struct HWND__ * __ptr64,__int64 (__cdecl*)(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64),int) __ptr64 +??0DLGLOAD@@QEAA@PEBEIPEAUHWND__@@P6A_J1I_K_J@ZH@Z +; public: __cdecl DLIST_OF_SPIN_ITEM::DLIST_OF_SPIN_ITEM(int) __ptr64 +??0DLIST_OF_SPIN_ITEM@@QEAA@H@Z +; public: __cdecl DMID_DTE::DMID_DTE(unsigned int) __ptr64 +??0DMID_DTE@@QEAA@I@Z +; protected: __cdecl DM_DTE::DM_DTE(void) __ptr64 +??0DM_DTE@@IEAA@XZ +; public: __cdecl DM_DTE::DM_DTE(class DISPLAY_MAP * __ptr64) __ptr64 +??0DM_DTE@@QEAA@PEAVDISPLAY_MAP@@@Z +; public: __cdecl DOMAIN_COMBO::DOMAIN_COMBO(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int) __ptr64 +??0DOMAIN_COMBO@@QEAA@PEAVOWNER_WINDOW@@III@Z +; public: __cdecl DOMAIN_FILL_THREAD::DOMAIN_FILL_THREAD(class NT_USER_BROWSER_DIALOG * __ptr64,class BROWSER_DOMAIN * __ptr64,class ADMIN_AUTHORITY const * __ptr64) __ptr64 +??0DOMAIN_FILL_THREAD@@QEAA@PEAVNT_USER_BROWSER_DIALOG@@PEAVBROWSER_DOMAIN@@PEBVADMIN_AUTHORITY@@@Z +; protected: __cdecl DTE::DTE(void) __ptr64 +??0DTE@@IEAA@XZ +; public: __cdecl EDIT_CONTROL::EDIT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0EDIT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl EDIT_CONTROL::EDIT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int) __ptr64 +??0EDIT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGI@Z +; public: __cdecl ELAPSED_TIME_CONTROL::ELAPSED_TIME_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,class SLT & __ptr64,long,long,long,class SLT & __ptr64,class SLT & __ptr64,long,long,long,long,int) __ptr64 +??0ELAPSED_TIME_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IIIIIIAEAVSLT@@JJJ11JJJJH@Z +; public: __cdecl EVENT::EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0EVENT@@QEAA@I_K_J@Z +; public: __cdecl EXPANDABLE_DIALOG::EXPANDABLE_DIALOG(unsigned short const * __ptr64,struct HWND__ * __ptr64,unsigned int,unsigned int,int) __ptr64 +??0EXPANDABLE_DIALOG@@QEAA@PEBGPEAUHWND__@@IIH@Z +; public: __cdecl FOCUSDLG_DATA_THREAD::FOCUSDLG_DATA_THREAD(struct HWND__ * __ptr64,unsigned long,enum SELECTION_TYPE,unsigned short const * __ptr64,unsigned long) __ptr64 +??0FOCUSDLG_DATA_THREAD@@QEAA@PEAUHWND__@@KW4SELECTION_TYPE@@PEBGK@Z +; public: __cdecl FOCUS_CHECKBOX::FOCUS_CHECKBOX(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0FOCUS_CHECKBOX@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl FONT::FONT(struct tagLOGFONTW const & __ptr64) __ptr64 +??0FONT@@QEAA@AEBUtagLOGFONTW@@@Z +; public: __cdecl FONT::FONT(unsigned short const * __ptr64,unsigned char,int,enum FontAttributes) __ptr64 +??0FONT@@QEAA@PEBGEHW4FontAttributes@@@Z +; public: __cdecl FONT::FONT(enum FontType) __ptr64 +??0FONT@@QEAA@W4FontType@@@Z +; protected: __cdecl FORWARDING_BASE::FORWARDING_BASE(class BASE * __ptr64) __ptr64 +??0FORWARDING_BASE@@IEAA@PEAVBASE@@@Z +; protected: __cdecl GET_FNAME_BASE_DLG::GET_FNAME_BASE_DLG(class OWNER_WINDOW * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0GET_FNAME_BASE_DLG@@IEAA@PEAVOWNER_WINDOW@@PEBGK@Z +; public: __cdecl GET_OPEN_FILENAME_DLG::GET_OPEN_FILENAME_DLG(class OWNER_WINDOW * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0GET_OPEN_FILENAME_DLG@@QEAA@PEAVOWNER_WINDOW@@PEBGK@Z +; public: __cdecl GET_SAVE_FILENAME_DLG::GET_SAVE_FILENAME_DLG(class OWNER_WINDOW * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0GET_SAVE_FILENAME_DLG@@QEAA@PEAVOWNER_WINDOW@@PEBGK@Z +; public: __cdecl GLOBAL_ATOM::GLOBAL_ATOM(unsigned short const * __ptr64) __ptr64 +??0GLOBAL_ATOM@@QEAA@PEBG@Z +; public: __cdecl GRAPHICAL_BUTTON::GRAPHICAL_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0GRAPHICAL_BUTTON@@QEAA@PEAVOWNER_WINDOW@@IPEBG11@Z +; public: __cdecl GRAPHICAL_BUTTON::GRAPHICAL_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0GRAPHICAL_BUTTON@@QEAA@PEAVOWNER_WINDOW@@IPEBG1VXYPOINT@@VXYDIMENSION@@K1@Z +; public: __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::GRAPHICAL_BUTTON_WITH_DISABLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int) __ptr64 +??0GRAPHICAL_BUTTON_WITH_DISABLE@@QEAA@PEAVOWNER_WINDOW@@IIII@Z +; public: __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::GRAPHICAL_BUTTON_WITH_DISABLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0GRAPHICAL_BUTTON_WITH_DISABLE@@QEAA@PEAVOWNER_WINDOW@@IIIIVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl HAS_MESSAGE_PUMP::HAS_MESSAGE_PUMP(void) __ptr64 +??0HAS_MESSAGE_PUMP@@QEAA@XZ +; public: __cdecl HAW_FOR_HAWAII_INFO::HAW_FOR_HAWAII_INFO(void) __ptr64 +??0HAW_FOR_HAWAII_INFO@@QEAA@XZ +; public: __cdecl HIDDEN_CONTROL::HIDDEN_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0HIDDEN_CONTROL@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl HIER_LBI::HIER_LBI(int) __ptr64 +??0HIER_LBI@@QEAA@H@Z +; public: __cdecl HIER_LBI_ITERATOR::HIER_LBI_ITERATOR(class HIER_LBI * __ptr64,int) __ptr64 +??0HIER_LBI_ITERATOR@@QEAA@PEAVHIER_LBI@@H@Z +; public: __cdecl HIER_LISTBOX::HIER_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType,int) __ptr64 +??0HIER_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@H@Z +; public: __cdecl HIER_LISTBOX::HIER_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType,int) __ptr64 +??0HIER_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@H@Z +; public: __cdecl H_SPLITTER_BAR::H_SPLITTER_BAR(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0H_SPLITTER_BAR@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl H_SPLITTER_BAR::H_SPLITTER_BAR(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0H_SPLITTER_BAR@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl ICANON_SLE::ICANON_SLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,int) __ptr64 +??0ICANON_SLE@@QEAA@PEAVOWNER_WINDOW@@IIH@Z +; public: __cdecl ICANON_SLE::ICANON_SLE(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int,int) __ptr64 +??0ICANON_SLE@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGIH@Z +; public: __cdecl ICON_CONTROL::ICON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0ICON_CONTROL@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl ICON_CONTROL::ICON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class IDRESOURCE const & __ptr64) __ptr64 +??0ICON_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IAEBVIDRESOURCE@@@Z +; public: __cdecl ICON_CONTROL::ICON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,class IDRESOURCE const & __ptr64,unsigned long,unsigned short const * __ptr64) __ptr64 +??0ICON_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@AEBVIDRESOURCE@@KPEBG@Z +; public: __cdecl ICON_CONTROL::ICON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0ICON_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl IDRESOURCE::IDRESOURCE(unsigned int) __ptr64 +??0IDRESOURCE@@QEAA@I@Z +; public: __cdecl IDRESOURCE::IDRESOURCE(unsigned short const * __ptr64) __ptr64 +??0IDRESOURCE@@QEAA@PEBG@Z +; public: __cdecl ITER_CTRL::ITER_CTRL(class OWNER_WINDOW const * __ptr64) __ptr64 +??0ITER_CTRL@@QEAA@PEBVOWNER_WINDOW@@@Z +; public: __cdecl ITER_DL_SPIN_ITEM::ITER_DL_SPIN_ITEM(class DLIST & __ptr64) __ptr64 +??0ITER_DL_SPIN_ITEM@@QEAA@AEAVDLIST@@@Z +; public: __cdecl ITER_SL_ASSOCHCFILE::ITER_SL_ASSOCHCFILE(class SLIST & __ptr64) __ptr64 +??0ITER_SL_ASSOCHCFILE@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_CLIENTDATA::ITER_SL_CLIENTDATA(class SLIST & __ptr64) __ptr64 +??0ITER_SL_CLIENTDATA@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_STRING_BITSET_PAIR::ITER_SL_STRING_BITSET_PAIR(class SLIST & __ptr64) __ptr64 +??0ITER_SL_STRING_BITSET_PAIR@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_TIMER_BASE::ITER_SL_TIMER_BASE(class SLIST & __ptr64) __ptr64 +??0ITER_SL_TIMER_BASE@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_UI_EXT::ITER_SL_UI_EXT(class SLIST & __ptr64) __ptr64 +??0ITER_SL_UI_EXT@@QEAA@AEAVSLIST@@@Z +; public: __cdecl ITER_SL_USER_BROWSER_LBI::ITER_SL_USER_BROWSER_LBI(class SLIST & __ptr64) __ptr64 +??0ITER_SL_USER_BROWSER_LBI@@QEAA@AEAVSLIST@@@Z +; public: __cdecl LAZY_LISTBOX::LAZY_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType) __ptr64 +??0LAZY_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@@Z +; public: __cdecl LAZY_LISTBOX::LAZY_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType) __ptr64 +??0LAZY_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@@Z +; public: __cdecl LBI::LBI(void) __ptr64 +??0LBI@@QEAA@XZ +; public: __cdecl LBITREE::LBITREE(void) __ptr64 +??0LBITREE@@QEAA@XZ +; public: __cdecl LBI_HEAP::LBI_HEAP(int,int) __ptr64 +??0LBI_HEAP@@QEAA@HH@Z +; public: __cdecl LB_COLUMN_HEADER::LB_COLUMN_HEADER(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION) __ptr64 +??0LB_COLUMN_HEADER@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@@Z +; public: __cdecl LB_COL_WIDTHS::LB_COL_WIDTHS(struct HWND__ * __ptr64,struct HINSTANCE__ * __ptr64,class IDRESOURCE const & __ptr64,unsigned int,unsigned int) __ptr64 +??0LB_COL_WIDTHS@@QEAA@PEAUHWND__@@PEAUHINSTANCE__@@AEBVIDRESOURCE@@II@Z +; public: __cdecl LISTBOX::LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,int,enum FontType,int) __ptr64 +??0LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IHW4FontType@@H@Z +; public: __cdecl LISTBOX::LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int,enum FontType,int) __ptr64 +??0LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KHW4FontType@@H@Z +; protected: __cdecl LIST_CONTROL::LIST_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,int) __ptr64 +??0LIST_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IH@Z +; protected: __cdecl LIST_CONTROL::LIST_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0LIST_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IHVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl LM_OLLB::LM_OLLB(class OWNER_WINDOW * __ptr64,unsigned int,enum SELECTION_TYPE,unsigned long) __ptr64 +??0LM_OLLB@@QEAA@PEAVOWNER_WINDOW@@IW4SELECTION_TYPE@@K@Z +; public: __cdecl LM_OLLB::LM_OLLB(class OWNER_WINDOW * __ptr64,unsigned int,enum SELECTION_TYPE,unsigned short const * __ptr64,unsigned long,unsigned long) __ptr64 +??0LM_OLLB@@QEAA@PEAVOWNER_WINDOW@@IW4SELECTION_TYPE@@PEBGKK@Z +; public: __cdecl LOCAL_ATOM::LOCAL_ATOM(unsigned short const * __ptr64) __ptr64 +??0LOCAL_ATOM@@QEAA@PEBG@Z +; public: __cdecl LOGON_HOURS_CONTROL::LOGON_HOURS_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0LOGON_HOURS_CONTROL@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl LOGON_HOURS_CONTROL::LOGON_HOURS_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION) __ptr64 +??0LOGON_HOURS_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@@Z +; public: __cdecl MAGIC_GROUP::MAGIC_GROUP(class OWNER_WINDOW * __ptr64,unsigned int,int,unsigned int,class CONTROL_GROUP * __ptr64) __ptr64 +??0MAGIC_GROUP@@QEAA@PEAVOWNER_WINDOW@@IHIPEAVCONTROL_GROUP@@@Z +; public: __cdecl MASK_MAP::MASK_MAP(void) __ptr64 +??0MASK_MAP@@QEAA@XZ +; public: __cdecl MEMORY_DC::MEMORY_DC(class DEVICE_CONTEXT & __ptr64) __ptr64 +??0MEMORY_DC@@QEAA@AEAVDEVICE_CONTEXT@@@Z +; protected: __cdecl MENUITEM::MENUITEM(struct HMENU__ * __ptr64,unsigned int) __ptr64 +??0MENUITEM@@IEAA@PEAUHMENU__@@I@Z +; public: __cdecl MENUITEM::MENUITEM(class APP_WINDOW * __ptr64,unsigned int) __ptr64 +??0MENUITEM@@QEAA@PEAVAPP_WINDOW@@I@Z +; protected: __cdecl MENU_BASE::MENU_BASE(struct HMENU__ * __ptr64) __ptr64 +??0MENU_BASE@@IEAA@PEAUHMENU__@@@Z +; public: __cdecl METER::METER(class OWNER_WINDOW * __ptr64,unsigned int,unsigned long) __ptr64 +??0METER@@QEAA@PEAVOWNER_WINDOW@@IK@Z +; public: __cdecl METER::METER(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned long) __ptr64 +??0METER@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KK@Z +; public: __cdecl MLE::MLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0MLE@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl MLE::MLE(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int) __ptr64 +??0MLE@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGI@Z +; public: __cdecl MLE_FONT::MLE_FONT(class OWNER_WINDOW * __ptr64,unsigned int,enum FontType) __ptr64 +??0MLE_FONT@@QEAA@PEAVOWNER_WINDOW@@IW4FontType@@@Z +; public: __cdecl MLT::MLT(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0MLT@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl MLT::MLT(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0MLT@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl MLT_FONT::MLT_FONT(class OWNER_WINDOW * __ptr64,unsigned int,enum FontType) __ptr64 +??0MLT_FONT@@QEAA@PEAVOWNER_WINDOW@@IW4FontType@@@Z +; public: __cdecl MOUSE_EVENT::MOUSE_EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0MOUSE_EVENT@@QEAA@I_K_J@Z +; public: __cdecl MSGPOPUP_DIALOG::MSGPOPUP_DIALOG(struct HWND__ * __ptr64,class NLS_STR const & __ptr64,long,enum MSG_SEVERITY,unsigned long,unsigned int,unsigned int,long,unsigned long) __ptr64 +??0MSGPOPUP_DIALOG@@QEAA@PEAUHWND__@@AEBVNLS_STR@@JW4MSG_SEVERITY@@KIIJK@Z +; protected: __cdecl MSG_DIALOG_BASE::MSG_DIALOG_BASE(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned int) __ptr64 +??0MSG_DIALOG_BASE@@IEAA@PEAUHWND__@@PEBGI@Z +; public: __cdecl NT_FIND_ACCOUNT_DIALOG::NT_FIND_ACCOUNT_DIALOG(struct HWND__ * __ptr64,class NT_USER_BROWSER_DIALOG * __ptr64,class BROWSER_DOMAIN_CB * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0NT_FIND_ACCOUNT_DIALOG@@QEAA@PEAUHWND__@@PEAVNT_USER_BROWSER_DIALOG@@PEAVBROWSER_DOMAIN_CB@@PEBGK@Z +; public: __cdecl NT_GLOBALGROUP_BROWSER_DIALOG::NT_GLOBALGROUP_BROWSER_DIALOG(struct HWND__ * __ptr64,class NT_USER_BROWSER_DIALOG * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,class OS_SID const * __ptr64,class SAM_DOMAIN const * __ptr64,class LSA_POLICY * __ptr64,unsigned short const * __ptr64) __ptr64 +??0NT_GLOBALGROUP_BROWSER_DIALOG@@QEAA@PEAUHWND__@@PEAVNT_USER_BROWSER_DIALOG@@PEBG2PEBVOS_SID@@PEBVSAM_DOMAIN@@PEAVLSA_POLICY@@2@Z +; public: __cdecl NT_GROUP_BROWSER_DIALOG::NT_GROUP_BROWSER_DIALOG(unsigned short const * __ptr64,struct HWND__ * __ptr64,class NT_USER_BROWSER_DIALOG * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0NT_GROUP_BROWSER_DIALOG@@QEAA@PEBGPEAUHWND__@@PEAVNT_USER_BROWSER_DIALOG@@00@Z +; public: __cdecl NT_GROUP_BROWSER_LB::NT_GROUP_BROWSER_LB(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0NT_GROUP_BROWSER_LB@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl NT_LOCALGROUP_BROWSER_DIALOG::NT_LOCALGROUP_BROWSER_DIALOG(struct HWND__ * __ptr64,class NT_USER_BROWSER_DIALOG * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,class OS_SID const * __ptr64,class SAM_DOMAIN const * __ptr64,class SAM_DOMAIN const * __ptr64,class LSA_POLICY * __ptr64,unsigned short const * __ptr64) __ptr64 +??0NT_LOCALGROUP_BROWSER_DIALOG@@QEAA@PEAUHWND__@@PEAVNT_USER_BROWSER_DIALOG@@PEBG2PEBVOS_SID@@PEBVSAM_DOMAIN@@4PEAVLSA_POLICY@@2@Z +; public: __cdecl NT_USER_BROWSER_DIALOG::NT_USER_BROWSER_DIALOG(unsigned short const * __ptr64,struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long,class ADMIN_AUTHORITY const * __ptr64) __ptr64 +??0NT_USER_BROWSER_DIALOG@@QEAA@PEBGPEAUHWND__@@0KK0KKKPEBVADMIN_AUTHORITY@@@Z +; public: __cdecl OLLB_ENTRY::OLLB_ENTRY(enum OUTLINE_LB_LEVEL,int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +??0OLLB_ENTRY@@QEAA@W4OUTLINE_LB_LEVEL@@HPEBG11@Z +; public: __cdecl OPEN_DIALOG_BASE::OPEN_DIALOG_BASE(struct HWND__ * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,class OPEN_LBOX_BASE * __ptr64) __ptr64 +??0OPEN_DIALOG_BASE@@QEAA@PEAUHWND__@@IIIIIPEBG1PEAVOPEN_LBOX_BASE@@@Z +; public: __cdecl OPEN_LBI_BASE::OPEN_LBI_BASE(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned long,unsigned long) __ptr64 +??0OPEN_LBI_BASE@@QEAA@PEBG0KKK@Z +; public: __cdecl OPEN_LBOX_BASE::OPEN_LBOX_BASE(class OWNER_WINDOW * __ptr64,unsigned int,class NLS_STR const & __ptr64,class NLS_STR const & __ptr64) __ptr64 +??0OPEN_LBOX_BASE@@QEAA@PEAVOWNER_WINDOW@@IAEBVNLS_STR@@1@Z +; public: __cdecl ORDER_GROUP::ORDER_GROUP(class STRING_LISTBOX * __ptr64,class BUTTON_CONTROL * __ptr64,class BUTTON_CONTROL * __ptr64,class CONTROL_GROUP * __ptr64) __ptr64 +??0ORDER_GROUP@@QEAA@PEAVSTRING_LISTBOX@@PEAVBUTTON_CONTROL@@1PEAVCONTROL_GROUP@@@Z +; public: __cdecl OUTLINE_LISTBOX::OUTLINE_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,int) __ptr64 +??0OUTLINE_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IH@Z +; public: __cdecl OWNER_WINDOW::OWNER_WINDOW(unsigned short const * __ptr64,unsigned long,class WINDOW const * __ptr64) __ptr64 +??0OWNER_WINDOW@@QEAA@PEBGKPEBVWINDOW@@@Z +; public: __cdecl OWNER_WINDOW::OWNER_WINDOW(void) __ptr64 +??0OWNER_WINDOW@@QEAA@XZ +; public: __cdecl OWNINGWND::OWNINGWND(struct HWND__ * __ptr64) __ptr64 +??0OWNINGWND@@QEAA@PEAUHWND__@@@Z +; public: __cdecl OWNINGWND::OWNINGWND(class OWNER_WINDOW const * __ptr64) __ptr64 +??0OWNINGWND@@QEAA@PEBVOWNER_WINDOW@@@Z +; public: __cdecl PAINT_DISPLAY_CONTEXT::PAINT_DISPLAY_CONTEXT(class WINDOW * __ptr64) __ptr64 +??0PAINT_DISPLAY_CONTEXT@@QEAA@PEAVWINDOW@@@Z +; public: __cdecl PASSWORD_CONTROL::PASSWORD_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0PASSWORD_CONTROL@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl PASSWORD_CONTROL::PASSWORD_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int) __ptr64 +??0PASSWORD_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGI@Z +; public: __cdecl POPUP::POPUP(struct HWND__ * __ptr64,long,enum MSG_SEVERITY,unsigned int,unsigned int,int) __ptr64 +??0POPUP@@QEAA@PEAUHWND__@@JW4MSG_SEVERITY@@IIH@Z +; public: __cdecl POPUP::POPUP(struct HWND__ * __ptr64,long,enum MSG_SEVERITY,unsigned long,unsigned int,class NLS_STR const * __ptr64 * __ptr64,unsigned int) __ptr64 +??0POPUP@@QEAA@PEAUHWND__@@JW4MSG_SEVERITY@@KIPEAPEBVNLS_STR@@I@Z +; public: __cdecl POPUP_MENU::POPUP_MENU(class IDRESOURCE & __ptr64) __ptr64 +??0POPUP_MENU@@QEAA@AEAVIDRESOURCE@@@Z +; public: __cdecl POPUP_MENU::POPUP_MENU(class PWND2HWND const & __ptr64) __ptr64 +??0POPUP_MENU@@QEAA@AEBVPWND2HWND@@@Z +; public: __cdecl POPUP_MENU::POPUP_MENU(struct HMENU__ * __ptr64) __ptr64 +??0POPUP_MENU@@QEAA@PEAUHMENU__@@@Z +; public: __cdecl POPUP_MENU::POPUP_MENU(void) __ptr64 +??0POPUP_MENU@@QEAA@XZ +; public: __cdecl PROC_INSTANCE::PROC_INSTANCE(unsigned __int64) __ptr64 +??0PROC_INSTANCE@@QEAA@_K@Z +; public: __cdecl PROC_TIMER::PROC_TIMER(struct HWND__ * __ptr64,unsigned __int64,unsigned long,int) __ptr64 +??0PROC_TIMER@@QEAA@PEAUHWND__@@_KKH@Z +; public: __cdecl PROGRESS_CONTROL::PROGRESS_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int) __ptr64 +??0PROGRESS_CONTROL@@QEAA@PEAVOWNER_WINDOW@@III@Z +; public: __cdecl PROMPT_AND_CONNECT::PROMPT_AND_CONNECT(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned long,unsigned int,unsigned short const * __ptr64) __ptr64 +??0PROMPT_AND_CONNECT@@QEAA@PEAUHWND__@@PEBGKI1@Z +; public: __cdecl PROMPT_FOR_ANY_DC_DLG::PROMPT_FOR_ANY_DC_DLG(class PWND2HWND & __ptr64,unsigned long,class NLS_STR const * __ptr64,class PWND2HWND * __ptr64) __ptr64 +??0PROMPT_FOR_ANY_DC_DLG@@QEAA@AEAVPWND2HWND@@KPEBVNLS_STR@@PEAV2@@Z +; public: __cdecl PUSH_BUTTON::PUSH_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0PUSH_BUTTON@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl PUSH_BUTTON::PUSH_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0PUSH_BUTTON@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl PWND2HWND::PWND2HWND(struct HWND__ * __ptr64) __ptr64 +??0PWND2HWND@@QEAA@PEAUHWND__@@@Z +; public: __cdecl RADIO_BUTTON::RADIO_BUTTON(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0RADIO_BUTTON@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl RADIO_GROUP::RADIO_GROUP(class OWNER_WINDOW * __ptr64,unsigned int,int,unsigned int,class CONTROL_GROUP * __ptr64) __ptr64 +??0RADIO_GROUP@@QEAA@PEAVOWNER_WINDOW@@IHIPEAVCONTROL_GROUP@@@Z +; public: __cdecl RESOURCE_PASSWORD_DIALOG::RESOURCE_PASSWORD_DIALOG(struct HWND__ * __ptr64,unsigned short const * __ptr64,unsigned int,unsigned long) __ptr64 +??0RESOURCE_PASSWORD_DIALOG@@QEAA@PEAUHWND__@@PEBGIK@Z +; public: __cdecl RESOURCE_STR::RESOURCE_STR(long) __ptr64 +??0RESOURCE_STR@@QEAA@J@Z +; public: __cdecl RITER_DL_SPIN_ITEM::RITER_DL_SPIN_ITEM(class DLIST & __ptr64) __ptr64 +??0RITER_DL_SPIN_ITEM@@QEAA@AEAVDLIST@@@Z +; public: __cdecl SCREEN_DC::SCREEN_DC(void) __ptr64 +??0SCREEN_DC@@QEAA@XZ +; public: __cdecl SCROLLBAR::SCROLLBAR(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0SCROLLBAR@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl SCROLL_EVENT::SCROLL_EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0SCROLL_EVENT@@QEAA@I_K_J@Z +; public: __cdecl SET_CONTROL::SET_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,struct HICON__ * __ptr64,struct HICON__ * __ptr64,class LISTBOX * __ptr64,class LISTBOX * __ptr64,unsigned int) __ptr64 +??0SET_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IIPEAUHICON__@@1PEAVLISTBOX@@2I@Z +; public: __cdecl SET_OF_AUDIT_CATEGORIES::SET_OF_AUDIT_CATEGORIES(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,class MASK_MAP * __ptr64,class BITFIELD * __ptr64,class BITFIELD * __ptr64,int) __ptr64 +??0SET_OF_AUDIT_CATEGORIES@@QEAA@PEAVOWNER_WINDOW@@IIIPEAVMASK_MAP@@PEAVBITFIELD@@2H@Z +; public: __cdecl SLE::SLE(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int) __ptr64 +??0SLE@@QEAA@PEAVOWNER_WINDOW@@II@Z +; public: __cdecl SLE::SLE(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int) __ptr64 +??0SLE@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGI@Z +; public: __cdecl SLE_FONT::SLE_FONT(class OWNER_WINDOW * __ptr64,unsigned int,enum FontType) __ptr64 +??0SLE_FONT@@QEAA@PEAVOWNER_WINDOW@@IW4FontType@@@Z +; public: __cdecl SLE_STRIP::SLE_STRIP(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,int) __ptr64 +??0SLE_STRIP@@QEAA@PEAVOWNER_WINDOW@@IIH@Z +; public: __cdecl SLE_STRIP::SLE_STRIP(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,unsigned int,int) __ptr64 +??0SLE_STRIP@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGIH@Z +; public: __cdecl SLE_STRLB_GROUP::SLE_STRLB_GROUP(class OWNER_WINDOW * __ptr64,class SLE * __ptr64,class STRING_LISTBOX * __ptr64,class PUSH_BUTTON * __ptr64,class PUSH_BUTTON * __ptr64) __ptr64 +??0SLE_STRLB_GROUP@@QEAA@PEAVOWNER_WINDOW@@PEAVSLE@@PEAVSTRING_LISTBOX@@PEAVPUSH_BUTTON@@3@Z +; public: __cdecl SLIST_OF_ASSOCHCFILE::SLIST_OF_ASSOCHCFILE(int) __ptr64 +??0SLIST_OF_ASSOCHCFILE@@QEAA@H@Z +; public: __cdecl SLIST_OF_CLIENTDATA::SLIST_OF_CLIENTDATA(int) __ptr64 +??0SLIST_OF_CLIENTDATA@@QEAA@H@Z +; public: __cdecl SLIST_OF_OS_SID::SLIST_OF_OS_SID(int) __ptr64 +??0SLIST_OF_OS_SID@@QEAA@H@Z +; public: __cdecl SLIST_OF_STRING_BITSET_PAIR::SLIST_OF_STRING_BITSET_PAIR(int) __ptr64 +??0SLIST_OF_STRING_BITSET_PAIR@@QEAA@H@Z +; public: __cdecl SLIST_OF_TIMER_BASE::SLIST_OF_TIMER_BASE(int) __ptr64 +??0SLIST_OF_TIMER_BASE@@QEAA@H@Z +; public: __cdecl SLIST_OF_UI_EXT::SLIST_OF_UI_EXT(int) __ptr64 +??0SLIST_OF_UI_EXT@@QEAA@H@Z +; public: __cdecl SLIST_OF_ULC_API_BUFFER::SLIST_OF_ULC_API_BUFFER(int) __ptr64 +??0SLIST_OF_ULC_API_BUFFER@@QEAA@H@Z +; public: __cdecl SLIST_OF_USER_BROWSER_LBI::SLIST_OF_USER_BROWSER_LBI(int) __ptr64 +??0SLIST_OF_USER_BROWSER_LBI@@QEAA@H@Z +; public: __cdecl SLT::SLT(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0SLT@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl SLT::SLT(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0SLT@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl SLT_ELLIPSIS::SLT_ELLIPSIS(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,enum ELLIPSIS_STYLE) __ptr64 +??0SLT_ELLIPSIS@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGW4ELLIPSIS_STYLE@@@Z +; public: __cdecl SLT_ELLIPSIS::SLT_ELLIPSIS(class OWNER_WINDOW * __ptr64,unsigned int,enum ELLIPSIS_STYLE) __ptr64 +??0SLT_ELLIPSIS@@QEAA@PEAVOWNER_WINDOW@@IW4ELLIPSIS_STYLE@@@Z +; public: __cdecl SLT_FONT::SLT_FONT(class OWNER_WINDOW * __ptr64,unsigned int,enum FontType) __ptr64 +??0SLT_FONT@@QEAA@PEAVOWNER_WINDOW@@IW4FontType@@@Z +; public: __cdecl SOLID_BRUSH::SOLID_BRUSH(int) __ptr64 +??0SOLID_BRUSH@@QEAA@H@Z +; public: __cdecl SPIN_GROUP::SPIN_GROUP(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,int) __ptr64 +??0SPIN_GROUP@@QEAA@PEAVOWNER_WINDOW@@IIIH@Z +; public: __cdecl SPIN_GROUP::SPIN_GROUP(class OWNER_WINDOW * __ptr64,unsigned int,unsigned int,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,int) __ptr64 +??0SPIN_GROUP@@QEAA@PEAVOWNER_WINDOW@@IIIVXYPOINT@@VXYDIMENSION@@KH@Z +; public: __cdecl SPIN_ITEM::SPIN_ITEM(class CONTROL_WINDOW * __ptr64) __ptr64 +??0SPIN_ITEM@@QEAA@PEAVCONTROL_WINDOW@@@Z +; public: __cdecl SPIN_SLE_NUM::SPIN_SLE_NUM(class OWNER_WINDOW * __ptr64,unsigned int,unsigned long,unsigned long,unsigned long,int,unsigned int) __ptr64 +??0SPIN_SLE_NUM@@QEAA@PEAVOWNER_WINDOW@@IKKKHI@Z +; public: __cdecl SPIN_SLE_NUM::SPIN_SLE_NUM(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned long,unsigned long,unsigned long,int,unsigned int) __ptr64 +??0SPIN_SLE_NUM@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KKKKHI@Z +; public: __cdecl SPIN_SLE_NUM_VALID::SPIN_SLE_NUM_VALID(class OWNER_WINDOW * __ptr64,unsigned int,unsigned long,unsigned long,unsigned long,int) __ptr64 +??0SPIN_SLE_NUM_VALID@@QEAA@PEAVOWNER_WINDOW@@IKKKH@Z +; public: __cdecl SPIN_SLE_NUM_VALID::SPIN_SLE_NUM_VALID(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned long,unsigned long,unsigned long,int) __ptr64 +??0SPIN_SLE_NUM_VALID@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KKKKH@Z +; public: __cdecl SPIN_SLE_STR::SPIN_SLE_STR(class OWNER_WINDOW * __ptr64,unsigned int,long,long,int,unsigned int) __ptr64 +??0SPIN_SLE_STR@@QEAA@PEAVOWNER_WINDOW@@IJJHI@Z +; public: __cdecl SPIN_SLE_STR::SPIN_SLE_STR(class OWNER_WINDOW * __ptr64,unsigned int,long,long,class XYPOINT,class XYDIMENSION,unsigned long,int,unsigned int) __ptr64 +??0SPIN_SLE_STR@@QEAA@PEAVOWNER_WINDOW@@IJJVXYPOINT@@VXYDIMENSION@@KHI@Z +; public: __cdecl SPIN_SLE_STR::SPIN_SLE_STR(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64 * __ptr64 const,long,int,unsigned int) __ptr64 +??0SPIN_SLE_STR@@QEAA@PEAVOWNER_WINDOW@@IQEAPEBGJHI@Z +; public: __cdecl SPIN_SLE_STR::SPIN_SLE_STR(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64 * __ptr64 const,long,class XYPOINT,class XYDIMENSION,unsigned long,int,unsigned int) __ptr64 +??0SPIN_SLE_STR@@QEAA@PEAVOWNER_WINDOW@@IQEAPEBGJVXYPOINT@@VXYDIMENSION@@KHI@Z +; public: __cdecl SPIN_SLE_VALID_SECOND::SPIN_SLE_VALID_SECOND(class OWNER_WINDOW * __ptr64,unsigned int,long,long,long,long,int) __ptr64 +??0SPIN_SLE_VALID_SECOND@@QEAA@PEAVOWNER_WINDOW@@IJJJJH@Z +; public: __cdecl SPIN_SLT_SEPARATOR::SPIN_SLT_SEPARATOR(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0SPIN_SLT_SEPARATOR@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl SPIN_SLT_SEPARATOR::SPIN_SLT_SEPARATOR(class OWNER_WINDOW * __ptr64,unsigned int,unsigned short const * __ptr64,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0SPIN_SLT_SEPARATOR@@QEAA@PEAVOWNER_WINDOW@@IPEBGVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl STANDALONE_SET_FOCUS_DLG::STANDALONE_SET_FOCUS_DLG(struct HWND__ * __ptr64,class NLS_STR * __ptr64,unsigned long,enum SELECTION_TYPE,unsigned long,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +??0STANDALONE_SET_FOCUS_DLG@@QEAA@PEAUHWND__@@PEAVNLS_STR@@KW4SELECTION_TYPE@@KPEBG3K@Z +; protected: __cdecl STATE2_BUTTON_CONTROL::STATE2_BUTTON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0STATE2_BUTTON_CONTROL@@IEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl STATELB::STATELB(int * __ptr64 const,class OWNER_WINDOW * __ptr64,unsigned int,int,int,enum FontType) __ptr64 +??0STATELB@@QEAA@QEAHPEAVOWNER_WINDOW@@IHHW4FontType@@@Z +; public: __cdecl STATELBGRP::STATELBGRP(class STATELB * __ptr64) __ptr64 +??0STATELBGRP@@QEAA@PEAVSTATELB@@@Z +; public: __cdecl STATELBGRP::STATELBGRP(int * __ptr64 const,class OWNER_WINDOW * __ptr64,unsigned int,int,int,enum FontType) __ptr64 +??0STATELBGRP@@QEAA@QEAHPEAVOWNER_WINDOW@@IHHW4FontType@@@Z +; protected: __cdecl STATE_BUTTON_CONTROL::STATE_BUTTON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0STATE_BUTTON_CONTROL@@IEAA@PEAVOWNER_WINDOW@@I@Z +; protected: __cdecl STATE_BUTTON_CONTROL::STATE_BUTTON_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long) __ptr64 +??0STATE_BUTTON_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@K@Z +; public: __cdecl STATIC_SPIN_ITEM::STATIC_SPIN_ITEM(class CONTROL_WINDOW * __ptr64) __ptr64 +??0STATIC_SPIN_ITEM@@QEAA@PEAVCONTROL_WINDOW@@@Z +; public: __cdecl STATIC_TEXT_CONTROL::STATIC_TEXT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0STATIC_TEXT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl STATIC_TEXT_CONTROL::STATIC_TEXT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0STATIC_TEXT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl STLBITEM::STLBITEM(class STATELBGRP * __ptr64) __ptr64 +??0STLBITEM@@QEAA@PEAVSTATELBGRP@@@Z +; public: __cdecl STRING_BITSET_PAIR::STRING_BITSET_PAIR(class NLS_STR const & __ptr64,class BITFIELD const & __ptr64,int) __ptr64 +??0STRING_BITSET_PAIR@@QEAA@AEBVNLS_STR@@AEBVBITFIELD@@H@Z +; public: __cdecl STRING_LISTBOX::STRING_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64,enum FontType) __ptr64 +??0STRING_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBGW4FontType@@@Z +; public: __cdecl STRING_LISTBOX::STRING_LISTBOX(class OWNER_WINDOW * __ptr64,unsigned int,enum FontType) __ptr64 +??0STRING_LISTBOX@@QEAA@PEAVOWNER_WINDOW@@IW4FontType@@@Z +; protected: __cdecl STRING_LIST_CONTROL::STRING_LIST_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,int) __ptr64 +??0STRING_LIST_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IH@Z +; protected: __cdecl STRING_LIST_CONTROL::STRING_LIST_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0STRING_LIST_CONTROL@@IEAA@PEAVOWNER_WINDOW@@IHVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl STR_DTE::STR_DTE(unsigned short const * __ptr64) __ptr64 +??0STR_DTE@@QEAA@PEBG@Z +; public: __cdecl STR_DTE_ELLIPSIS::STR_DTE_ELLIPSIS(unsigned short const * __ptr64,class LISTBOX * __ptr64,enum ELLIPSIS_STYLE) __ptr64 +??0STR_DTE_ELLIPSIS@@QEAA@PEBGPEAVLISTBOX@@W4ELLIPSIS_STYLE@@@Z +; public: __cdecl SUBJECT_BITMAP_BLOCK::SUBJECT_BITMAP_BLOCK(void) __ptr64 +??0SUBJECT_BITMAP_BLOCK@@QEAA@XZ +; public: __cdecl SYSMENUITEM::SYSMENUITEM(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0SYSMENUITEM@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl SYSTEM_MENU::SYSTEM_MENU(class PWND2HWND const & __ptr64) __ptr64 +??0SYSTEM_MENU@@QEAA@AEBVPWND2HWND@@@Z +; public: __cdecl TEXT_CONTROL::TEXT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0TEXT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl TEXT_CONTROL::TEXT_CONTROL(class OWNER_WINDOW * __ptr64,unsigned int,class XYPOINT,class XYDIMENSION,unsigned long,unsigned short const * __ptr64) __ptr64 +??0TEXT_CONTROL@@QEAA@PEAVOWNER_WINDOW@@IVXYPOINT@@VXYDIMENSION@@KPEBG@Z +; public: __cdecl TIMER::TIMER(class TIMER_CALLOUT * __ptr64,unsigned long,int) __ptr64 +??0TIMER@@QEAA@PEAVTIMER_CALLOUT@@KH@Z +; public: __cdecl TIMER_BASE::TIMER_BASE(unsigned long,int) __ptr64 +??0TIMER_BASE@@QEAA@KH@Z +; public: __cdecl TIMER_EVENT::TIMER_EVENT(unsigned int,unsigned __int64,__int64) __ptr64 +??0TIMER_EVENT@@QEAA@I_K_J@Z +; public: __cdecl TIMER_WINDOW::TIMER_WINDOW(class BLT_MASTER_TIMER * __ptr64) __ptr64 +??0TIMER_WINDOW@@QEAA@PEAVBLT_MASTER_TIMER@@@Z +; public: __cdecl UI_DOMAIN::UI_DOMAIN(class PWND2HWND & __ptr64,unsigned long,unsigned short const * __ptr64,int) __ptr64 +??0UI_DOMAIN@@QEAA@AEAVPWND2HWND@@KPEBGH@Z +; protected: __cdecl UI_EXT::UI_EXT(unsigned short const * __ptr64,unsigned long) __ptr64 +??0UI_EXT@@IEAA@PEBGK@Z +; public: __cdecl UI_EXT_MGR::UI_EXT_MGR(class UI_EXT_MGR_IF * __ptr64,unsigned long,unsigned long) __ptr64 +??0UI_EXT_MGR@@QEAA@PEAVUI_EXT_MGR_IF@@KK@Z +; protected: __cdecl UI_EXT_MGR_IF::UI_EXT_MGR_IF(void) __ptr64 +??0UI_EXT_MGR_IF@@IEAA@XZ +; protected: __cdecl UI_MENU_EXT::UI_MENU_EXT(unsigned short const * __ptr64,unsigned long) __ptr64 +??0UI_MENU_EXT@@IEAA@PEBGK@Z +; public: __cdecl UI_MENU_EXT_MGR::UI_MENU_EXT_MGR(class UI_EXT_MGR_IF * __ptr64,unsigned long,unsigned long) __ptr64 +??0UI_MENU_EXT_MGR@@QEAA@PEAVUI_EXT_MGR_IF@@KK@Z +; public: __cdecl ULC_API_BUFFER::ULC_API_BUFFER(struct _DOMAIN_DISPLAY_USER * __ptr64,unsigned long) __ptr64 +??0ULC_API_BUFFER@@QEAA@PEAU_DOMAIN_DISPLAY_USER@@K@Z +; public: __cdecl USER_BROWSER_LB::USER_BROWSER_LB(class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +??0USER_BROWSER_LB@@QEAA@PEAVOWNER_WINDOW@@I@Z +; public: __cdecl USER_BROWSER_LBI::USER_BROWSER_LBI(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,void * __ptr64 const,enum UI_SystemSid,enum _SID_NAME_USE,unsigned long) __ptr64 +??0USER_BROWSER_LBI@@QEAA@PEBG0000QEAXW4UI_SystemSid@@W4_SID_NAME_USE@@K@Z +; public: __cdecl USER_BROWSER_LBI_CACHE::USER_BROWSER_LBI_CACHE(void) __ptr64 +??0USER_BROWSER_LBI_CACHE@@QEAA@XZ +; public: __cdecl USER_LBI_CACHE::USER_LBI_CACHE(int) __ptr64 +??0USER_LBI_CACHE@@QEAA@H@Z +; public: __cdecl USRLB_NT_GROUP_ENUM::USRLB_NT_GROUP_ENUM(class SAM_DOMAIN const * __ptr64) __ptr64 +??0USRLB_NT_GROUP_ENUM@@QEAA@PEBVSAM_DOMAIN@@@Z +; public: __cdecl WIN32_EVENT::WIN32_EVENT(unsigned short const * __ptr64,int,int) __ptr64 +??0WIN32_EVENT@@QEAA@PEBGHH@Z +; public: __cdecl WIN32_HANDLE::WIN32_HANDLE(void * __ptr64) __ptr64 +??0WIN32_HANDLE@@QEAA@PEAX@Z +; public: __cdecl WIN32_MUTEX::WIN32_MUTEX(unsigned short const * __ptr64,int) __ptr64 +??0WIN32_MUTEX@@QEAA@PEBGH@Z +; public: __cdecl WIN32_SEMAPHORE::WIN32_SEMAPHORE(unsigned short const * __ptr64,long,long) __ptr64 +??0WIN32_SEMAPHORE@@QEAA@PEBGJJ@Z +; protected: __cdecl WIN32_SYNC_BASE::WIN32_SYNC_BASE(void * __ptr64) __ptr64 +??0WIN32_SYNC_BASE@@IEAA@PEAX@Z +; public: __cdecl WIN32_THREAD::WIN32_THREAD(int,unsigned int,unsigned short const * __ptr64) __ptr64 +??0WIN32_THREAD@@QEAA@HIPEBG@Z +; public: __cdecl WINDOW::WINDOW(class WINDOW const & __ptr64) __ptr64 +??0WINDOW@@QEAA@AEBV0@@Z +; public: __cdecl WINDOW::WINDOW(struct HWND__ * __ptr64) __ptr64 +??0WINDOW@@QEAA@PEAUHWND__@@@Z +; public: __cdecl WINDOW::WINDOW(unsigned short const * __ptr64,unsigned long,class WINDOW const * __ptr64,unsigned int) __ptr64 +??0WINDOW@@QEAA@PEBGKPEBV0@I@Z +; public: __cdecl WINDOW::WINDOW(void) __ptr64 +??0WINDOW@@QEAA@XZ +; public: __cdecl WINDOW_TIMER::WINDOW_TIMER(struct HWND__ * __ptr64,unsigned long,int,int) __ptr64 +??0WINDOW_TIMER@@QEAA@PEAUHWND__@@KHH@Z +; public: __cdecl WIN_ELLIPSIS::WIN_ELLIPSIS(class WINDOW * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,enum ELLIPSIS_STYLE) __ptr64 +??0WIN_ELLIPSIS@@QEAA@PEAVWINDOW@@PEAUHDC__@@PEBUtagRECT@@W4ELLIPSIS_STYLE@@@Z +; public: __cdecl WIN_ELLIPSIS::WIN_ELLIPSIS(class WINDOW * __ptr64,enum ELLIPSIS_STYLE) __ptr64 +??0WIN_ELLIPSIS@@QEAA@PEAVWINDOW@@W4ELLIPSIS_STYLE@@@Z +; public: __cdecl XYDIMENSION::XYDIMENSION(struct tagSIZE const & __ptr64) __ptr64 +??0XYDIMENSION@@QEAA@AEBUtagSIZE@@@Z +; public: __cdecl XYDIMENSION::XYDIMENSION(unsigned int,unsigned int) __ptr64 +??0XYDIMENSION@@QEAA@II@Z +; public: __cdecl XYPOINT::XYPOINT(struct tagPOINT const & __ptr64) __ptr64 +??0XYPOINT@@QEAA@AEBUtagPOINT@@@Z +; public: __cdecl XYPOINT::XYPOINT(int,int) __ptr64 +??0XYPOINT@@QEAA@HH@Z +; public: __cdecl XYPOINT::XYPOINT(__int64) __ptr64 +??0XYPOINT@@QEAA@_J@Z +; public: __cdecl XYRECT::XYRECT(struct tagRECT const & __ptr64) __ptr64 +??0XYRECT@@QEAA@AEBUtagRECT@@@Z +; public: __cdecl XYRECT::XYRECT(class XYRECT const & __ptr64) __ptr64 +??0XYRECT@@QEAA@AEBV0@@Z +; public: __cdecl XYRECT::XYRECT(int,int,int,int) __ptr64 +??0XYRECT@@QEAA@HHHH@Z +; public: __cdecl XYRECT::XYRECT(struct HWND__ * __ptr64,int) __ptr64 +??0XYRECT@@QEAA@PEAUHWND__@@H@Z +; public: __cdecl XYRECT::XYRECT(class WINDOW const * __ptr64,int) __ptr64 +??0XYRECT@@QEAA@PEBVWINDOW@@H@Z +; public: __cdecl XYRECT::XYRECT(class XYPOINT,class XYPOINT) __ptr64 +??0XYRECT@@QEAA@VXYPOINT@@0@Z +; public: __cdecl XYRECT::XYRECT(class XYPOINT,class XYDIMENSION) __ptr64 +??0XYRECT@@QEAA@VXYPOINT@@VXYDIMENSION@@@Z +; public: __cdecl XYRECT::XYRECT(void) __ptr64 +??0XYRECT@@QEAA@XZ +; public: __cdecl ACCELTABLE::~ACCELTABLE(void) __ptr64 +??1ACCELTABLE@@QEAA@XZ +; public: __cdecl ACCOUNT_NAMES_MLE::~ACCOUNT_NAMES_MLE(void) __ptr64 +??1ACCOUNT_NAMES_MLE@@QEAA@XZ +; public: __cdecl ALIAS_STR::~ALIAS_STR(void) __ptr64 +??1ALIAS_STR@@QEAA@XZ +; public: __cdecl ALLOC_STR::~ALLOC_STR(void) __ptr64 +??1ALLOC_STR@@QEAA@XZ +; protected: __cdecl APPLICATION::~APPLICATION(void) __ptr64 +??1APPLICATION@@IEAA@XZ +; protected: __cdecl APP_WINDOW::~APP_WINDOW(void) __ptr64 +??1APP_WINDOW@@IEAA@XZ +; public: __cdecl ARRAY_CONTROLVAL_CID_PAIR::~ARRAY_CONTROLVAL_CID_PAIR(void) __ptr64 +??1ARRAY_CONTROLVAL_CID_PAIR@@QEAA@XZ +; public: __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::~ARRAY_LIST_CONTROLVAL_CID_PAIR(void) __ptr64 +??1ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAA@XZ +; public: __cdecl ARROW_BUTTON::~ARROW_BUTTON(void) __ptr64 +??1ARROW_BUTTON@@QEAA@XZ +; public: __cdecl ASSOCHCFILE::~ASSOCHCFILE(void) __ptr64 +??1ASSOCHCFILE@@QEAA@XZ +; public: __cdecl ASSOCHWNDDISP::~ASSOCHWNDDISP(void) __ptr64 +??1ASSOCHWNDDISP@@QEAA@XZ +; public: __cdecl ASSOCHWNDPDLG::~ASSOCHWNDPDLG(void) __ptr64 +??1ASSOCHWNDPDLG@@QEAA@XZ +; public: __cdecl ASSOCHWNDPWND::~ASSOCHWNDPWND(void) __ptr64 +??1ASSOCHWNDPWND@@QEAA@XZ +; public: __cdecl ASSOCHWNDTHIS::~ASSOCHWNDTHIS(void) __ptr64 +??1ASSOCHWNDTHIS@@QEAA@XZ +; protected: __cdecl ATOM_BASE::~ATOM_BASE(void) __ptr64 +??1ATOM_BASE@@IEAA@XZ +; public: __cdecl AUDIT_CHECKBOXES::~AUDIT_CHECKBOXES(void) __ptr64 +??1AUDIT_CHECKBOXES@@QEAA@XZ +; public: __cdecl AUTO_CURSOR::~AUTO_CURSOR(void) __ptr64 +??1AUTO_CURSOR@@QEAA@XZ +; public: __cdecl BASE_ELLIPSIS::~BASE_ELLIPSIS(void) __ptr64 +??1BASE_ELLIPSIS@@QEAA@XZ +; public: __cdecl BASE_PASSWORD_DIALOG::~BASE_PASSWORD_DIALOG(void) __ptr64 +??1BASE_PASSWORD_DIALOG@@QEAA@XZ +; public: __cdecl BASE_SET_FOCUS_DLG::~BASE_SET_FOCUS_DLG(void) __ptr64 +??1BASE_SET_FOCUS_DLG@@QEAA@XZ +; public: __cdecl BIT_MAP::~BIT_MAP(void) __ptr64 +??1BIT_MAP@@QEAA@XZ +; public: __cdecl BLT_BACKGROUND_EDIT::~BLT_BACKGROUND_EDIT(void) __ptr64 +??1BLT_BACKGROUND_EDIT@@QEAA@XZ +; public: __cdecl BLT_COMBOBOX::~BLT_COMBOBOX(void) __ptr64 +??1BLT_COMBOBOX@@QEAA@XZ +; public: __cdecl BLT_DATE_SPIN_GROUP::~BLT_DATE_SPIN_GROUP(void) __ptr64 +??1BLT_DATE_SPIN_GROUP@@QEAA@XZ +; public: __cdecl BLT_LISTBOX::~BLT_LISTBOX(void) __ptr64 +??1BLT_LISTBOX@@QEAA@XZ +; public: __cdecl BLT_MASTER_TIMER::~BLT_MASTER_TIMER(void) __ptr64 +??1BLT_MASTER_TIMER@@QEAA@XZ +; public: __cdecl BLT_SCRATCH::~BLT_SCRATCH(void) __ptr64 +??1BLT_SCRATCH@@QEAA@XZ +; public: __cdecl BLT_TIME_SPIN_GROUP::~BLT_TIME_SPIN_GROUP(void) __ptr64 +??1BLT_TIME_SPIN_GROUP@@QEAA@XZ +; public: __cdecl BROWSER_DOMAIN::~BROWSER_DOMAIN(void) __ptr64 +??1BROWSER_DOMAIN@@QEAA@XZ +; public: __cdecl BROWSER_DOMAIN_CB::~BROWSER_DOMAIN_CB(void) __ptr64 +??1BROWSER_DOMAIN_CB@@QEAA@XZ +; public: __cdecl BROWSER_DOMAIN_LB::~BROWSER_DOMAIN_LB(void) __ptr64 +??1BROWSER_DOMAIN_LB@@QEAA@XZ +; public: virtual __cdecl BROWSER_DOMAIN_LBI::~BROWSER_DOMAIN_LBI(void) __ptr64 +??1BROWSER_DOMAIN_LBI@@UEAA@XZ +; public: virtual __cdecl BROWSER_DOMAIN_LBI_PB::~BROWSER_DOMAIN_LBI_PB(void) __ptr64 +??1BROWSER_DOMAIN_LBI_PB@@UEAA@XZ +; public: __cdecl BROWSER_SUBJECT::~BROWSER_SUBJECT(void) __ptr64 +??1BROWSER_SUBJECT@@QEAA@XZ +; public: __cdecl BROWSER_SUBJECT_ITER::~BROWSER_SUBJECT_ITER(void) __ptr64 +??1BROWSER_SUBJECT_ITER@@QEAA@XZ +; public: __cdecl BUTTON_CONTROL::~BUTTON_CONTROL(void) __ptr64 +??1BUTTON_CONTROL@@QEAA@XZ +; public: __cdecl CANCEL_TASK_DIALOG::~CANCEL_TASK_DIALOG(void) __ptr64 +??1CANCEL_TASK_DIALOG@@QEAA@XZ +; public: __cdecl CHANGEABLE_SPIN_ITEM::~CHANGEABLE_SPIN_ITEM(void) __ptr64 +??1CHANGEABLE_SPIN_ITEM@@QEAA@XZ +; public: __cdecl CHECKBOX::~CHECKBOX(void) __ptr64 +??1CHECKBOX@@QEAA@XZ +; public: __cdecl CLIENT_WINDOW::~CLIENT_WINDOW(void) __ptr64 +??1CLIENT_WINDOW@@QEAA@XZ +; public: __cdecl COMBOBOX::~COMBOBOX(void) __ptr64 +??1COMBOBOX@@QEAA@XZ +; public: __cdecl CONTROL_TABLE::~CONTROL_TABLE(void) __ptr64 +??1CONTROL_TABLE@@QEAA@XZ +; public: __cdecl CONTROL_WINDOW::~CONTROL_WINDOW(void) __ptr64 +??1CONTROL_WINDOW@@QEAA@XZ +; public: __cdecl CUSTOM_CONTROL::~CUSTOM_CONTROL(void) __ptr64 +??1CUSTOM_CONTROL@@QEAA@XZ +; public: __cdecl DEC_SLT::~DEC_SLT(void) __ptr64 +??1DEC_SLT@@QEAA@XZ +; public: __cdecl DEC_STR::~DEC_STR(void) __ptr64 +??1DEC_STR@@QEAA@XZ +; public: __cdecl DIALOG_WINDOW::~DIALOG_WINDOW(void) __ptr64 +??1DIALOG_WINDOW@@QEAA@XZ +; protected: __cdecl DISPATCHER::~DISPATCHER(void) __ptr64 +??1DISPATCHER@@IEAA@XZ +; public: __cdecl DISPLAY_CONTEXT::~DISPLAY_CONTEXT(void) __ptr64 +??1DISPLAY_CONTEXT@@QEAA@XZ +; public: __cdecl DISPLAY_MAP::~DISPLAY_MAP(void) __ptr64 +??1DISPLAY_MAP@@QEAA@XZ +; public: __cdecl DLGLOAD::~DLGLOAD(void) __ptr64 +??1DLGLOAD@@QEAA@XZ +; public: __cdecl DLIST_OF_SPIN_ITEM::~DLIST_OF_SPIN_ITEM(void) __ptr64 +??1DLIST_OF_SPIN_ITEM@@QEAA@XZ +; public: __cdecl DMID_DTE::~DMID_DTE(void) __ptr64 +??1DMID_DTE@@QEAA@XZ +; public: virtual __cdecl DOMAIN_FILL_THREAD::~DOMAIN_FILL_THREAD(void) __ptr64 +??1DOMAIN_FILL_THREAD@@UEAA@XZ +; public: __cdecl EDIT_CONTROL::~EDIT_CONTROL(void) __ptr64 +??1EDIT_CONTROL@@QEAA@XZ +; protected: __cdecl ENUM_OBJ_BASE::~ENUM_OBJ_BASE(void) __ptr64 +??1ENUM_OBJ_BASE@@IEAA@XZ +; public: __cdecl EXPANDABLE_DIALOG::~EXPANDABLE_DIALOG(void) __ptr64 +??1EXPANDABLE_DIALOG@@QEAA@XZ +; public: __cdecl FILE3_ENUM::~FILE3_ENUM(void) __ptr64 +??1FILE3_ENUM@@QEAA@XZ +; public: __cdecl FILE3_ENUM_ITER::~FILE3_ENUM_ITER(void) __ptr64 +??1FILE3_ENUM_ITER@@QEAA@XZ +; public: __cdecl FILE3_ENUM_OBJ::~FILE3_ENUM_OBJ(void) __ptr64 +??1FILE3_ENUM_OBJ@@QEAA@XZ +; public: virtual __cdecl FOCUSDLG_DATA_THREAD::~FOCUSDLG_DATA_THREAD(void) __ptr64 +??1FOCUSDLG_DATA_THREAD@@UEAA@XZ +; public: __cdecl FOCUS_CHECKBOX::~FOCUS_CHECKBOX(void) __ptr64 +??1FOCUS_CHECKBOX@@QEAA@XZ +; public: __cdecl FONT::~FONT(void) __ptr64 +??1FONT@@QEAA@XZ +; protected: __cdecl GET_FNAME_BASE_DLG::~GET_FNAME_BASE_DLG(void) __ptr64 +??1GET_FNAME_BASE_DLG@@IEAA@XZ +; public: __cdecl GLOBAL_ATOM::~GLOBAL_ATOM(void) __ptr64 +??1GLOBAL_ATOM@@QEAA@XZ +; public: __cdecl GRAPHICAL_BUTTON::~GRAPHICAL_BUTTON(void) __ptr64 +??1GRAPHICAL_BUTTON@@QEAA@XZ +; public: __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::~GRAPHICAL_BUTTON_WITH_DISABLE(void) __ptr64 +??1GRAPHICAL_BUTTON_WITH_DISABLE@@QEAA@XZ +; public: __cdecl HAW_FOR_HAWAII_INFO::~HAW_FOR_HAWAII_INFO(void) __ptr64 +??1HAW_FOR_HAWAII_INFO@@QEAA@XZ +; public: __cdecl HEX_STR::~HEX_STR(void) __ptr64 +??1HEX_STR@@QEAA@XZ +; public: virtual __cdecl HIER_LBI::~HIER_LBI(void) __ptr64 +??1HIER_LBI@@UEAA@XZ +; public: __cdecl HIER_LBI_ITERATOR::~HIER_LBI_ITERATOR(void) __ptr64 +??1HIER_LBI_ITERATOR@@QEAA@XZ +; public: __cdecl HIER_LISTBOX::~HIER_LISTBOX(void) __ptr64 +??1HIER_LISTBOX@@QEAA@XZ +; public: __cdecl H_SPLITTER_BAR::~H_SPLITTER_BAR(void) __ptr64 +??1H_SPLITTER_BAR@@QEAA@XZ +; public: __cdecl ICANON_SLE::~ICANON_SLE(void) __ptr64 +??1ICANON_SLE@@QEAA@XZ +; public: __cdecl ICON_CONTROL::~ICON_CONTROL(void) __ptr64 +??1ICON_CONTROL@@QEAA@XZ +; public: __cdecl ITER_DL_SPIN_ITEM::~ITER_DL_SPIN_ITEM(void) __ptr64 +??1ITER_DL_SPIN_ITEM@@QEAA@XZ +; public: __cdecl ITER_SL_ASSOCHCFILE::~ITER_SL_ASSOCHCFILE(void) __ptr64 +??1ITER_SL_ASSOCHCFILE@@QEAA@XZ +; public: __cdecl ITER_SL_CLIENTDATA::~ITER_SL_CLIENTDATA(void) __ptr64 +??1ITER_SL_CLIENTDATA@@QEAA@XZ +; public: __cdecl ITER_SL_STRING_BITSET_PAIR::~ITER_SL_STRING_BITSET_PAIR(void) __ptr64 +??1ITER_SL_STRING_BITSET_PAIR@@QEAA@XZ +; public: __cdecl ITER_SL_TIMER_BASE::~ITER_SL_TIMER_BASE(void) __ptr64 +??1ITER_SL_TIMER_BASE@@QEAA@XZ +; public: __cdecl ITER_SL_UI_EXT::~ITER_SL_UI_EXT(void) __ptr64 +??1ITER_SL_UI_EXT@@QEAA@XZ +; public: __cdecl ITER_SL_USER_BROWSER_LBI::~ITER_SL_USER_BROWSER_LBI(void) __ptr64 +??1ITER_SL_USER_BROWSER_LBI@@QEAA@XZ +; public: __cdecl LAZY_LISTBOX::~LAZY_LISTBOX(void) __ptr64 +??1LAZY_LISTBOX@@QEAA@XZ +; public: virtual __cdecl LBI::~LBI(void) __ptr64 +??1LBI@@UEAA@XZ +; public: __cdecl LBITREE::~LBITREE(void) __ptr64 +??1LBITREE@@QEAA@XZ +; public: __cdecl LBI_HEAP::~LBI_HEAP(void) __ptr64 +??1LBI_HEAP@@QEAA@XZ +; public: __cdecl LB_COL_WIDTHS::~LB_COL_WIDTHS(void) __ptr64 +??1LB_COL_WIDTHS@@QEAA@XZ +; public: __cdecl LISTBOX::~LISTBOX(void) __ptr64 +??1LISTBOX@@QEAA@XZ +; protected: __cdecl LIST_CONTROL::~LIST_CONTROL(void) __ptr64 +??1LIST_CONTROL@@IEAA@XZ +; public: __cdecl LM_FILE_2::~LM_FILE_2(void) __ptr64 +??1LM_FILE_2@@QEAA@XZ +; public: __cdecl LM_MESSAGE::~LM_MESSAGE(void) __ptr64 +??1LM_MESSAGE@@QEAA@XZ +; public: __cdecl LM_OLLB::~LM_OLLB(void) __ptr64 +??1LM_OLLB@@QEAA@XZ +; public: __cdecl LOCAL_ATOM::~LOCAL_ATOM(void) __ptr64 +??1LOCAL_ATOM@@QEAA@XZ +; public: __cdecl LOC_LM_OBJ::~LOC_LM_OBJ(void) __ptr64 +??1LOC_LM_OBJ@@QEAA@XZ +; public: __cdecl LOGON_HOURS_CONTROL::~LOGON_HOURS_CONTROL(void) __ptr64 +??1LOGON_HOURS_CONTROL@@QEAA@XZ +; public: __cdecl MAGIC_GROUP::~MAGIC_GROUP(void) __ptr64 +??1MAGIC_GROUP@@QEAA@XZ +; public: __cdecl MASK_MAP::~MASK_MAP(void) __ptr64 +??1MASK_MAP@@QEAA@XZ +; public: __cdecl MEMORY_DC::~MEMORY_DC(void) __ptr64 +??1MEMORY_DC@@QEAA@XZ +; public: __cdecl MENU_BASE::~MENU_BASE(void) __ptr64 +??1MENU_BASE@@QEAA@XZ +; public: __cdecl MLE::~MLE(void) __ptr64 +??1MLE@@QEAA@XZ +; public: __cdecl MLE_FONT::~MLE_FONT(void) __ptr64 +??1MLE_FONT@@QEAA@XZ +; public: __cdecl MLT::~MLT(void) __ptr64 +??1MLT@@QEAA@XZ +; public: __cdecl MSGPOPUP_DIALOG::~MSGPOPUP_DIALOG(void) __ptr64 +??1MSGPOPUP_DIALOG@@QEAA@XZ +; protected: __cdecl MSG_DIALOG_BASE::~MSG_DIALOG_BASE(void) __ptr64 +??1MSG_DIALOG_BASE@@IEAA@XZ +; public: __cdecl NT_FIND_ACCOUNT_DIALOG::~NT_FIND_ACCOUNT_DIALOG(void) __ptr64 +??1NT_FIND_ACCOUNT_DIALOG@@QEAA@XZ +; public: virtual __cdecl NT_GLOBALGROUP_BROWSER_DIALOG::~NT_GLOBALGROUP_BROWSER_DIALOG(void) __ptr64 +??1NT_GLOBALGROUP_BROWSER_DIALOG@@UEAA@XZ +; public: virtual __cdecl NT_GROUP_BROWSER_DIALOG::~NT_GROUP_BROWSER_DIALOG(void) __ptr64 +??1NT_GROUP_BROWSER_DIALOG@@UEAA@XZ +; public: __cdecl NT_GROUP_BROWSER_LB::~NT_GROUP_BROWSER_LB(void) __ptr64 +??1NT_GROUP_BROWSER_LB@@QEAA@XZ +; public: __cdecl NT_GROUP_ENUM_ITER::~NT_GROUP_ENUM_ITER(void) __ptr64 +??1NT_GROUP_ENUM_ITER@@QEAA@XZ +; public: __cdecl NT_GROUP_ENUM_OBJ::~NT_GROUP_ENUM_OBJ(void) __ptr64 +??1NT_GROUP_ENUM_OBJ@@QEAA@XZ +; public: virtual __cdecl NT_LOCALGROUP_BROWSER_DIALOG::~NT_LOCALGROUP_BROWSER_DIALOG(void) __ptr64 +??1NT_LOCALGROUP_BROWSER_DIALOG@@UEAA@XZ +; public: __cdecl NT_USER_BROWSER_DIALOG::~NT_USER_BROWSER_DIALOG(void) __ptr64 +??1NT_USER_BROWSER_DIALOG@@QEAA@XZ +; public: virtual __cdecl OLLB_ENTRY::~OLLB_ENTRY(void) __ptr64 +??1OLLB_ENTRY@@UEAA@XZ +; public: __cdecl OPEN_DIALOG_BASE::~OPEN_DIALOG_BASE(void) __ptr64 +??1OPEN_DIALOG_BASE@@QEAA@XZ +; public: virtual __cdecl OPEN_LBI_BASE::~OPEN_LBI_BASE(void) __ptr64 +??1OPEN_LBI_BASE@@UEAA@XZ +; public: __cdecl OPEN_LBOX_BASE::~OPEN_LBOX_BASE(void) __ptr64 +??1OPEN_LBOX_BASE@@QEAA@XZ +; public: __cdecl OUTLINE_LISTBOX::~OUTLINE_LISTBOX(void) __ptr64 +??1OUTLINE_LISTBOX@@QEAA@XZ +; public: __cdecl OWNER_WINDOW::~OWNER_WINDOW(void) __ptr64 +??1OWNER_WINDOW@@QEAA@XZ +; public: __cdecl PAINT_DISPLAY_CONTEXT::~PAINT_DISPLAY_CONTEXT(void) __ptr64 +??1PAINT_DISPLAY_CONTEXT@@QEAA@XZ +; public: __cdecl PASSWORD_CONTROL::~PASSWORD_CONTROL(void) __ptr64 +??1PASSWORD_CONTROL@@QEAA@XZ +; public: __cdecl POPUP::~POPUP(void) __ptr64 +??1POPUP@@QEAA@XZ +; public: __cdecl POPUP_MENU::~POPUP_MENU(void) __ptr64 +??1POPUP_MENU@@QEAA@XZ +; public: __cdecl PROC_INSTANCE::~PROC_INSTANCE(void) __ptr64 +??1PROC_INSTANCE@@QEAA@XZ +; public: __cdecl PROGRESS_CONTROL::~PROGRESS_CONTROL(void) __ptr64 +??1PROGRESS_CONTROL@@QEAA@XZ +; public: __cdecl PROMPT_AND_CONNECT::~PROMPT_AND_CONNECT(void) __ptr64 +??1PROMPT_AND_CONNECT@@QEAA@XZ +; public: __cdecl PROMPT_FOR_ANY_DC_DLG::~PROMPT_FOR_ANY_DC_DLG(void) __ptr64 +??1PROMPT_FOR_ANY_DC_DLG@@QEAA@XZ +; public: __cdecl PUSH_BUTTON::~PUSH_BUTTON(void) __ptr64 +??1PUSH_BUTTON@@QEAA@XZ +; public: __cdecl RADIO_BUTTON::~RADIO_BUTTON(void) __ptr64 +??1RADIO_BUTTON@@QEAA@XZ +; public: __cdecl RADIO_GROUP::~RADIO_GROUP(void) __ptr64 +??1RADIO_GROUP@@QEAA@XZ +; public: __cdecl RESOURCE_PASSWORD_DIALOG::~RESOURCE_PASSWORD_DIALOG(void) __ptr64 +??1RESOURCE_PASSWORD_DIALOG@@QEAA@XZ +; public: __cdecl RESOURCE_STR::~RESOURCE_STR(void) __ptr64 +??1RESOURCE_STR@@QEAA@XZ +; public: __cdecl RITER_DL_SPIN_ITEM::~RITER_DL_SPIN_ITEM(void) __ptr64 +??1RITER_DL_SPIN_ITEM@@QEAA@XZ +; public: __cdecl SCREEN_DC::~SCREEN_DC(void) __ptr64 +??1SCREEN_DC@@QEAA@XZ +; public: __cdecl SERVER1_ENUM::~SERVER1_ENUM(void) __ptr64 +??1SERVER1_ENUM@@QEAA@XZ +; public: __cdecl SERVER1_ENUM_ITER::~SERVER1_ENUM_ITER(void) __ptr64 +??1SERVER1_ENUM_ITER@@QEAA@XZ +; public: __cdecl SERVER1_ENUM_OBJ::~SERVER1_ENUM_OBJ(void) __ptr64 +??1SERVER1_ENUM_OBJ@@QEAA@XZ +; public: __cdecl SERVER_ENUM::~SERVER_ENUM(void) __ptr64 +??1SERVER_ENUM@@QEAA@XZ +; public: __cdecl SET_CONTROL::~SET_CONTROL(void) __ptr64 +??1SET_CONTROL@@QEAA@XZ +; public: __cdecl SET_OF_AUDIT_CATEGORIES::~SET_OF_AUDIT_CATEGORIES(void) __ptr64 +??1SET_OF_AUDIT_CATEGORIES@@QEAA@XZ +; public: __cdecl SLE::~SLE(void) __ptr64 +??1SLE@@QEAA@XZ +; public: __cdecl SLE_FONT::~SLE_FONT(void) __ptr64 +??1SLE_FONT@@QEAA@XZ +; public: __cdecl SLE_STRLB_GROUP::~SLE_STRLB_GROUP(void) __ptr64 +??1SLE_STRLB_GROUP@@QEAA@XZ +; public: __cdecl SLIST_OF_ASSOCHCFILE::~SLIST_OF_ASSOCHCFILE(void) __ptr64 +??1SLIST_OF_ASSOCHCFILE@@QEAA@XZ +; public: __cdecl SLIST_OF_CLIENTDATA::~SLIST_OF_CLIENTDATA(void) __ptr64 +??1SLIST_OF_CLIENTDATA@@QEAA@XZ +; public: __cdecl SLIST_OF_OS_SID::~SLIST_OF_OS_SID(void) __ptr64 +??1SLIST_OF_OS_SID@@QEAA@XZ +; public: __cdecl SLIST_OF_STRING_BITSET_PAIR::~SLIST_OF_STRING_BITSET_PAIR(void) __ptr64 +??1SLIST_OF_STRING_BITSET_PAIR@@QEAA@XZ +; public: __cdecl SLIST_OF_TIMER_BASE::~SLIST_OF_TIMER_BASE(void) __ptr64 +??1SLIST_OF_TIMER_BASE@@QEAA@XZ +; public: __cdecl SLIST_OF_UI_EXT::~SLIST_OF_UI_EXT(void) __ptr64 +??1SLIST_OF_UI_EXT@@QEAA@XZ +; public: __cdecl SLIST_OF_ULC_API_BUFFER::~SLIST_OF_ULC_API_BUFFER(void) __ptr64 +??1SLIST_OF_ULC_API_BUFFER@@QEAA@XZ +; public: __cdecl SLIST_OF_USER_BROWSER_LBI::~SLIST_OF_USER_BROWSER_LBI(void) __ptr64 +??1SLIST_OF_USER_BROWSER_LBI@@QEAA@XZ +; public: __cdecl SLT::~SLT(void) __ptr64 +??1SLT@@QEAA@XZ +; public: __cdecl SLT_ELLIPSIS::~SLT_ELLIPSIS(void) __ptr64 +??1SLT_ELLIPSIS@@QEAA@XZ +; public: __cdecl SOLID_BRUSH::~SOLID_BRUSH(void) __ptr64 +??1SOLID_BRUSH@@QEAA@XZ +; public: __cdecl SPIN_GROUP::~SPIN_GROUP(void) __ptr64 +??1SPIN_GROUP@@QEAA@XZ +; public: __cdecl SPIN_ITEM::~SPIN_ITEM(void) __ptr64 +??1SPIN_ITEM@@QEAA@XZ +; public: __cdecl SPIN_SLE_NUM::~SPIN_SLE_NUM(void) __ptr64 +??1SPIN_SLE_NUM@@QEAA@XZ +; public: __cdecl SPIN_SLE_NUM_VALID::~SPIN_SLE_NUM_VALID(void) __ptr64 +??1SPIN_SLE_NUM_VALID@@QEAA@XZ +; public: __cdecl SPIN_SLE_STR::~SPIN_SLE_STR(void) __ptr64 +??1SPIN_SLE_STR@@QEAA@XZ +; public: __cdecl SPIN_SLE_VALID_SECOND::~SPIN_SLE_VALID_SECOND(void) __ptr64 +??1SPIN_SLE_VALID_SECOND@@QEAA@XZ +; public: __cdecl SPIN_SLT_SEPARATOR::~SPIN_SLT_SEPARATOR(void) __ptr64 +??1SPIN_SLT_SEPARATOR@@QEAA@XZ +; public: __cdecl STATE2_BUTTON_CONTROL::~STATE2_BUTTON_CONTROL(void) __ptr64 +??1STATE2_BUTTON_CONTROL@@QEAA@XZ +; public: __cdecl STATELB::~STATELB(void) __ptr64 +??1STATELB@@QEAA@XZ +; public: __cdecl STATELBGRP::~STATELBGRP(void) __ptr64 +??1STATELBGRP@@QEAA@XZ +; public: __cdecl STATE_BUTTON_CONTROL::~STATE_BUTTON_CONTROL(void) __ptr64 +??1STATE_BUTTON_CONTROL@@QEAA@XZ +; public: __cdecl STATIC_SPIN_ITEM::~STATIC_SPIN_ITEM(void) __ptr64 +??1STATIC_SPIN_ITEM@@QEAA@XZ +; public: __cdecl STATIC_TEXT_CONTROL::~STATIC_TEXT_CONTROL(void) __ptr64 +??1STATIC_TEXT_CONTROL@@QEAA@XZ +; public: virtual __cdecl STLBITEM::~STLBITEM(void) __ptr64 +??1STLBITEM@@UEAA@XZ +; public: __cdecl STRING_BITSET_PAIR::~STRING_BITSET_PAIR(void) __ptr64 +??1STRING_BITSET_PAIR@@QEAA@XZ +; public: __cdecl STRING_LIST_CONTROL::~STRING_LIST_CONTROL(void) __ptr64 +??1STRING_LIST_CONTROL@@QEAA@XZ +; public: __cdecl SUBJECT_BITMAP_BLOCK::~SUBJECT_BITMAP_BLOCK(void) __ptr64 +??1SUBJECT_BITMAP_BLOCK@@QEAA@XZ +; public: __cdecl SYSTEM_MENU::~SYSTEM_MENU(void) __ptr64 +??1SYSTEM_MENU@@QEAA@XZ +; public: __cdecl TEXT_CONTROL::~TEXT_CONTROL(void) __ptr64 +??1TEXT_CONTROL@@QEAA@XZ +; public: __cdecl TIMER_BASE::~TIMER_BASE(void) __ptr64 +??1TIMER_BASE@@QEAA@XZ +; public: __cdecl TIMER_WINDOW::~TIMER_WINDOW(void) __ptr64 +??1TIMER_WINDOW@@QEAA@XZ +; public: __cdecl UI_DOMAIN::~UI_DOMAIN(void) __ptr64 +??1UI_DOMAIN@@QEAA@XZ +; public: virtual __cdecl UI_EXT::~UI_EXT(void) __ptr64 +??1UI_EXT@@UEAA@XZ +; public: __cdecl UI_EXT_MGR::~UI_EXT_MGR(void) __ptr64 +??1UI_EXT_MGR@@QEAA@XZ +; public: __cdecl UI_EXT_MGR_IF::~UI_EXT_MGR_IF(void) __ptr64 +??1UI_EXT_MGR_IF@@QEAA@XZ +; public: virtual __cdecl UI_MENU_EXT::~UI_MENU_EXT(void) __ptr64 +??1UI_MENU_EXT@@UEAA@XZ +; public: virtual __cdecl UI_MENU_EXT_MGR::~UI_MENU_EXT_MGR(void) __ptr64 +??1UI_MENU_EXT_MGR@@UEAA@XZ +; public: __cdecl ULC_API_BUFFER::~ULC_API_BUFFER(void) __ptr64 +??1ULC_API_BUFFER@@QEAA@XZ +; public: __cdecl USER_BROWSER_LB::~USER_BROWSER_LB(void) __ptr64 +??1USER_BROWSER_LB@@QEAA@XZ +; public: virtual __cdecl USER_BROWSER_LBI::~USER_BROWSER_LBI(void) __ptr64 +??1USER_BROWSER_LBI@@UEAA@XZ +; public: virtual __cdecl USER_BROWSER_LBI_CACHE::~USER_BROWSER_LBI_CACHE(void) __ptr64 +??1USER_BROWSER_LBI_CACHE@@UEAA@XZ +; public: virtual __cdecl USER_LBI_CACHE::~USER_LBI_CACHE(void) __ptr64 +??1USER_LBI_CACHE@@UEAA@XZ +; public: __cdecl USRLB_NT_GROUP_ENUM::~USRLB_NT_GROUP_ENUM(void) __ptr64 +??1USRLB_NT_GROUP_ENUM@@QEAA@XZ +; public: __cdecl WIN32_EVENT::~WIN32_EVENT(void) __ptr64 +??1WIN32_EVENT@@QEAA@XZ +; public: __cdecl WIN32_HANDLE::~WIN32_HANDLE(void) __ptr64 +??1WIN32_HANDLE@@QEAA@XZ +; public: __cdecl WIN32_MUTEX::~WIN32_MUTEX(void) __ptr64 +??1WIN32_MUTEX@@QEAA@XZ +; public: __cdecl WIN32_SEMAPHORE::~WIN32_SEMAPHORE(void) __ptr64 +??1WIN32_SEMAPHORE@@QEAA@XZ +; public: __cdecl WIN32_SYNC_BASE::~WIN32_SYNC_BASE(void) __ptr64 +??1WIN32_SYNC_BASE@@QEAA@XZ +; public: virtual __cdecl WIN32_THREAD::~WIN32_THREAD(void) __ptr64 +??1WIN32_THREAD@@UEAA@XZ +; public: __cdecl WINDOW::~WINDOW(void) __ptr64 +??1WINDOW@@QEAA@XZ +; public: __cdecl WIN_ELLIPSIS::~WIN_ELLIPSIS(void) __ptr64 +??1WIN_ELLIPSIS@@QEAA@XZ +; public: class ARRAY_CONTROLVAL_CID_PAIR & __ptr64 __cdecl ARRAY_CONTROLVAL_CID_PAIR::operator=(class ARRAY_CONTROLVAL_CID_PAIR & __ptr64) __ptr64 +??4ARRAY_CONTROLVAL_CID_PAIR@@QEAAAEAV0@AEAV0@@Z +; public: virtual unsigned short const * __ptr64 __cdecl GLOBAL_ATOM::operator=(unsigned short const * __ptr64) __ptr64 +??4GLOBAL_ATOM@@UEAAPEBGPEBG@Z +; public: virtual unsigned short const * __ptr64 __cdecl LOCAL_ATOM::operator=(unsigned short const * __ptr64) __ptr64 +??4LOCAL_ATOM@@UEAAPEBGPEBG@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::operator=(class XYRECT const & __ptr64) __ptr64 +??4XYRECT@@QEAAAEAV0@AEBV0@@Z +; public: int __cdecl ASSOCHWNDDISP::operator!(void)const __ptr64 +??7ASSOCHWNDDISP@@QEBAHXZ +; public: int __cdecl ASSOCHWNDPWND::operator!(void)const __ptr64 +??7ASSOCHWNDPWND@@QEBAHXZ +; public: int __cdecl BASE::operator!(void)const __ptr64 +??7BASE@@QEBAHXZ +; public: int __cdecl CONTROL_WINDOW::operator!(void)const __ptr64 +??7CONTROL_WINDOW@@QEBAHXZ +; public: int __cdecl XYRECT::operator==(class XYRECT const & __ptr64)const __ptr64 +??8XYRECT@@QEBAHAEBV0@@Z +; public: class CONTROLVAL_CID_PAIR & __ptr64 __cdecl ARRAY_CONTROLVAL_CID_PAIR::operator[](unsigned int)const __ptr64 +??AARRAY_CONTROLVAL_CID_PAIR@@QEBAAEAVCONTROLVAL_CID_PAIR@@I@Z +; public: class DTE * __ptr64 & __ptr64 __cdecl DISPLAY_TABLE::operator[](unsigned int) __ptr64 +??ADISPLAY_TABLE@@QEAAAEAPEAVDTE@@I@Z +; public: class RADIO_BUTTON * __ptr64 __cdecl RADIO_GROUP::operator[](unsigned int) __ptr64 +??ARADIO_GROUP@@QEAAPEAVRADIO_BUTTON@@I@Z +; public: __cdecl NLS_STR::operator unsigned short const * __ptr64(void)const __ptr64 +??BNLS_STR@@QEBAPEBGXZ +; public: __cdecl OS_SID::operator void * __ptr64(void)const __ptr64 +??BOS_SID@@QEBAPEAXXZ +; public: __cdecl XYRECT::operator struct tagRECT const * __ptr64(void)const __ptr64 +??BXYRECT@@QEBAPEBUtagRECT@@XZ +; public: class FILE3_ENUM_OBJ const * __ptr64 __cdecl FILE3_ENUM_ITER::operator()(long * __ptr64,int) __ptr64 +??RFILE3_ENUM_ITER@@QEAAPEBVFILE3_ENUM_OBJ@@PEAJH@Z +; public: class HIER_LBI * __ptr64 __cdecl HIER_LBI_ITERATOR::operator()(void) __ptr64 +??RHIER_LBI_ITERATOR@@QEAAPEAVHIER_LBI@@XZ +; public: class CONTROL_WINDOW * __ptr64 __cdecl ITER_CTRL::operator()(void) __ptr64 +??RITER_CTRL@@QEAAPEAVCONTROL_WINDOW@@XZ +; public: unsigned short const * __ptr64 __cdecl ITER_DEVICE::operator()(void) __ptr64 +??RITER_DEVICE@@QEAAPEBGXZ +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::operator()(void) __ptr64 +??RITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; public: class NT_GROUP_ENUM_OBJ const * __ptr64 __cdecl NT_GROUP_ENUM_ITER::operator()(long * __ptr64,int) __ptr64 +??RNT_GROUP_ENUM_ITER@@QEAAPEBVNT_GROUP_ENUM_OBJ@@PEAJH@Z +; public: virtual void __cdecl CHANGEABLE_SPIN_ITEM::operator+=(unsigned long) __ptr64 +??YCHANGEABLE_SPIN_ITEM@@UEAAXK@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::operator+=(class XYRECT const & __ptr64) __ptr64 +??YXYRECT@@QEAAAEAV0@AEBV0@@Z +; public: virtual void __cdecl CHANGEABLE_SPIN_ITEM::operator-=(unsigned long) __ptr64 +??ZCHANGEABLE_SPIN_ITEM@@UEAAXK@Z +; void __cdecl `vector constructor iterator'(void * __ptr64,unsigned __int64,int,void * __ptr64 (__cdecl*)(void * __ptr64)) +??_H@YAXPEAX_KHP6APEAX0@Z@Z +; void __cdecl `vector destructor iterator'(void * __ptr64,unsigned __int64,int,void (__cdecl*)(void * __ptr64)) +??_I@YAXPEAX_KHP6AX0@Z@Z +; void __cdecl `vector vbase constructor iterator'(void * __ptr64,unsigned __int64,int,void * __ptr64 (__cdecl*)(void * __ptr64)) +??_J@YAXPEAX_KHP6APEAX0@Z@Z +; private: void __cdecl HIER_LBI::Abandon(void) __ptr64 +?Abandon@HIER_LBI@@AEAAXXZ +; private: void __cdecl HIER_LBI::AbandonAllChildren(void) __ptr64 +?AbandonAllChildren@HIER_LBI@@AEAAXXZ +; protected: virtual int __cdecl MSG_DIALOG_BASE::ActionOnError(long) __ptr64 +?ActionOnError@MSG_DIALOG_BASE@@MEAAHJ@Z +; private: void __cdecl MAGIC_GROUP::ActivateAssocControls(unsigned int,unsigned int,class CONTROL_VALUE * __ptr64) __ptr64 +?ActivateAssocControls@MAGIC_GROUP@@AEAAXIIPEAVCONTROL_VALUE@@@Z +; public: virtual void __cdecl UI_EXT_MGR::ActivateExtension(struct HWND__ * __ptr64,unsigned long) __ptr64 +?ActivateExtension@UI_EXT_MGR@@UEAAXPEAUHWND__@@K@Z +; public: int __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::Add(class CONTROLVAL_CID_PAIR const & __ptr64) __ptr64 +?Add@ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAAHAEBVCONTROLVAL_CID_PAIR@@@Z +; public: static void __cdecl HWND_DLGPTR_CACHE::Add(struct HWND__ * __ptr64,class DIALOG_WINDOW * __ptr64) +?Add@HWND_DLGPTR_CACHE@@SAXPEAUHWND__@@PEAVDIALOG_WINDOW@@@Z +; public: long __cdecl MASK_MAP::Add(class BITFIELD const & __ptr64,class NLS_STR const & __ptr64,int) __ptr64 +?Add@MASK_MAP@@QEAAJAEBVBITFIELD@@AEBVNLS_STR@@H@Z +; public: long __cdecl MASK_MAP::Add(struct US_IDS_PAIRS * __ptr64 const,unsigned short) __ptr64 +?Add@MASK_MAP@@QEAAJQEAUUS_IDS_PAIRS@@G@Z +; public: long __cdecl SLIST_OF_ASSOCHCFILE::Add(class ASSOCHCFILE const * __ptr64) __ptr64 +?Add@SLIST_OF_ASSOCHCFILE@@QEAAJPEBVASSOCHCFILE@@@Z +; public: long __cdecl SLIST_OF_CLIENTDATA::Add(struct CLIENTDATA const * __ptr64) __ptr64 +?Add@SLIST_OF_CLIENTDATA@@QEAAJPEBUCLIENTDATA@@@Z +; public: long __cdecl SLIST_OF_NLS_STR::Add(class NLS_STR const * __ptr64) __ptr64 +?Add@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl SLIST_OF_OS_SID::Add(class OS_SID const * __ptr64) __ptr64 +?Add@SLIST_OF_OS_SID@@QEAAJPEBVOS_SID@@@Z +; public: long __cdecl SLIST_OF_TIMER_BASE::Add(class TIMER_BASE const * __ptr64) __ptr64 +?Add@SLIST_OF_TIMER_BASE@@QEAAJPEBVTIMER_BASE@@@Z +; public: long __cdecl SLIST_OF_USER_BROWSER_LBI::Add(class USER_BROWSER_LBI const * __ptr64) __ptr64 +?Add@SLIST_OF_USER_BROWSER_LBI@@QEAAJPEBVUSER_BROWSER_LBI@@@Z +; protected: long __cdecl USER_BROWSER_LBI_CACHE::AddAliases(class ADMIN_AUTHORITY * __ptr64,unsigned short const * __ptr64,int * __ptr64) __ptr64 +?AddAliases@USER_BROWSER_LBI_CACHE@@IEAAJPEAVADMIN_AUTHORITY@@PEBGPEAH@Z +; protected: long __cdecl USER_BROWSER_LBI_CACHE::AddAliases(class SAM_DOMAIN * __ptr64,unsigned short const * __ptr64,int * __ptr64) __ptr64 +?AddAliases@USER_BROWSER_LBI_CACHE@@IEAAJPEAVSAM_DOMAIN@@PEBGPEAH@Z +; public: long __cdecl MAGIC_GROUP::AddAssociation(unsigned int,class CONTROL_VALUE * __ptr64) __ptr64 +?AddAssociation@MAGIC_GROUP@@QEAAJIPEAVCONTROL_VALUE@@@Z +; public: long __cdecl SPIN_GROUP::AddAssociation(class SPIN_ITEM * __ptr64) __ptr64 +?AddAssociation@SPIN_GROUP@@QEAAJPEAVSPIN_ITEM@@@Z +; protected: virtual long __cdecl HIER_LISTBOX::AddChildren(class HIER_LBI * __ptr64) __ptr64 +?AddChildren@HIER_LISTBOX@@MEAAJPEAVHIER_LBI@@@Z +; public: static long __cdecl BLTIMP::AddClient(struct HINSTANCE__ * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int) +?AddClient@BLTIMP@@SAJPEAUHINSTANCE__@@IIII@Z +; public: int __cdecl CONTROL_TABLE::AddControl(class CONTROL_WINDOW * __ptr64) __ptr64 +?AddControl@CONTROL_TABLE@@QEAAHPEAVCONTROL_WINDOW@@@Z +; private: int __cdecl OWNER_WINDOW::AddControl(class CONTROL_WINDOW * __ptr64) __ptr64 +?AddControl@OWNER_WINDOW@@AEAAHPEAVCONTROL_WINDOW@@@Z +; public: int __cdecl OUTLINE_LISTBOX::AddDomain(unsigned short const * __ptr64,unsigned short const * __ptr64,int) __ptr64 +?AddDomain@OUTLINE_LISTBOX@@QEAAHPEBG0H@Z +; protected: long __cdecl USER_BROWSER_LBI_CACHE::AddGroups(class ADMIN_AUTHORITY * __ptr64,unsigned short const * __ptr64,int * __ptr64) __ptr64 +?AddGroups@USER_BROWSER_LBI_CACHE@@IEAAJPEAVADMIN_AUTHORITY@@PEBGPEAH@Z +; public: static long __cdecl BLTIMP::AddHelpAssoc(struct HINSTANCE__ * __ptr64,long,unsigned long,unsigned long) +?AddHelpAssoc@BLTIMP@@SAJPEAUHINSTANCE__@@JKK@Z +; public: int __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::AddIdemp(class CONTROLVAL_CID_PAIR const & __ptr64) __ptr64 +?AddIdemp@ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAAHAEBVCONTROLVAL_CID_PAIR@@@Z +; public: int __cdecl BLT_LISTBOX::AddItem(class LBI * __ptr64) __ptr64 +?AddItem@BLT_LISTBOX@@QEAAHPEAVLBI@@@Z +; public: long __cdecl BROWSER_DOMAIN_CB::AddItem(class BROWSER_DOMAIN * __ptr64) __ptr64 +?AddItem@BROWSER_DOMAIN_CB@@QEAAJPEAVBROWSER_DOMAIN@@@Z +; public: int __cdecl HIER_LISTBOX::AddItem(class HIER_LBI * __ptr64,class HIER_LBI * __ptr64,int) __ptr64 +?AddItem@HIER_LISTBOX@@QEAAHPEAVHIER_LBI@@0H@Z +; public: long __cdecl LBI_HEAP::AddItem(class LBI * __ptr64) __ptr64 +?AddItem@LBI_HEAP@@QEAAJPEAVLBI@@@Z +; protected: int __cdecl OUTLINE_LISTBOX::AddItem(enum OUTLINE_LB_LEVEL,int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?AddItem@OUTLINE_LISTBOX@@IEAAHW4OUTLINE_LB_LEVEL@@HPEBG11@Z +; public: int __cdecl STRING_LIST_CONTROL::AddItem(unsigned short const * __ptr64) __ptr64 +?AddItem@STRING_LIST_CONTROL@@QEAAHPEBG@Z +; public: int __cdecl USER_BROWSER_LB::AddItem(class LBI * __ptr64) __ptr64 +?AddItem@USER_BROWSER_LB@@QEAAHPEAVLBI@@@Z +; public: virtual int __cdecl USER_BROWSER_LBI_CACHE::AddItem(class LBI * __ptr64) __ptr64 +?AddItem@USER_BROWSER_LBI_CACHE@@UEAAHPEAVLBI@@@Z +; public: virtual int __cdecl USER_LBI_CACHE::AddItem(class LBI * __ptr64) __ptr64 +?AddItem@USER_LBI_CACHE@@UEAAHPEAVLBI@@@Z +; protected: int __cdecl LIST_CONTROL::AddItemData(void * __ptr64) __ptr64 +?AddItemData@LIST_CONTROL@@IEAAHPEAX@Z +; public: int __cdecl BLT_LISTBOX::AddItemIdemp(class LBI * __ptr64) __ptr64 +?AddItemIdemp@BLT_LISTBOX@@QEAAHPEAVLBI@@@Z +; public: int __cdecl STRING_LIST_CONTROL::AddItemIdemp(class NLS_STR const & __ptr64) __ptr64 +?AddItemIdemp@STRING_LIST_CONTROL@@QEAAHAEBVNLS_STR@@@Z +; public: int __cdecl STRING_LIST_CONTROL::AddItemIdemp(unsigned short const * __ptr64) __ptr64 +?AddItemIdemp@STRING_LIST_CONTROL@@QEAAHPEBG@Z +; public: int __cdecl LBITREE::AddNode(class HIER_LBI * __ptr64,class HIER_LBI * __ptr64,int) __ptr64 +?AddNode@LBITREE@@QEAAHPEAVHIER_LBI@@0H@Z +; public: long __cdecl NT_USER_BROWSER_DIALOG::AddSelectedUserBrowserLBIs(class USER_BROWSER_LB * __ptr64,int,int) __ptr64 +?AddSelectedUserBrowserLBIs@NT_USER_BROWSER_DIALOG@@QEAAJPEAVUSER_BROWSER_LB@@HH@Z +; public: int __cdecl OUTLINE_LISTBOX::AddServer(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?AddServer@OUTLINE_LISTBOX@@QEAAHPEBG00@Z +; public: void __cdecl HIER_LISTBOX::AddSortedItems(class HIER_LBI * __ptr64 * __ptr64,int,class HIER_LBI * __ptr64,int) __ptr64 +?AddSortedItems@HIER_LISTBOX@@QEAAXPEAPEAVHIER_LBI@@HPEAV2@H@Z +; public: long __cdecl USER_BROWSER_LBI_CACHE::AddUsers(class ADMIN_AUTHORITY * __ptr64,unsigned short const * __ptr64,int,int * __ptr64) __ptr64 +?AddUsers@USER_BROWSER_LBI_CACHE@@QEAAJPEAVADMIN_AUTHORITY@@PEBGHPEAH@Z +; protected: long __cdecl USER_BROWSER_LBI_CACHE::AddWellKnownSids(class ADMIN_AUTHORITY * __ptr64,unsigned long,int * __ptr64) __ptr64 +?AddWellKnownSids@USER_BROWSER_LBI_CACHE@@IEAAJPEAVADMIN_AUTHORITY@@KPEAH@Z +; public: void __cdecl LBI_HEAP::Adjust(void) __ptr64 +?Adjust@LBI_HEAP@@QEAAXXZ +; public: class XYRECT & __ptr64 __cdecl XYRECT::AdjustBottom(int) __ptr64 +?AdjustBottom@XYRECT@@QEAAAEAV1@H@Z +; private: void __cdecl HIER_LBI::AdjustDescendantCount(int) __ptr64 +?AdjustDescendantCount@HIER_LBI@@AEAAXH@Z +; private: void __cdecl LBI_HEAP::AdjustDownwards(int) __ptr64 +?AdjustDownwards@LBI_HEAP@@AEAAXH@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::AdjustLeft(int) __ptr64 +?AdjustLeft@XYRECT@@QEAAAEAV1@H@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::AdjustRight(int) __ptr64 +?AdjustRight@XYRECT@@QEAAAEAV1@H@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::AdjustTop(int) __ptr64 +?AdjustTop@XYRECT@@QEAAAEAV1@H@Z +; private: void __cdecl LBI_HEAP::AdjustUpwards(int) __ptr64 +?AdjustUpwards@LBI_HEAP@@AEAAXH@Z +; private: void __cdecl HIER_LBI::Adopt(class HIER_LBI * __ptr64,int) __ptr64 +?Adopt@HIER_LBI@@AEAAXPEAV1@H@Z +; public: void __cdecl PROGRESS_CONTROL::Advance(int) __ptr64 +?Advance@PROGRESS_CONTROL@@QEAAXH@Z +; protected: virtual void __cdecl CONTROL_GROUP::AfterGroupActions(void) __ptr64 +?AfterGroupActions@CONTROL_GROUP@@MEAAXXZ +; public: void __cdecl USER_BROWSER_LBI::AliasUnicodeStrToDisplayName(struct _UNICODE_STRING * __ptr64) __ptr64 +?AliasUnicodeStrToDisplayName@USER_BROWSER_LBI@@QEAAXPEAU_UNICODE_STRING@@@Z +; public: long __cdecl DLIST_OF_SPIN_ITEM::Append(class SPIN_ITEM * __ptr64 const) __ptr64 +?Append@DLIST_OF_SPIN_ITEM@@QEAAJQEAVSPIN_ITEM@@@Z +; public: long __cdecl MENU_BASE::Append(unsigned short const * __ptr64,unsigned int,unsigned int)const __ptr64 +?Append@MENU_BASE@@QEBAJPEBGII@Z +; public: long __cdecl MENU_BASE::Append(unsigned short const * __ptr64,struct HMENU__ * __ptr64,unsigned int)const __ptr64 +?Append@MENU_BASE@@QEBAJPEBGPEAUHMENU__@@I@Z +; public: long __cdecl SLIST_OF_NLS_STR::Append(class NLS_STR const * __ptr64) __ptr64 +?Append@SLIST_OF_NLS_STR@@QEAAJPEBVNLS_STR@@@Z +; public: long __cdecl SLIST_OF_STRING_BITSET_PAIR::Append(class STRING_BITSET_PAIR const * __ptr64) __ptr64 +?Append@SLIST_OF_STRING_BITSET_PAIR@@QEAAJPEBVSTRING_BITSET_PAIR@@@Z +; public: long __cdecl SLIST_OF_UI_EXT::Append(class UI_EXT const * __ptr64) __ptr64 +?Append@SLIST_OF_UI_EXT@@QEAAJPEBVUI_EXT@@@Z +; public: long __cdecl SLIST_OF_ULC_API_BUFFER::Append(class ULC_API_BUFFER const * __ptr64) __ptr64 +?Append@SLIST_OF_ULC_API_BUFFER@@QEAAJPEBVULC_API_BUFFER@@@Z +; public: long __cdecl SLIST_OF_USER_BROWSER_LBI::Append(class USER_BROWSER_LBI const * __ptr64) __ptr64 +?Append@SLIST_OF_USER_BROWSER_LBI@@QEAAJPEBVUSER_BROWSER_LBI@@@Z +; public: virtual long __cdecl DM_DTE::AppendDataTo(class NLS_STR * __ptr64)const __ptr64 +?AppendDataTo@DM_DTE@@UEBAJPEAVNLS_STR@@@Z +; public: virtual long __cdecl STR_DTE::AppendDataTo(class NLS_STR * __ptr64)const __ptr64 +?AppendDataTo@STR_DTE@@UEBAJPEAVNLS_STR@@@Z +; public: long __cdecl MENU_BASE::AppendSeparator(void)const __ptr64 +?AppendSeparator@MENU_BASE@@QEBAJXZ +; public: long __cdecl SET_OF_AUDIT_CATEGORIES::ApplyPermissionsToCheckBoxes(class BITFIELD * __ptr64,class BITFIELD * __ptr64) __ptr64 +?ApplyPermissionsToCheckBoxes@SET_OF_AUDIT_CATEGORIES@@QEAAJPEAVBITFIELD@@0@Z +; public: int __cdecl NT_USER_BROWSER_DIALOG::AreUsersShown(void)const __ptr64 +?AreUsersShown@NT_USER_BROWSER_DIALOG@@QEBAHXZ +; protected: unsigned short const * __ptr64 __cdecl ATOM_BASE::AssignAux(unsigned short const * __ptr64) __ptr64 +?AssignAux@ATOM_BASE@@IEAAPEBGPEBG@Z +; public: long __cdecl POPUP_MENU::Attach(class PWND2HWND const & __ptr64) __ptr64 +?Attach@POPUP_MENU@@QEAAJAEBVPWND2HWND@@@Z +; long __cdecl BLTDoubleChar(class NLS_STR * __ptr64,unsigned short) +?BLTDoubleChar@@YAJPEAVNLS_STR@@G@Z +; protected: virtual long __cdecl SET_CONTROL::BLTMoveItems(class BLT_LISTBOX * __ptr64,class BLT_LISTBOX * __ptr64) __ptr64 +?BLTMoveItems@SET_CONTROL@@MEAAJPEAVBLT_LISTBOX@@0@Z +; int __cdecl BLTPoints2LogUnits(int) +?BLTPoints2LogUnits@@YAHH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::Beep(void)const __ptr64 +?Beep@LOGON_HOURS_CONTROL@@AEBAXXZ +; protected: long __cdecl UI_MENU_EXT::BiasMenuIds(unsigned long) __ptr64 +?BiasMenuIds@UI_MENU_EXT@@IEAAJK@Z +; public: int __cdecl USER_LBI_CACHE::BinarySearch(struct _DOMAIN_DISPLAY_USER * __ptr64) __ptr64 +?BinarySearch@USER_LBI_CACHE@@QEAAHPEAU_DOMAIN_DISPLAY_USER@@@Z +; public: int __cdecl USER_LBI_CACHE::BinarySearch(class LBI * __ptr64) __ptr64 +?BinarySearch@USER_LBI_CACHE@@QEAAHPEAVLBI@@@Z +; public: int __cdecl DEVICE_CONTEXT::BitBlt(class XYPOINT const & __ptr64,class XYDIMENSION,class DEVICE_CONTEXT const & __ptr64,class XYPOINT const & __ptr64,unsigned long) __ptr64 +?BitBlt@DEVICE_CONTEXT@@QEAAHAEBVXYPOINT@@VXYDIMENSION@@AEBV1@0K@Z +; public: int __cdecl DEVICE_CONTEXT::BitBlt(int,int,int,int,class DEVICE_CONTEXT const & __ptr64,int,int,unsigned long) __ptr64 +?BitBlt@DEVICE_CONTEXT@@QEAAHHHHHAEBV1@HHK@Z +; public: long __cdecl MASK_MAP::BitsToString(class BITFIELD const & __ptr64,class NLS_STR * __ptr64,int,unsigned int * __ptr64) __ptr64 +?BitsToString@MASK_MAP@@QEAAJAEBVBITFIELD@@PEAVNLS_STR@@HPEAI@Z +; protected: long __cdecl USER_BROWSER_LBI_CACHE::BuildAndAddLBI(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64,void * __ptr64 const,enum UI_SystemSid,enum _SID_NAME_USE,unsigned long) __ptr64 +?BuildAndAddLBI@USER_BROWSER_LBI_CACHE@@IEAAJPEBG0000QEAXW4UI_SystemSid@@W4_SID_NAME_USE@@K@Z +; protected: long __cdecl ACCOUNT_NAMES_MLE::BuildNameListFromStrList(class NLS_STR * __ptr64,class STRLIST * __ptr64) __ptr64 +?BuildNameListFromStrList@ACCOUNT_NAMES_MLE@@IEAAJPEAVNLS_STR@@PEAVSTRLIST@@@Z +; protected: static __int64 __cdecl BLT_COMBOBOX::CBSubclassProc(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?CBSubclassProc@BLT_COMBOBOX@@KA_JPEAUHWND__@@I_K_J@Z +; protected: virtual int __cdecl BLT_LISTBOX::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@BLT_LISTBOX@@MEAAHGG@Z +; protected: virtual int __cdecl BLT_LISTBOX_HAW::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@BLT_LISTBOX_HAW@@MEAAHGG@Z +; protected: virtual int __cdecl CONTROL_WINDOW::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@CONTROL_WINDOW@@MEAAHGG@Z +; protected: virtual int __cdecl LM_OLLB::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@LM_OLLB@@MEAAHGG@Z +; protected: virtual int __cdecl OUTLINE_LISTBOX::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@OUTLINE_LISTBOX@@MEAAHGG@Z +; protected: virtual int __cdecl STATELB::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@STATELB@@MEAAHGG@Z +; protected: virtual int __cdecl USER_BROWSER_LB::CD_Char(unsigned short,unsigned short) __ptr64 +?CD_Char@USER_BROWSER_LB@@MEAAHGG@Z +; protected: int __cdecl BLT_LISTBOX::CD_Char_HAWforHawaii(unsigned short,unsigned short,class HAW_FOR_HAWAII_INFO * __ptr64) __ptr64 +?CD_Char_HAWforHawaii@BLT_LISTBOX@@IEAAHGGPEAVHAW_FOR_HAWAII_INFO@@@Z +; protected: int __cdecl USER_BROWSER_LB::CD_Char_HAWforHawaii(unsigned short,unsigned short,class HAW_FOR_HAWAII_INFO * __ptr64) __ptr64 +?CD_Char_HAWforHawaii@USER_BROWSER_LB@@IEAAHGGPEAVHAW_FOR_HAWAII_INFO@@@Z +; protected: virtual int __cdecl CONTROL_WINDOW::CD_Draw(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?CD_Draw@CONTROL_WINDOW@@MEAAHPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual int __cdecl GRAPHICAL_BUTTON::CD_Draw(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?CD_Draw@GRAPHICAL_BUTTON@@MEAAHPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual int __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::CD_Draw(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?CD_Draw@GRAPHICAL_BUTTON_WITH_DISABLE@@MEAAHPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual int __cdecl LISTBOX::CD_Draw(struct tagDRAWITEMSTRUCT * __ptr64) __ptr64 +?CD_Draw@LISTBOX@@MEAAHPEAUtagDRAWITEMSTRUCT@@@Z +; protected: virtual long __cdecl BLT_LISTBOX::CD_Guiltt(int,class NLS_STR * __ptr64) __ptr64 +?CD_Guiltt@BLT_LISTBOX@@MEAAJHPEAVNLS_STR@@@Z +; protected: virtual long __cdecl CONTROL_WINDOW::CD_Guiltt(int,class NLS_STR * __ptr64) __ptr64 +?CD_Guiltt@CONTROL_WINDOW@@MEAAJHPEAVNLS_STR@@@Z +; protected: virtual long __cdecl LAZY_LISTBOX::CD_Guiltt(int,class NLS_STR * __ptr64) __ptr64 +?CD_Guiltt@LAZY_LISTBOX@@MEAAJHPEAVNLS_STR@@@Z +; protected: virtual int __cdecl BLT_LISTBOX::CD_Measure(struct tagMEASUREITEMSTRUCT * __ptr64) __ptr64 +?CD_Measure@BLT_LISTBOX@@MEAAHPEAUtagMEASUREITEMSTRUCT@@@Z +; protected: virtual int __cdecl CONTROL_WINDOW::CD_Measure(struct tagMEASUREITEMSTRUCT * __ptr64) __ptr64 +?CD_Measure@CONTROL_WINDOW@@MEAAHPEAUtagMEASUREITEMSTRUCT@@@Z +; protected: virtual int __cdecl CONTROL_WINDOW::CD_VKey(unsigned short,unsigned short) __ptr64 +?CD_VKey@CONTROL_WINDOW@@MEAAHGG@Z +; protected: virtual int __cdecl LISTBOX::CD_VKey(unsigned short,unsigned short) __ptr64 +?CD_VKey@LISTBOX@@MEAAHGG@Z +; protected: virtual int __cdecl STATELB::CD_VKey(unsigned short,unsigned short) __ptr64 +?CD_VKey@STATELB@@MEAAHGG@Z +; protected: virtual int __cdecl USER_BROWSER_LB::CD_VKey(unsigned short,unsigned short) __ptr64 +?CD_VKey@USER_BROWSER_LB@@MEAAHGG@Z +; protected: void __cdecl CONTROL_GROUP::CVRestoreValue(class CONTROL_VALUE * __ptr64,int) __ptr64 +?CVRestoreValue@CONTROL_GROUP@@IEAAXPEAVCONTROL_VALUE@@H@Z +; public: void __cdecl CUSTOM_CONTROL::CVRestoreValue(int) __ptr64 +?CVRestoreValue@CUSTOM_CONTROL@@QEAAXH@Z +; protected: void __cdecl CONTROL_GROUP::CVSaveValue(class CONTROL_VALUE * __ptr64,int) __ptr64 +?CVSaveValue@CONTROL_GROUP@@IEAAXPEAVCONTROL_VALUE@@H@Z +; public: void __cdecl CUSTOM_CONTROL::CVSaveValue(int) __ptr64 +?CVSaveValue@CUSTOM_CONTROL@@QEAAXH@Z +; private: struct HICON__ * __ptr64 __cdecl SET_CONTROL::CalcAppropriateCursor(class LISTBOX * __ptr64,class LISTBOX * __ptr64,class XYPOINT const & __ptr64)const __ptr64 +?CalcAppropriateCursor@SET_CONTROL@@AEBAPEAUHICON__@@PEAVLISTBOX@@0AEBVXYPOINT@@@Z +; private: static unsigned int __cdecl METALLIC_STR_DTE::CalcBottomTextMargin(void) +?CalcBottomTextMargin@METALLIC_STR_DTE@@CAIXZ +; private: int __cdecl LOGON_HOURS_CONTROL::CalcButtonFromPoint(class XYPOINT)const __ptr64 +?CalcButtonFromPoint@LOGON_HOURS_CONTROL@@AEBAHVXYPOINT@@@Z +; public: static long __cdecl DISPLAY_TABLE::CalcColumnWidths(unsigned int * __ptr64,unsigned int,class OWNER_WINDOW * __ptr64,unsigned int,int) +?CalcColumnWidths@DISPLAY_TABLE@@SAJPEAIIPEAVOWNER_WINDOW@@IH@Z +; private: static int __cdecl POPUP::CalcDefButton(unsigned int,unsigned int) +?CalcDefButton@POPUP@@CAHII@Z +; protected: static int __cdecl OWNER_WINDOW::CalcFixedCDMeasure(struct HWND__ * __ptr64,struct tagMEASUREITEMSTRUCT * __ptr64) +?CalcFixedCDMeasure@OWNER_WINDOW@@KAHPEAUHWND__@@PEAUtagMEASUREITEMSTRUCT@@@Z +; protected: static int __cdecl WINDOW::CalcFixedHeight(struct HWND__ * __ptr64,unsigned int * __ptr64) +?CalcFixedHeight@WINDOW@@KAHPEAUHWND__@@PEAI@Z +; private: void __cdecl LOGON_HOURS_CONTROL::CalcGridRect(class XYRECT * __ptr64)const __ptr64 +?CalcGridRect@LOGON_HOURS_CONTROL@@AEBAXPEAVXYRECT@@@Z +; public: virtual unsigned int __cdecl LBI::CalcHeight(unsigned int) __ptr64 +?CalcHeight@LBI@@UEAAII@Z +; public: int __cdecl XYRECT::CalcHeight(void)const __ptr64 +?CalcHeight@XYRECT@@QEBAHXZ +; public: static unsigned short const * __ptr64 __cdecl BLT::CalcHelpFileHC(unsigned long) +?CalcHelpFileHC@BLT@@SAPEBGK@Z +; public: static struct HINSTANCE__ * __ptr64 __cdecl BLT::CalcHmodRsrc(class IDRESOURCE const & __ptr64) +?CalcHmodRsrc@BLT@@SAPEAUHINSTANCE__@@AEBVIDRESOURCE@@@Z +; public: static struct HINSTANCE__ * __ptr64 __cdecl BLT::CalcHmodString(long) +?CalcHmodString@BLT@@SAPEAUHINSTANCE__@@J@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::CalcIntersect(class XYRECT const & __ptr64,class XYRECT const & __ptr64) __ptr64 +?CalcIntersect@XYRECT@@QEAAAEAV1@AEBV1@0@Z +; private: void __cdecl LOGON_HOURS_CONTROL::CalcRectForCell(class XYRECT * __ptr64,int)const __ptr64 +?CalcRectForCell@LOGON_HOURS_CONTROL@@AEBAXPEAVXYRECT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::CalcRectForCorner(class XYRECT * __ptr64)const __ptr64 +?CalcRectForCorner@LOGON_HOURS_CONTROL@@AEBAXPEAVXYRECT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::CalcRectForDay(class XYRECT * __ptr64,int)const __ptr64 +?CalcRectForDay@LOGON_HOURS_CONTROL@@AEBAXPEAVXYRECT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::CalcRectForHour(class XYRECT * __ptr64,int)const __ptr64 +?CalcRectForHour@LOGON_HOURS_CONTROL@@AEBAXPEAVXYRECT@@H@Z +; public: long __cdecl BLT_LISTBOX::CalcSingleLineHeight(void) __ptr64 +?CalcSingleLineHeight@BLT_LISTBOX@@QEAAJXZ +; private: long __cdecl LOGON_HOURS_CONTROL::CalcSizes(class XYDIMENSION) __ptr64 +?CalcSizes@LOGON_HOURS_CONTROL@@AEAAJVXYDIMENSION@@@Z +; private: static unsigned int __cdecl METALLIC_STR_DTE::CalcTopTextMargin(void) +?CalcTopTextMargin@METALLIC_STR_DTE@@CAIXZ +; public: class XYRECT & __ptr64 __cdecl XYRECT::CalcUnion(class XYRECT const & __ptr64,class XYRECT const & __ptr64) __ptr64 +?CalcUnion@XYRECT@@QEAAAEAV1@AEBV1@0@Z +; public: int __cdecl XYRECT::CalcWidth(void)const __ptr64 +?CalcWidth@XYRECT@@QEBAHXZ +; public: long __cdecl ACCOUNT_NAMES_MLE::CanonicalizeNames(unsigned short const * __ptr64,class STRLIST * __ptr64) __ptr64 +?CanonicalizeNames@ACCOUNT_NAMES_MLE@@QEAAJPEBGPEAVSTRLIST@@@Z +; public: void __cdecl CLIENT_WINDOW::CaptureMouse(void) __ptr64 +?CaptureMouse@CLIENT_WINDOW@@QEAAXXZ +; public: void __cdecl DISPATCHER::CaptureMouse(void) __ptr64 +?CaptureMouse@DISPATCHER@@QEAAXXZ +; public: void __cdecl WINDOW::Center(struct HWND__ * __ptr64) __ptr64 +?Center@WINDOW@@QEAAXPEAUHWND__@@@Z +; public: int __cdecl SPIN_GROUP::ChangeFieldValue(unsigned short,int) __ptr64 +?ChangeFieldValue@SPIN_GROUP@@QEAAHGH@Z +; public: void __cdecl AUDIT_CHECKBOXES::CheckFailed(int) __ptr64 +?CheckFailed@AUDIT_CHECKBOXES@@QEAAXH@Z +; public: unsigned int __cdecl MENU_BASE::CheckItem(unsigned int,int,unsigned int)const __ptr64 +?CheckItem@MENU_BASE@@QEBAIIHI@Z +; protected: long __cdecl ACCOUNT_NAMES_MLE::CheckLookedUpNames(unsigned short * __ptr64 * __ptr64,class LSA_TRANSLATED_SID_MEM * __ptr64,class STRLIST * __ptr64,class NLS_STR * __ptr64,unsigned short const * __ptr64,long * __ptr64) __ptr64 +?CheckLookedUpNames@ACCOUNT_NAMES_MLE@@IEAAJPEAPEAGPEAVLSA_TRANSLATED_SID_MEM@@PEAVSTRLIST@@PEAVNLS_STR@@PEBGPEAJ@Z +; public: static long __cdecl ACCOUNT_NAMES_MLE::CheckNameType(enum _SID_NAME_USE,unsigned long) +?CheckNameType@ACCOUNT_NAMES_MLE@@SAJW4_SID_NAME_USE@@K@Z +; public: int __cdecl CHANGEABLE_SPIN_ITEM::CheckRange(unsigned long)const __ptr64 +?CheckRange@CHANGEABLE_SPIN_ITEM@@QEBAHK@Z +; public: void __cdecl AUDIT_CHECKBOXES::CheckSuccess(int) __ptr64 +?CheckSuccess@AUDIT_CHECKBOXES@@QEAAXH@Z +; public: virtual int __cdecl CHANGEABLE_SPIN_ITEM::CheckValid(void) __ptr64 +?CheckValid@CHANGEABLE_SPIN_ITEM@@UEAAHXZ +; public: virtual int __cdecl SPIN_SLE_NUM_VALID::CheckValid(void) __ptr64 +?CheckValid@SPIN_SLE_NUM_VALID@@UEAAHXZ +; public: class CONTROL_WINDOW * __ptr64 __cdecl CONTROL_TABLE::CidToCtrlPtr(unsigned int)const __ptr64 +?CidToCtrlPtr@CONTROL_TABLE@@QEBAPEAVCONTROL_WINDOW@@I@Z +; protected: class CONTROL_WINDOW * __ptr64 __cdecl OWNER_WINDOW::CidToCtrlPtr(unsigned int)const __ptr64 +?CidToCtrlPtr@OWNER_WINDOW@@IEBAPEAVCONTROL_WINDOW@@I@Z +; public: void __cdecl CONTROL_WINDOW::ClaimFocus(void) __ptr64 +?ClaimFocus@CONTROL_WINDOW@@QEAAXXZ +; public: void __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::Clear(void) __ptr64 +?Clear@ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAAXXZ +; public: void __cdecl DLIST_OF_SPIN_ITEM::Clear(void) __ptr64 +?Clear@DLIST_OF_SPIN_ITEM@@QEAAXXZ +; public: void __cdecl SLIST_OF_ASSOCHCFILE::Clear(void) __ptr64 +?Clear@SLIST_OF_ASSOCHCFILE@@QEAAXXZ +; public: void __cdecl SLIST_OF_CLIENTDATA::Clear(void) __ptr64 +?Clear@SLIST_OF_CLIENTDATA@@QEAAXXZ +; public: void __cdecl SLIST_OF_OS_SID::Clear(void) __ptr64 +?Clear@SLIST_OF_OS_SID@@QEAAXXZ +; public: void __cdecl SLIST_OF_STRING_BITSET_PAIR::Clear(void) __ptr64 +?Clear@SLIST_OF_STRING_BITSET_PAIR@@QEAAXXZ +; public: void __cdecl SLIST_OF_TIMER_BASE::Clear(void) __ptr64 +?Clear@SLIST_OF_TIMER_BASE@@QEAAXXZ +; public: void __cdecl SLIST_OF_UI_EXT::Clear(void) __ptr64 +?Clear@SLIST_OF_UI_EXT@@QEAAXXZ +; public: void __cdecl SLIST_OF_ULC_API_BUFFER::Clear(void) __ptr64 +?Clear@SLIST_OF_ULC_API_BUFFER@@QEAAXXZ +; public: void __cdecl SLIST_OF_USER_BROWSER_LBI::Clear(void) __ptr64 +?Clear@SLIST_OF_USER_BROWSER_LBI@@QEAAXXZ +; private: void __cdecl H_SPLITTER_BAR::ClearDragBar(void) __ptr64 +?ClearDragBar@H_SPLITTER_BAR@@AEAAXXZ +; public: static unsigned long __cdecl BLT_MASTER_TIMER::ClearMasterTimerHotkey(void) +?ClearMasterTimerHotkey@BLT_MASTER_TIMER@@SAKXZ +; public: void __cdecl SLT_ELLIPSIS::ClearText(void) __ptr64 +?ClearText@SLT_ELLIPSIS@@QEAAXXZ +; public: void __cdecl WINDOW::ClearText(void) __ptr64 +?ClearText@WINDOW@@QEAAXXZ +; public: void __cdecl XYPOINT::ClientToScreen(struct HWND__ * __ptr64) __ptr64 +?ClientToScreen@XYPOINT@@QEAAXPEAUHWND__@@@Z +; public: void __cdecl APP_WINDOW::Close(void) __ptr64 +?Close@APP_WINDOW@@QEAAXXZ +; public: long __cdecl WIN32_HANDLE::Close(void) __ptr64 +?Close@WIN32_HANDLE@@QEAAJXZ +; protected: void __cdecl OPEN_DIALOG_BASE::CloseFile(class OPEN_LBI_BASE * __ptr64) __ptr64 +?CloseFile@OPEN_DIALOG_BASE@@IEAAXPEAVOPEN_LBI_BASE@@@Z +; protected: static int __cdecl USER_LBI_CACHE::CmpUniStrs(struct _UNICODE_STRING const * __ptr64,struct _UNICODE_STRING const * __ptr64) +?CmpUniStrs@USER_LBI_CACHE@@KAHPEBU_UNICODE_STRING@@0@Z +; public: long __cdecl LM_OLLB::CollapseDomain(int) __ptr64 +?CollapseDomain@LM_OLLB@@QEAAJH@Z +; public: long __cdecl LM_OLLB::CollapseDomain(void) __ptr64 +?CollapseDomain@LM_OLLB@@QEAAJXZ +; public: void __cdecl HIER_LISTBOX::CollapseItem(int,int) __ptr64 +?CollapseItem@HIER_LISTBOX@@QEAAXHH@Z +; public: void __cdecl HIER_LISTBOX::CollapseItem(class HIER_LBI * __ptr64,int) __ptr64 +?CollapseItem@HIER_LISTBOX@@QEAAXPEAVHIER_LBI@@H@Z +; int __cdecl CommDlgHookProc(struct HWND__ * __ptr64,unsigned short,unsigned __int64,__int64) +?CommDlgHookProc@@YAHPEAUHWND__@@G_K_J@Z +; public: unsigned __int64 __cdecl WINDOW::Command(unsigned int,unsigned __int64,__int64)const __ptr64 +?Command@WINDOW@@QEBA_KI_K_J@Z +; public: virtual int __cdecl BROWSER_DOMAIN_LBI::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@BROWSER_DOMAIN_LBI@@UEBAHPEBVLBI@@@Z +; public: virtual int __cdecl BROWSER_DOMAIN_LBI_PB::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@BROWSER_DOMAIN_LBI_PB@@UEBAHPEBVLBI@@@Z +; public: int __cdecl CONTROLVAL_CID_PAIR::Compare(class CONTROLVAL_CID_PAIR const * __ptr64)const __ptr64 +?Compare@CONTROLVAL_CID_PAIR@@QEBAHPEBV1@@Z +; public: virtual int __cdecl LBI::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@LBI@@UEBAHPEBV1@@Z +; public: virtual int __cdecl OLLB_ENTRY::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@OLLB_ENTRY@@UEBAHPEBVLBI@@@Z +; protected: virtual int __cdecl STLBITEM::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@STLBITEM@@MEBAHPEBVLBI@@@Z +; public: virtual int __cdecl USER_BROWSER_LBI::Compare(class LBI const * __ptr64)const __ptr64 +?Compare@USER_BROWSER_LBI@@UEBAHPEBVLBI@@@Z +; protected: virtual int __cdecl USER_BROWSER_LBI_CACHE::Compare(class LBI const * __ptr64,class LBI const * __ptr64)const __ptr64 +?Compare@USER_BROWSER_LBI_CACHE@@MEBAHPEBVLBI@@0@Z +; protected: virtual int __cdecl USER_BROWSER_LBI_CACHE::Compare(class LBI const * __ptr64,struct _DOMAIN_DISPLAY_USER const * __ptr64)const __ptr64 +?Compare@USER_BROWSER_LBI_CACHE@@MEBAHPEBVLBI@@PEBU_DOMAIN_DISPLAY_USER@@@Z +; public: int __cdecl USER_BROWSER_LBI::CompareAux(class LBI const * __ptr64)const __ptr64 +?CompareAux@USER_BROWSER_LBI@@QEBAHPEBVLBI@@@Z +; protected: static int __cdecl USER_BROWSER_LBI_CACHE::CompareCacheLBIs(struct _ULC_ENTRY_BASE const * __ptr64,struct _ULC_ENTRY_BASE const * __ptr64) +?CompareCacheLBIs@USER_BROWSER_LBI_CACHE@@KAHPEBU_ULC_ENTRY_BASE@@0@Z +; protected: static int __cdecl USER_LBI_CACHE::CompareLogonNames(void const * __ptr64,void const * __ptr64) +?CompareLogonNames@USER_LBI_CACHE@@KAHPEBX0@Z +; public: virtual int __cdecl LBI::Compare_HAWforHawaii(class NLS_STR const & __ptr64)const __ptr64 +?Compare_HAWforHawaii@LBI@@UEBAHAEBVNLS_STR@@@Z +; public: virtual int __cdecl USER_BROWSER_LBI::Compare_HAWforHawaii(class NLS_STR const & __ptr64)const __ptr64 +?Compare_HAWforHawaii@USER_BROWSER_LBI@@UEBAHAEBVNLS_STR@@@Z +; int __cdecl ComparepLBIs(class USER_BROWSER_LBI * __ptr64 const * __ptr64,class USER_BROWSER_LBI * __ptr64 const * __ptr64) +?ComparepLBIs@@YAHPEBQEAVUSER_BROWSER_LBI@@0@Z +; public: long __cdecl PROMPT_AND_CONNECT::Connect(void) __ptr64 +?Connect@PROMPT_AND_CONNECT@@QEAAJXZ +; public: int __cdecl XYRECT::ContainsXY(class XYPOINT)const __ptr64 +?ContainsXY@XYRECT@@QEBAHVXYPOINT@@@Z +; protected: long __cdecl SLT_ELLIPSIS::ConvertAndSetStr(void) __ptr64 +?ConvertAndSetStr@SLT_ELLIPSIS@@IEAAJXZ +; public: void __cdecl XYRECT::ConvertClientToScreen(struct HWND__ * __ptr64) __ptr64 +?ConvertClientToScreen@XYRECT@@QEAAXPEAUHWND__@@@Z +; public: void __cdecl XYRECT::ConvertScreenToClient(struct HWND__ * __ptr64) __ptr64 +?ConvertScreenToClient@XYRECT@@QEAAXPEAUHWND__@@@Z +; protected: virtual class LBI * __ptr64 __cdecl USER_BROWSER_LBI_CACHE::CreateLBI(struct _DOMAIN_DISPLAY_USER const * __ptr64) __ptr64 +?CreateLBI@USER_BROWSER_LBI_CACHE@@MEAAPEAVLBI@@PEBU_DOMAIN_DISPLAY_USER@@@Z +; public: long __cdecl ACCOUNT_NAMES_MLE::CreateLBIListFromNames(unsigned short const * __ptr64,unsigned short const * __ptr64,class SLIST_OF_USER_BROWSER_LBI * __ptr64,class SLIST_OF_USER_BROWSER_LBI * __ptr64,long * __ptr64,class NLS_STR * __ptr64) __ptr64 +?CreateLBIListFromNames@ACCOUNT_NAMES_MLE@@QEAAJPEBG0PEAVSLIST_OF_USER_BROWSER_LBI@@1PEAJPEAVNLS_STR@@@Z +; long __cdecl CreateLBIsFromSids(void * __ptr64 const * __ptr64,unsigned long,void * __ptr64 const,class LSA_POLICY * __ptr64,unsigned short const * __ptr64,class USER_BROWSER_LB * __ptr64,class SLIST_OF_USER_BROWSER_LBI * __ptr64) +?CreateLBIsFromSids@@YAJPEBQEAXKQEAXPEAVLSA_POLICY@@PEBGPEAVUSER_BROWSER_LB@@PEAVSLIST_OF_USER_BROWSER_LBI@@@Z +; private: void __cdecl GRAPHICAL_BUTTON::CtAux(unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64) __ptr64 +?CtAux@GRAPHICAL_BUTTON@@AEAAXPEBG00@Z +; private: void __cdecl H_SPLITTER_BAR::CtAux(void) __ptr64 +?CtAux@H_SPLITTER_BAR@@AEAAXXZ +; private: long __cdecl POPUP_MENU::CtAux(struct HMENU__ * __ptr64) __ptr64 +?CtAux@POPUP_MENU@@AEAAJPEAUHMENU__@@@Z +; private: void __cdecl PROGRESS_CONTROL::CtAux(void) __ptr64 +?CtAux@PROGRESS_CONTROL@@AEAAXXZ +; public: long __cdecl MENU_BASE::Delete(unsigned int,unsigned int)const __ptr64 +?Delete@MENU_BASE@@QEBAJII@Z +; public: void __cdecl LIST_CONTROL::DeleteAllItems(void) __ptr64 +?DeleteAllItems@LIST_CONTROL@@QEAAXXZ +; protected: void __cdecl WIN32_THREAD::DeleteAndExit(unsigned int) __ptr64 +?DeleteAndExit@WIN32_THREAD@@IEAAXI@Z +; public: void __cdecl HIER_LISTBOX::DeleteChildren(class HIER_LBI * __ptr64) __ptr64 +?DeleteChildren@HIER_LISTBOX@@QEAAXPEAVHIER_LBI@@@Z +; public: void __cdecl DEVICE_COMBO::DeleteCurrentDeviceName(void) __ptr64 +?DeleteCurrentDeviceName@DEVICE_COMBO@@QEAAXXZ +; public: int __cdecl HIER_LISTBOX::DeleteItem(int,int) __ptr64 +?DeleteItem@HIER_LISTBOX@@QEAAHHH@Z +; public: int __cdecl LIST_CONTROL::DeleteItem(int) __ptr64 +?DeleteItem@LIST_CONTROL@@QEAAHH@Z +; public: static void __cdecl BLT::DeregisterHelpFile(struct HINSTANCE__ * __ptr64,unsigned long) +?DeregisterHelpFile@BLT@@SAXPEAUHINSTANCE__@@K@Z +; public: long __cdecl POPUP_MENU::Destroy(void) __ptr64 +?Destroy@POPUP_MENU@@QEAAJXZ +; protected: void __cdecl DIALOG_WINDOW::Dismiss(unsigned int) __ptr64 +?Dismiss@DIALOG_WINDOW@@IEAAXI@Z +; protected: void __cdecl DIALOG_WINDOW::DismissMsg(long,unsigned int) __ptr64 +?DismissMsg@DIALOG_WINDOW@@IEAAXJI@Z +; protected: virtual int __cdecl DISPATCHER::Dispatch(class EVENT const & __ptr64,unsigned long * __ptr64) __ptr64 +?Dispatch@DISPATCHER@@MEAAHAEBVEVENT@@PEAK@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::Dispatch(class EVENT const & __ptr64,unsigned long * __ptr64) __ptr64 +?Dispatch@H_SPLITTER_BAR@@MEAAHAEBVEVENT@@PEAK@Z +; protected: virtual int __cdecl LB_COLUMN_HEADER::Dispatch(class EVENT const & __ptr64,unsigned long * __ptr64) __ptr64 +?Dispatch@LB_COLUMN_HEADER@@MEAAHAEBVEVENT@@PEAK@Z +; protected: virtual __int64 __cdecl APP_WINDOW::DispatchMessageW(class EVENT const & __ptr64) __ptr64 +?DispatchMessageW@APP_WINDOW@@MEAA_JAEBVEVENT@@@Z +; protected: virtual __int64 __cdecl CLIENT_WINDOW::DispatchMessageW(class EVENT const & __ptr64) __ptr64 +?DispatchMessageW@CLIENT_WINDOW@@MEAA_JAEBVEVENT@@@Z +; protected: virtual void __cdecl PROC_TIMER::DispatchTimer(void) __ptr64 +?DispatchTimer@PROC_TIMER@@MEAAXXZ +; protected: virtual void __cdecl TIMER::DispatchTimer(void) __ptr64 +?DispatchTimer@TIMER@@MEAAXXZ +; protected: virtual void __cdecl TIMER_BASE::DispatchTimer(void) __ptr64 +?DispatchTimer@TIMER_BASE@@MEAAXXZ +; protected: virtual void __cdecl WINDOW_TIMER::DispatchTimer(void) __ptr64 +?DispatchTimer@WINDOW_TIMER@@MEAAXXZ +; private: void __cdecl APPLICATION::DisplayCtError(long) __ptr64 +?DisplayCtError@APPLICATION@@AEAAXJ@Z +; protected: virtual void __cdecl SPIN_SLE_NUM_VALID::DisplayErrorMsg(void) __ptr64 +?DisplayErrorMsg@SPIN_SLE_NUM_VALID@@MEAAXXZ +; unsigned int __cdecl DisplayGenericError(class OWNINGWND const & __ptr64,long,long,unsigned short const * __ptr64,unsigned short const * __ptr64,enum MSG_SEVERITY) +?DisplayGenericError@@YAIAEBVOWNINGWND@@JJPEBG1W4MSG_SEVERITY@@@Z +; unsigned int __cdecl DisplayGenericError(class OWNINGWND const & __ptr64,long,long,unsigned short const * __ptr64,enum MSG_SEVERITY) +?DisplayGenericError@@YAIAEBVOWNINGWND@@JJPEBGW4MSG_SEVERITY@@@Z +; private: void __cdecl SPIN_SLE_NUM::DisplayNum(unsigned long) __ptr64 +?DisplayNum@SPIN_SLE_NUM@@AEAAXK@Z +; public: static __int64 __cdecl DIALOG_WINDOW::DlgProc(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?DlgProc@DIALOG_WINDOW@@SA_JPEAUHWND__@@I_K_J@Z +; public: virtual long __cdecl SET_CONTROL::DoAdd(void) __ptr64 +?DoAdd@SET_CONTROL@@UEAAJXZ +; private: long __cdecl SET_CONTROL::DoAddOrRemove(class LISTBOX * __ptr64,class LISTBOX * __ptr64) __ptr64 +?DoAddOrRemove@SET_CONTROL@@AEAAJPEAVLISTBOX@@0@Z +; public: int __cdecl SPIN_GROUP::DoArrowCommand(unsigned int,unsigned short) __ptr64 +?DoArrowCommand@SPIN_GROUP@@QEAAHIG@Z +; public: void __cdecl LOGON_HOURS_CONTROL::DoBanButton(void) __ptr64 +?DoBanButton@LOGON_HOURS_CONTROL@@QEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::DoButtonClick(int) __ptr64 +?DoButtonClick@LOGON_HOURS_CONTROL@@AEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DoButtonDownVisuals(void) __ptr64 +?DoButtonDownVisuals@LOGON_HOURS_CONTROL@@AEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::DoButtonUpVisuals(int) __ptr64 +?DoButtonUpVisuals@LOGON_HOURS_CONTROL@@AEAAXH@Z +; public: int __cdecl DISPATCHER::DoChar(class CHAR_EVENT const & __ptr64) __ptr64 +?DoChar@DISPATCHER@@QEAAHAEBVCHAR_EVENT@@@Z +; public: int __cdecl SPIN_GROUP::DoChar(class CHAR_EVENT const & __ptr64) __ptr64 +?DoChar@SPIN_GROUP@@QEAAHAEBVCHAR_EVENT@@@Z +; public: int __cdecl SPIN_GROUP::DoNewFocus(class SPIN_ITEM * __ptr64) __ptr64 +?DoNewFocus@SPIN_GROUP@@QEAAHPEAVSPIN_ITEM@@@Z +; protected: virtual long __cdecl CANCEL_TASK_DIALOG::DoOneItem(unsigned __int64,int * __ptr64,int * __ptr64,long * __ptr64) __ptr64 +?DoOneItem@CANCEL_TASK_DIALOG@@MEAAJ_KPEAH1PEAJ@Z +; public: void __cdecl LOGON_HOURS_CONTROL::DoPermitButton(void) __ptr64 +?DoPermitButton@LOGON_HOURS_CONTROL@@QEAAXXZ +; public: virtual long __cdecl SET_CONTROL::DoRemove(void) __ptr64 +?DoRemove@SET_CONTROL@@UEAAJXZ +; protected: long __cdecl NT_FIND_ACCOUNT_DIALOG::DoSearch(void) __ptr64 +?DoSearch@NT_FIND_ACCOUNT_DIALOG@@IEAAJXZ +; public: int __cdecl DISPATCHER::DoUserMessage(class EVENT const & __ptr64) __ptr64 +?DoUserMessage@DISPATCHER@@QEAAHAEBVEVENT@@@Z +; private: int __cdecl LOGON_HOURS_CONTROL::DrawAllButtons(class PAINT_DISPLAY_CONTEXT & __ptr64)const __ptr64 +?DrawAllButtons@LOGON_HOURS_CONTROL@@AEBAHAEAVPAINT_DISPLAY_CONTEXT@@@Z +; private: int __cdecl LOGON_HOURS_CONTROL::DrawBackground(class PAINT_DISPLAY_CONTEXT & __ptr64)const __ptr64 +?DrawBackground@LOGON_HOURS_CONTROL@@AEBAHAEAVPAINT_DISPLAY_CONTEXT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawCurrentSelection(class DISPLAY_CONTEXT const & __ptr64)const __ptr64 +?DrawCurrentSelection@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawFocusOnCell(class DISPLAY_CONTEXT const & __ptr64,int)const __ptr64 +?DrawFocusOnCell@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawFocusOnCornerButton(class DISPLAY_CONTEXT const & __ptr64)const __ptr64 +?DrawFocusOnCornerButton@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawFocusOnDayButton(class DISPLAY_CONTEXT const & __ptr64,int)const __ptr64 +?DrawFocusOnDayButton@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawFocusOnHourButton(class DISPLAY_CONTEXT const & __ptr64,int)const __ptr64 +?DrawFocusOnHourButton@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@H@Z +; public: void __cdecl DEVICE_CONTEXT::DrawFocusRect(struct tagRECT const * __ptr64)const __ptr64 +?DrawFocusRect@DEVICE_CONTEXT@@QEBAXPEBUtagRECT@@@Z +; protected: void __cdecl FOCUS_CHECKBOX::DrawFocusRect(class DEVICE_CONTEXT * __ptr64,struct tagRECT * __ptr64,int) __ptr64 +?DrawFocusRect@FOCUS_CHECKBOX@@IEAAXPEAVDEVICE_CONTEXT@@PEAUtagRECT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawFocusSomewhere(class DISPLAY_CONTEXT const & __ptr64,int)const __ptr64 +?DrawFocusSomewhere@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@H@Z +; private: int __cdecl LOGON_HOURS_CONTROL::DrawGridSetting(class PAINT_DISPLAY_CONTEXT & __ptr64)const __ptr64 +?DrawGridSetting@LOGON_HOURS_CONTROL@@AEBAHAEAVPAINT_DISPLAY_CONTEXT@@@Z +; private: int __cdecl LOGON_HOURS_CONTROL::DrawGridWires(class PAINT_DISPLAY_CONTEXT & __ptr64)const __ptr64 +?DrawGridWires@LOGON_HOURS_CONTROL@@AEBAHAEAVPAINT_DISPLAY_CONTEXT@@@Z +; private: int __cdecl APP_WINDOW::DrawIcon(void) __ptr64 +?DrawIcon@APP_WINDOW@@AEAAHXZ +; public: long __cdecl APP_WINDOW::DrawMenuBar(void)const __ptr64 +?DrawMenuBar@APP_WINDOW@@QEBAJXZ +; private: void __cdecl LOGON_HOURS_CONTROL::DrawOneCornerButton(class PAINT_DISPLAY_CONTEXT & __ptr64,class XYRECT const & __ptr64,int,struct HBRUSH__ * __ptr64,struct HPEN__ * __ptr64,struct HPEN__ * __ptr64)const __ptr64 +?DrawOneCornerButton@LOGON_HOURS_CONTROL@@AEBAXAEAVPAINT_DISPLAY_CONTEXT@@AEBVXYRECT@@HPEAUHBRUSH__@@PEAUHPEN__@@3@Z +; private: int __cdecl LOGON_HOURS_CONTROL::DrawOneDayBar(class PAINT_DISPLAY_CONTEXT & __ptr64,int,int,int,struct HBRUSH__ * __ptr64)const __ptr64 +?DrawOneDayBar@LOGON_HOURS_CONTROL@@AEBAHAEAVPAINT_DISPLAY_CONTEXT@@HHHPEAUHBRUSH__@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawOneFlatButton(class PAINT_DISPLAY_CONTEXT & __ptr64,class XYRECT const & __ptr64,int,struct HBRUSH__ * __ptr64,struct HPEN__ * __ptr64,struct HPEN__ * __ptr64)const __ptr64 +?DrawOneFlatButton@LOGON_HOURS_CONTROL@@AEBAXAEAVPAINT_DISPLAY_CONTEXT@@AEBVXYRECT@@HPEAUHBRUSH__@@PEAUHPEN__@@3@Z +; public: void __cdecl DEVICE_CONTEXT::DrawRect(struct tagRECT const * __ptr64)const __ptr64 +?DrawRect@DEVICE_CONTEXT@@QEBAXPEBUtagRECT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawSelectionOnCell(class DISPLAY_CONTEXT const & __ptr64,int)const __ptr64 +?DrawSelectionOnCell@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@H@Z +; private: void __cdecl LOGON_HOURS_CONTROL::DrawSelectionOnCells(class DISPLAY_CONTEXT const & __ptr64,int,int)const __ptr64 +?DrawSelectionOnCells@LOGON_HOURS_CONTROL@@AEBAXAEBVDISPLAY_CONTEXT@@HH@Z +; public: int __cdecl DEVICE_CONTEXT::DrawTextW(class NLS_STR const & __ptr64,struct tagRECT * __ptr64,unsigned int) __ptr64 +?DrawTextW@DEVICE_CONTEXT@@QEAAHAEBVNLS_STR@@PEAUtagRECT@@I@Z +; private: int __cdecl POPUP::Emergency(void)const __ptr64 +?Emergency@POPUP@@AEBAHXZ +; public: void __cdecl AUDIT_CHECKBOXES::Enable(int,int) __ptr64 +?Enable@AUDIT_CHECKBOXES@@QEAAXHH@Z +; public: void __cdecl MAGIC_GROUP::Enable(int) __ptr64 +?Enable@MAGIC_GROUP@@QEAAXH@Z +; public: void __cdecl MENUITEM::Enable(int) __ptr64 +?Enable@MENUITEM@@QEAAXH@Z +; public: void __cdecl RADIO_GROUP::Enable(int) __ptr64 +?Enable@RADIO_GROUP@@QEAAXH@Z +; public: void __cdecl SET_OF_AUDIT_CATEGORIES::Enable(int,int) __ptr64 +?Enable@SET_OF_AUDIT_CATEGORIES@@QEAAXHH@Z +; public: void __cdecl TIMER_BASE::Enable(int) __ptr64 +?Enable@TIMER_BASE@@QEAAXH@Z +; public: void __cdecl WINDOW::Enable(int) __ptr64 +?Enable@WINDOW@@QEAAXH@Z +; protected: void __cdecl NT_USER_BROWSER_DIALOG::EnableBrowsing(int) __ptr64 +?EnableBrowsing@NT_USER_BROWSER_DIALOG@@IEAAXH@Z +; protected: void __cdecl SET_CONTROL::EnableButtons(void) __ptr64 +?EnableButtons@SET_CONTROL@@IEAAXXZ +; public: unsigned int __cdecl MENU_BASE::EnableItem(unsigned int,int,unsigned int)const __ptr64 +?EnableItem@MENU_BASE@@QEBAIIHI@Z +; public: void __cdecl SET_CONTROL::EnableMoves(int) __ptr64 +?EnableMoves@SET_CONTROL@@QEAAXH@Z +; public: void __cdecl TRISTATE::EnableThirdState(int) __ptr64 +?EnableThirdState@TRISTATE@@QEAAXH@Z +; public: static long __cdecl BLTIMP::EnterBLTCritSect(void) +?EnterBLTCritSect@BLTIMP@@SAJXZ +; public: static long __cdecl BLTIMP::EnterResourceCritSect(void) +?EnterResourceCritSect@BLTIMP@@SAJXZ +; public: long __cdecl MASK_MAP::EnumBits(class BITFIELD * __ptr64,int * __ptr64,int * __ptr64,int) __ptr64 +?EnumBits@MASK_MAP@@QEAAJPEAVBITFIELD@@PEAH1H@Z +; public: long __cdecl MASK_MAP::EnumStrings(class NLS_STR * __ptr64,int * __ptr64,int * __ptr64,int) __ptr64 +?EnumStrings@MASK_MAP@@QEAAJPEAVNLS_STR@@PEAH1H@Z +; protected: void __cdecl FOCUS_CHECKBOX::EraseFocusRect(class DEVICE_CONTEXT * __ptr64,struct tagRECT * __ptr64) __ptr64 +?EraseFocusRect@FOCUS_CHECKBOX@@IEAAXPEAVDEVICE_CONTEXT@@PEAUtagRECT@@@Z +; private: void __cdecl LOGON_HOURS_CONTROL::EraseSelection(class DISPLAY_CONTEXT const & __ptr64) __ptr64 +?EraseSelection@LOGON_HOURS_CONTROL@@AEAAXAEBVDISPLAY_CONTEXT@@@Z +; protected: void __cdecl WIN32_THREAD::Exit(unsigned int) __ptr64 +?Exit@WIN32_THREAD@@IEAAXI@Z +; public: long __cdecl DOMAIN_FILL_THREAD::ExitThread(void) __ptr64 +?ExitThread@DOMAIN_FILL_THREAD@@QEAAJXZ +; public: long __cdecl FOCUSDLG_DATA_THREAD::ExitThread(void) __ptr64 +?ExitThread@FOCUSDLG_DATA_THREAD@@QEAAJXZ +; private: int __cdecl HIER_LISTBOX::ExpandChildren(int,class HIER_LBI * __ptr64) __ptr64 +?ExpandChildren@HIER_LISTBOX@@AEAAHHPEAVHIER_LBI@@@Z +; public: long __cdecl LM_OLLB::ExpandDomain(int) __ptr64 +?ExpandDomain@LM_OLLB@@QEAAJH@Z +; public: long __cdecl LM_OLLB::ExpandDomain(void) __ptr64 +?ExpandDomain@LM_OLLB@@QEAAJXZ +; public: long __cdecl HIER_LISTBOX::ExpandItem(int) __ptr64 +?ExpandItem@HIER_LISTBOX@@QEAAJH@Z +; public: long __cdecl HIER_LISTBOX::ExpandItem(class HIER_LBI * __ptr64) __ptr64 +?ExpandItem@HIER_LISTBOX@@QEAAJPEAVHIER_LBI@@@Z +; public: int __cdecl DEVICE_CONTEXT::ExtTextOutW(int,int,unsigned int,struct tagRECT const * __ptr64,class NLS_STR const & __ptr64,int * __ptr64) __ptr64 +?ExtTextOutW@DEVICE_CONTEXT@@QEAAHHHIPEBUtagRECT@@AEBVNLS_STR@@PEAH@Z +; public: int __cdecl DEVICE_CONTEXT::ExtTextOutW(int,int,unsigned int,struct tagRECT const * __ptr64,unsigned short const * __ptr64,int,int * __ptr64) __ptr64 +?ExtTextOutW@DEVICE_CONTEXT@@QEAAHHHIPEBUtagRECT@@PEBGHPEAH@Z +; public: long __cdecl NT_GROUP_BROWSER_LB::Fill(void * __ptr64 const * __ptr64,unsigned long,class SAM_DOMAIN const * __ptr64,class LSA_POLICY * __ptr64,unsigned short const * __ptr64) __ptr64 +?Fill@NT_GROUP_BROWSER_LB@@QEAAJPEBQEAXKPEBVSAM_DOMAIN@@PEAVLSA_POLICY@@PEBG@Z +; public: long __cdecl OPEN_LBOX_BASE::Fill(void) __ptr64 +?Fill@OPEN_LBOX_BASE@@QEAAJXZ +; public: long __cdecl USER_BROWSER_LBI_CACHE::Fill(class ADMIN_AUTHORITY * __ptr64,unsigned short const * __ptr64,unsigned long,int,int,int * __ptr64) __ptr64 +?Fill@USER_BROWSER_LBI_CACHE@@QEAAJPEAVADMIN_AUTHORITY@@PEBGKHHPEAH@Z +; public: void __cdecl LM_OLLB::FillAllInfo(class BROWSE_DOMAIN_ENUM * __ptr64,class SERVER1_ENUM * __ptr64,unsigned short const * __ptr64) __ptr64 +?FillAllInfo@LM_OLLB@@QEAAXPEAVBROWSE_DOMAIN_ENUM@@PEAVSERVER1_ENUM@@PEBG@Z +; private: void __cdecl MSGPOPUP_DIALOG::FillButtonArray(unsigned int,int * __ptr64,int * __ptr64) __ptr64 +?FillButtonArray@MSGPOPUP_DIALOG@@AEAAXIPEAH0@Z +; private: long __cdecl DEVICE_COMBO::FillDevices(void) __ptr64 +?FillDevices@DEVICE_COMBO@@AEAAJXZ +; private: long __cdecl LM_OLLB::FillDomains(unsigned long,unsigned short const * __ptr64) __ptr64 +?FillDomains@LM_OLLB@@AEAAJKPEBG@Z +; public: long __cdecl NT_GROUP_BROWSER_LB::FillGlobalGroupMembers(class OS_SID const * __ptr64,class SAM_DOMAIN const * __ptr64,class SAM_DOMAIN const * __ptr64,class LSA_POLICY * __ptr64,unsigned short const * __ptr64) __ptr64 +?FillGlobalGroupMembers@NT_GROUP_BROWSER_LB@@QEAAJPEBVOS_SID@@PEBVSAM_DOMAIN@@1PEAVLSA_POLICY@@PEBG@Z +; public: long __cdecl NT_GROUP_BROWSER_LB::FillLocalGroupMembers(class OS_SID const * __ptr64,class SAM_DOMAIN const * __ptr64,class SAM_DOMAIN const * __ptr64,class LSA_POLICY * __ptr64,unsigned short const * __ptr64) __ptr64 +?FillLocalGroupMembers@NT_GROUP_BROWSER_LB@@QEAAJPEBVOS_SID@@PEBVSAM_DOMAIN@@1PEAVLSA_POLICY@@PEBG@Z +; private: long __cdecl LM_OLLB::FillServers(unsigned short const * __ptr64,unsigned int * __ptr64) __ptr64 +?FillServers@LM_OLLB@@AEAAJPEBGPEAI@Z +; protected: virtual int __cdecl DIALOG_WINDOW::FilterMessage(struct tagMSG * __ptr64) __ptr64 +?FilterMessage@DIALOG_WINDOW@@MEAAHPEAUtagMSG@@@Z +; protected: virtual int __cdecl HAS_MESSAGE_PUMP::FilterMessage(struct tagMSG * __ptr64) __ptr64 +?FilterMessage@HAS_MESSAGE_PUMP@@MEAAHPEAUtagMSG@@@Z +; public: int __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::Find(class CONTROLVAL_CID_PAIR const & __ptr64)const __ptr64 +?Find@ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEBAHAEBVCONTROLVAL_CID_PAIR@@@Z +; public: static class DIALOG_WINDOW * __ptr64 __cdecl HWND_DLGPTR_CACHE::Find(struct HWND__ * __ptr64) +?Find@HWND_DLGPTR_CACHE@@SAPEAVDIALOG_WINDOW@@PEAUHWND__@@@Z +; private: unsigned int __cdecl MAGIC_GROUP::FindAssocRadioButton(class CONTROL_VALUE * __ptr64) __ptr64 +?FindAssocRadioButton@MAGIC_GROUP@@AEAAIPEAVCONTROL_VALUE@@@Z +; public: class BROWSER_DOMAIN * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::FindDomain(class OS_SID const * __ptr64) __ptr64 +?FindDomain@NT_USER_BROWSER_DIALOG@@QEAAPEAVBROWSER_DOMAIN@@PEBVOS_SID@@@Z +; public: class UI_EXT * __ptr64 __cdecl UI_EXT_MGR::FindExtensionByDelta(unsigned long) __ptr64 +?FindExtensionByDelta@UI_EXT_MGR@@QEAAPEAVUI_EXT@@K@Z +; public: class UI_EXT * __ptr64 __cdecl UI_EXT_MGR::FindExtensionByName(unsigned short const * __ptr64) __ptr64 +?FindExtensionByName@UI_EXT_MGR@@QEAAPEAVUI_EXT@@PEBG@Z +; public: int __cdecl BLT_LISTBOX::FindItem(class LBI const & __ptr64)const __ptr64 +?FindItem@BLT_LISTBOX@@QEBAHAEBVLBI@@@Z +; public: int __cdecl OUTLINE_LISTBOX::FindItem(unsigned short const * __ptr64,unsigned short const * __ptr64)const __ptr64 +?FindItem@OUTLINE_LISTBOX@@QEBAHPEBG0@Z +; public: int __cdecl STRING_LIST_CONTROL::FindItem(unsigned short const * __ptr64)const __ptr64 +?FindItem@STRING_LIST_CONTROL@@QEBAHPEBG@Z +; public: int __cdecl STRING_LIST_CONTROL::FindItem(unsigned short const * __ptr64,int)const __ptr64 +?FindItem@STRING_LIST_CONTROL@@QEBAHPEBGH@Z +; public: int __cdecl STRING_LIST_CONTROL::FindItemExact(unsigned short const * __ptr64)const __ptr64 +?FindItemExact@STRING_LIST_CONTROL@@QEBAHPEBG@Z +; public: int __cdecl STRING_LIST_CONTROL::FindItemExact(unsigned short const * __ptr64,int)const __ptr64 +?FindItemExact@STRING_LIST_CONTROL@@QEBAHPEBGH@Z +; public: void __cdecl DEVICE_CONTEXT::FrameRect(struct tagRECT const * __ptr64,struct HBRUSH__ * __ptr64)const __ptr64 +?FrameRect@DEVICE_CONTEXT@@QEBAXPEBUtagRECT@@PEAUHBRUSH__@@@Z +; private: virtual long __cdecl SPIN_SLE_STR::GetAccKey(class NLS_STR * __ptr64) __ptr64 +?GetAccKey@SPIN_SLE_STR@@EEAAJPEAVNLS_STR@@@Z +; protected: virtual long __cdecl SPIN_SLT_SEPARATOR::GetAccKey(class NLS_STR * __ptr64) __ptr64 +?GetAccKey@SPIN_SLT_SEPARATOR@@MEAAJPEAVNLS_STR@@@Z +; private: long __cdecl MSG_DIALOG_BASE::GetAndSendText(void) __ptr64 +?GetAndSendText@MSG_DIALOG_BASE@@AEAAJXZ +; public: unsigned long __cdecl DEVICE_CONTEXT::GetBkColor(void)const __ptr64 +?GetBkColor@DEVICE_CONTEXT@@QEBAKXZ +; public: long __cdecl BROWSER_DOMAIN::GetDomainInfo(class NT_USER_BROWSER_DIALOG * __ptr64,class ADMIN_AUTHORITY const * __ptr64) __ptr64 +?GetDomainInfo@BROWSER_DOMAIN@@QEAAJPEAVNT_USER_BROWSER_DIALOG@@PEBVADMIN_AUTHORITY@@@Z +; public: long __cdecl UI_DOMAIN::GetInfo(void) __ptr64 +?GetInfo@UI_DOMAIN@@QEAAJXZ +; public: long __cdecl APP_WINDOW::GetPlacement(struct tagWINDOWPLACEMENT * __ptr64)const __ptr64 +?GetPlacement@APP_WINDOW@@QEBAJPEAUtagWINDOWPLACEMENT@@@Z +; public: long __cdecl BROWSER_DOMAIN::GetQualifiedDomainName(class NLS_STR * __ptr64) __ptr64 +?GetQualifiedDomainName@BROWSER_DOMAIN@@QEAAJPEAVNLS_STR@@@Z +; public: long __cdecl BROWSER_DOMAIN_LBI_PB::GetQualifiedDomainName(class NLS_STR * __ptr64) __ptr64 +?GetQualifiedDomainName@BROWSER_DOMAIN_LBI_PB@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned long __cdecl DEVICE_CONTEXT::GetTextColor(void)const __ptr64 +?GetTextColor@DEVICE_CONTEXT@@QEBAKXZ +; private: int __cdecl DISPLAY_MAP::GetTransColorIndex(unsigned long * __ptr64,int)const __ptr64 +?GetTransColorIndex@DISPLAY_MAP@@AEBAHPEAKH@Z +; protected: long __cdecl NT_USER_BROWSER_DIALOG::GetTrustedDomainList(unsigned short const * __ptr64,class BROWSER_DOMAIN * __ptr64 * __ptr64,class BROWSER_DOMAIN_CB * __ptr64,class ADMIN_AUTHORITY const * __ptr64) __ptr64 +?GetTrustedDomainList@NT_USER_BROWSER_DIALOG@@IEAAJPEBGPEAPEAVBROWSER_DOMAIN@@PEAVBROWSER_DOMAIN_CB@@PEBVADMIN_AUTHORITY@@@Z +; public: int __cdecl SET_CONTROL::HandleOnLMouseButtonDown(class LISTBOX * __ptr64,class CUSTOM_CONTROL * __ptr64,class MOUSE_EVENT const & __ptr64) __ptr64 +?HandleOnLMouseButtonDown@SET_CONTROL@@QEAAHPEAVLISTBOX@@PEAVCUSTOM_CONTROL@@AEBVMOUSE_EVENT@@@Z +; public: int __cdecl SET_CONTROL::HandleOnLMouseButtonUp(class LISTBOX * __ptr64,class CUSTOM_CONTROL * __ptr64,class MOUSE_EVENT const & __ptr64) __ptr64 +?HandleOnLMouseButtonUp@SET_CONTROL@@QEAAHPEAVLISTBOX@@PEAVCUSTOM_CONTROL@@AEBVMOUSE_EVENT@@@Z +; public: int __cdecl SET_CONTROL::HandleOnMouseMove(class LISTBOX * __ptr64,class MOUSE_EVENT const & __ptr64) __ptr64 +?HandleOnMouseMove@SET_CONTROL@@QEAAHPEAVLISTBOX@@AEBVMOUSE_EVENT@@@Z +; public: int __cdecl HIER_LBI::HasChildren(void) __ptr64 +?HasChildren@HIER_LBI@@QEAAHXZ +; public: int __cdecl WINDOW::HasFocus(void)const __ptr64 +?HasFocus@WINDOW@@QEBAHXZ +; public: static class DISPATCHER * __ptr64 __cdecl ASSOCHWNDDISP::HwndToPdispatch(struct HWND__ * __ptr64) +?HwndToPdispatch@ASSOCHWNDDISP@@SAPEAVDISPATCHER@@PEAUHWND__@@@Z +; public: static class DIALOG_WINDOW * __ptr64 __cdecl ASSOCHWNDPDLG::HwndToPdlg(struct HWND__ * __ptr64) +?HwndToPdlg@ASSOCHWNDPDLG@@SAPEAVDIALOG_WINDOW@@PEAUHWND__@@@Z +; public: static class CLIENT_WINDOW * __ptr64 __cdecl ASSOCHWNDPWND::HwndToPwnd(struct HWND__ * __ptr64) +?HwndToPwnd@ASSOCHWNDPWND@@SAPEAVCLIENT_WINDOW@@PEAUHWND__@@@Z +; private: static class CLIENT_WINDOW * __ptr64 __cdecl CLIENT_WINDOW::HwndToPwnd(struct HWND__ * __ptr64) +?HwndToPwnd@CLIENT_WINDOW@@CAPEAV1@PEAUHWND__@@@Z +; private: static class DIALOG_WINDOW * __ptr64 __cdecl DIALOG_WINDOW::HwndToPwnd(struct HWND__ * __ptr64) +?HwndToPwnd@DIALOG_WINDOW@@CAPEAV1@PEAUHWND__@@@Z +; protected: static class DISPATCHER * __ptr64 __cdecl DISPATCHER::HwndToPwnd(struct HWND__ * __ptr64) +?HwndToPwnd@DISPATCHER@@KAPEAV1@PEAUHWND__@@@Z +; public: static void * __ptr64 __cdecl ASSOCHWNDTHIS::HwndToThis(struct HWND__ * __ptr64) +?HwndToThis@ASSOCHWNDTHIS@@SAPEAXPEAUHWND__@@@Z +; public: int __cdecl BASE_SET_FOCUS_DLG::InRasMode(void)const __ptr64 +?InRasMode@BASE_SET_FOCUS_DLG@@QEBAHXZ +; public: int __cdecl XYPOINT::InRect(class XYRECT const & __ptr64)const __ptr64 +?InRect@XYPOINT@@QEBAHAEBVXYRECT@@@Z +; public: virtual void __cdecl CONTROL_WINDOW::IndicateError(long) __ptr64 +?IndicateError@CONTROL_WINDOW@@UEAAXJ@Z +; public: virtual void __cdecl SLE::IndicateError(long) __ptr64 +?IndicateError@SLE@@UEAAXJ@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::Inflate(int,int) __ptr64 +?Inflate@XYRECT@@QEAAAEAV1@HH@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::Inflate(class XYDIMENSION) __ptr64 +?Inflate@XYRECT@@QEAAAEAV1@VXYDIMENSION@@@Z +; public: static long __cdecl BASE_ELLIPSIS::Init(void) +?Init@BASE_ELLIPSIS@@SAJXZ +; public: static long __cdecl BLT::Init(struct HINSTANCE__ * __ptr64,unsigned int,unsigned int,unsigned int,unsigned int) +?Init@BLT@@SAJPEAUHINSTANCE__@@IIII@Z +; public: static long __cdecl BLTIMP::Init(void) +?Init@BLTIMP@@SAJXZ +; public: static long __cdecl BLT_MASTER_TIMER::Init(void) +?Init@BLT_MASTER_TIMER@@SAJXZ +; public: static long __cdecl CLIENT_WINDOW::Init(void) +?Init@CLIENT_WINDOW@@SAJXZ +; public: static long __cdecl POPUP::Init(void) +?Init@POPUP@@SAJXZ +; public: long __cdecl SLE_STRLB_GROUP::Init(class STRLIST * __ptr64) __ptr64 +?Init@SLE_STRLB_GROUP@@QEAAJPEAVSTRLIST@@@Z +; public: static void __cdecl WIN32_FONT_PICKER::InitCHOOSEFONT(struct tagCHOOSEFONTW * __ptr64,struct tagLOGFONTW * __ptr64,struct HWND__ * __ptr64) +?InitCHOOSEFONT@WIN32_FONT_PICKER@@SAXPEAUtagCHOOSEFONTW@@PEAUtagLOGFONTW@@PEAUHWND__@@@Z +; public: static long __cdecl BLT::InitDLL(void) +?InitDLL@BLT@@SAJXZ +; protected: void __cdecl GET_FNAME_BASE_DLG::InitialOFN(void) __ptr64 +?InitialOFN@GET_FNAME_BASE_DLG@@IEAAXXZ +; private: long __cdecl SPIN_SLE_STR::Initialize(long,class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +?Initialize@SPIN_SLE_STR@@AEAAJJPEAVOWNER_WINDOW@@I@Z +; private: long __cdecl SPIN_SLE_STR::Initialize(unsigned short const * __ptr64 * __ptr64 const,class OWNER_WINDOW * __ptr64,unsigned int) __ptr64 +?Initialize@SPIN_SLE_STR@@AEAAJQEAPEBGPEAVOWNER_WINDOW@@I@Z +; private: long __cdecl SPIN_SLT_SEPARATOR::Initialize(void) __ptr64 +?Initialize@SPIN_SLT_SEPARATOR@@AEAAJXZ +; public: long __cdecl MENU_BASE::Insert(unsigned short const * __ptr64,unsigned int,unsigned int,unsigned int)const __ptr64 +?Insert@MENU_BASE@@QEBAJPEBGIII@Z +; public: long __cdecl MENU_BASE::Insert(unsigned short const * __ptr64,unsigned int,struct HMENU__ * __ptr64,unsigned int)const __ptr64 +?Insert@MENU_BASE@@QEBAJPEBGIPEAUHMENU__@@I@Z +; public: int __cdecl BLT_LISTBOX::InsertItem(int,class LBI * __ptr64) __ptr64 +?InsertItem@BLT_LISTBOX@@QEAAHHPEAVLBI@@@Z +; public: int __cdecl STRING_LIST_CONTROL::InsertItem(int,class NLS_STR const & __ptr64) __ptr64 +?InsertItem@STRING_LIST_CONTROL@@QEAAHHAEBVNLS_STR@@@Z +; public: int __cdecl STRING_LIST_CONTROL::InsertItem(int,unsigned short const * __ptr64) __ptr64 +?InsertItem@STRING_LIST_CONTROL@@QEAAHHPEBG@Z +; protected: int __cdecl LIST_CONTROL::InsertItemData(int,void * __ptr64) __ptr64 +?InsertItemData@LIST_CONTROL@@IEAAHHPEAX@Z +; public: long __cdecl NLS_STR::InsertParams(class NLS_STR const & __ptr64) __ptr64 +?InsertParams@NLS_STR@@QEAAJAEBV1@@Z +; public: long __cdecl MENU_BASE::InsertSeparator(unsigned int,unsigned int)const __ptr64 +?InsertSeparator@MENU_BASE@@QEBAJII@Z +; public: long __cdecl BLT_MASTER_TIMER::InsertTimer(class TIMER_BASE * __ptr64) __ptr64 +?InsertTimer@BLT_MASTER_TIMER@@QEAAJPEAVTIMER_BASE@@@Z +; public: void __cdecl WINDOW::Invalidate(class XYRECT const & __ptr64) __ptr64 +?Invalidate@WINDOW@@QEAAXAEBVXYRECT@@@Z +; public: void __cdecl WINDOW::Invalidate(int) __ptr64 +?Invalidate@WINDOW@@QEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::InvalidateButton(int) __ptr64 +?InvalidateButton@LOGON_HOURS_CONTROL@@AEAAXH@Z +; public: void __cdecl LISTBOX::InvalidateItem(int,int) __ptr64 +?InvalidateItem@LISTBOX@@QEAAXHH@Z +; private: void __cdecl H_SPLITTER_BAR::InvertDragBar(class XYPOINT const & __ptr64) __ptr64 +?InvertDragBar@H_SPLITTER_BAR@@AEAAXAEBVXYPOINT@@@Z +; public: void __cdecl DEVICE_CONTEXT::InvertRect(struct tagRECT const * __ptr64)const __ptr64 +?InvertRect@DEVICE_CONTEXT@@QEBAXPEBUtagRECT@@@Z +; public: int __cdecl INTL_PROFILE::Is24Hour(void)const __ptr64 +?Is24Hour@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl ACTIVATION_EVENT::IsActivating(void)const __ptr64 +?IsActivating@ACTIVATION_EVENT@@QEBAHXZ +; public: int __cdecl SPIN_GROUP::IsActive(void)const __ptr64 +?IsActive@SPIN_GROUP@@QEBAHXZ +; public: int __cdecl ASSOCHCFILE::IsAssociatedHC(unsigned long)const __ptr64 +?IsAssociatedHC@ASSOCHCFILE@@QEBAHK@Z +; protected: int __cdecl HEAP_BASE::IsAutoReadjusting(void)const __ptr64 +?IsAutoReadjusting@HEAP_BASE@@IEBAHXZ +; protected: int __cdecl NT_USER_BROWSER_DIALOG::IsBrowsingEnabled(void)const __ptr64 +?IsBrowsingEnabled@NT_USER_BROWSER_DIALOG@@IEBAHXZ +; private: int __cdecl LOGON_HOURS_CONTROL::IsButtonACell(int)const __ptr64 +?IsButtonACell@LOGON_HOURS_CONTROL@@AEBAHH@Z +; public: int __cdecl MENUITEM::IsChecked(void)const __ptr64 +?IsChecked@MENUITEM@@QEBAHXZ +; public: int __cdecl WINDOW::IsChild(void)const __ptr64 +?IsChild@WINDOW@@QEBAHXZ +; public: static int __cdecl WINDOW::IsClientGeneratedMessage(void) +?IsClientGeneratedMessage@WINDOW@@SAHXZ +; public: int __cdecl LIST_CONTROL::IsCombo(void)const __ptr64 +?IsCombo@LIST_CONTROL@@QEBAHXZ +; public: int __cdecl PROMPT_AND_CONNECT::IsConnected(void) __ptr64 +?IsConnected@PROMPT_AND_CONNECT@@QEAAHXZ +; private: int __cdecl BLT_DATE_SPIN_GROUP::IsConstructionFail(class CONTROL_WINDOW * __ptr64) __ptr64 +?IsConstructionFail@BLT_DATE_SPIN_GROUP@@AEAAHPEAVCONTROL_WINDOW@@@Z +; private: int __cdecl BLT_TIME_SPIN_GROUP::IsConstructionFail(class CONTROL_WINDOW * __ptr64) __ptr64 +?IsConstructionFail@BLT_TIME_SPIN_GROUP@@AEAAHPEAVCONTROL_WINDOW@@@Z +; public: int __cdecl INTL_PROFILE::IsDayLZero(void)const __ptr64 +?IsDayLZero@INTL_PROFILE@@QEBAHXZ +; private: virtual int __cdecl HIER_LBI::IsDestroyable(void) __ptr64 +?IsDestroyable@HIER_LBI@@EEAAHXZ +; protected: virtual int __cdecl LBI::IsDestroyable(void) __ptr64 +?IsDestroyable@LBI@@MEAAHXZ +; protected: int __cdecl NT_USER_BROWSER_DIALOG::IsDomainComboDropped(void)const __ptr64 +?IsDomainComboDropped@NT_USER_BROWSER_DIALOG@@IEBAHXZ +; public: int __cdecl COMBOBOX::IsDropDown(void)const __ptr64 +?IsDropDown@COMBOBOX@@QEBAHXZ +; public: int __cdecl COMBOBOX::IsDropDownList(void)const __ptr64 +?IsDropDownList@COMBOBOX@@QEBAHXZ +; public: int __cdecl BLT_COMBOBOX::IsDropped(void)const __ptr64 +?IsDropped@BLT_COMBOBOX@@QEBAHXZ +; public: int __cdecl XYRECT::IsEmpty(void)const __ptr64 +?IsEmpty@XYRECT@@QEBAHXZ +; public: int __cdecl MENUITEM::IsEnabled(void)const __ptr64 +?IsEnabled@MENUITEM@@QEBAHXZ +; public: int __cdecl TIMER_BASE::IsEnabled(void)const __ptr64 +?IsEnabled@TIMER_BASE@@QEBAHXZ +; public: int __cdecl WINDOW::IsEnabled(void)const __ptr64 +?IsEnabled@WINDOW@@QEBAHXZ +; protected: int __cdecl BASE_SET_FOCUS_DLG::IsExpanded(void)const __ptr64 +?IsExpanded@BASE_SET_FOCUS_DLG@@IEBAHXZ +; public: int __cdecl OLLB_ENTRY::IsExpanded(void)const __ptr64 +?IsExpanded@OLLB_ENTRY@@QEBAHXZ +; public: int __cdecl AUDIT_CHECKBOXES::IsFailedChecked(void) __ptr64 +?IsFailedChecked@AUDIT_CHECKBOXES@@QEAAHXZ +; protected: int __cdecl CANCEL_TASK_DIALOG::IsFinished(void)const __ptr64 +?IsFinished@CANCEL_TASK_DIALOG@@IEBAHXZ +; public: int __cdecl GET_FNAME_BASE_DLG::IsHelpActive(void) __ptr64 +?IsHelpActive@GET_FNAME_BASE_DLG@@QEAAHXZ +; public: int __cdecl INTL_PROFILE::IsHourLZero(void)const __ptr64 +?IsHourLZero@INTL_PROFILE@@QEBAHXZ +; protected: int __cdecl CANCEL_TASK_DIALOG::IsInTimer(void)const __ptr64 +?IsInTimer@CANCEL_TASK_DIALOG@@IEBAHXZ +; public: int __cdecl BROWSER_DOMAIN::IsInitialized(void)const __ptr64 +?IsInitialized@BROWSER_DOMAIN@@QEBAHXZ +; public: virtual int __cdecl USER_LBI_CACHE::IsItemAvailable(int) __ptr64 +?IsItemAvailable@USER_LBI_CACHE@@UEAAHH@Z +; public: int __cdecl LIST_CONTROL::IsItemSelected(unsigned int)const __ptr64 +?IsItemSelected@LIST_CONTROL@@QEBAHI@Z +; public: int __cdecl RADIO_GROUP::IsMember(unsigned int) __ptr64 +?IsMember@RADIO_GROUP@@QEAAHI@Z +; public: int __cdecl CLIENT_WINDOW::IsMinimized(void)const __ptr64 +?IsMinimized@CLIENT_WINDOW@@QEBAHXZ +; public: int __cdecl SPIN_GROUP::IsModified(void)const __ptr64 +?IsModified@SPIN_GROUP@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::IsMonthLZero(void)const __ptr64 +?IsMonthLZero@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl LIST_CONTROL::IsMultSel(void)const __ptr64 +?IsMultSel@LIST_CONTROL@@QEBAHXZ +; private: int __cdecl SET_CONTROL::IsOnDragStart(class LISTBOX * __ptr64,class LISTBOX * __ptr64,class XYPOINT const & __ptr64)const __ptr64 +?IsOnDragStart@SET_CONTROL@@AEBAHPEAVLISTBOX@@0AEBVXYPOINT@@@Z +; private: int __cdecl SET_CONTROL::IsOnSelectedItem(class LISTBOX * __ptr64,class LISTBOX * __ptr64,class XYPOINT const & __ptr64)const __ptr64 +?IsOnSelectedItem@SET_CONTROL@@AEBAHPEAVLISTBOX@@0AEBVXYPOINT@@@Z +; private: int __cdecl SET_CONTROL::IsOverTarget(class LISTBOX * __ptr64,class LISTBOX * __ptr64,class XYPOINT const & __ptr64)const __ptr64 +?IsOverTarget@SET_CONTROL@@AEBAHPEAVLISTBOX@@0AEBVXYPOINT@@@Z +; private: int __cdecl HIER_LBI::IsParent(class HIER_LBI * __ptr64) __ptr64 +?IsParent@HIER_LBI@@AEAAHPEAV1@@Z +; public: int __cdecl MENU_BASE::IsPopup(int)const __ptr64 +?IsPopup@MENU_BASE@@QEBAHH@Z +; public: int __cdecl MASK_MAP::IsPresent(class BITFIELD * __ptr64) __ptr64 +?IsPresent@MASK_MAP@@QEAAHPEAVBITFIELD@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::IsPumpFinished(void) __ptr64 +?IsPumpFinished@DIALOG_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl HAS_MESSAGE_PUMP::IsPumpFinished(void) __ptr64 +?IsPumpFinished@HAS_MESSAGE_PUMP@@MEAAHXZ +; public: int __cdecl LISTBOX::IsReadOnly(void)const __ptr64 +?IsReadOnly@LISTBOX@@QEBAHXZ +; protected: int __cdecl HEAP_BASE::IsRoot(int)const __ptr64 +?IsRoot@HEAP_BASE@@IEBAHH@Z +; public: int __cdecl WIN32_THREAD::IsRunnable(void)const __ptr64 +?IsRunnable@WIN32_THREAD@@QEBAHXZ +; protected: int __cdecl USER_BROWSER_LB::IsSelectionExpandableGroup(class USER_BROWSER_LBI const * __ptr64,int)const __ptr64 +?IsSelectionExpandableGroup@USER_BROWSER_LB@@IEBAHPEBVUSER_BROWSER_LBI@@H@Z +; public: int __cdecl USER_BROWSER_LB::IsSelectionExpandableGroup(void)const __ptr64 +?IsSelectionExpandableGroup@USER_BROWSER_LB@@QEBAHXZ +; public: int __cdecl MENU_BASE::IsSeparator(int)const __ptr64 +?IsSeparator@MENU_BASE@@QEBAHH@Z +; protected: int __cdecl NT_USER_BROWSER_DIALOG::IsShowUsersButtonUsed(void)const __ptr64 +?IsShowUsersButtonUsed@NT_USER_BROWSER_DIALOG@@IEBAHXZ +; public: int __cdecl COMBOBOX::IsSimple(void)const __ptr64 +?IsSimple@COMBOBOX@@QEBAHXZ +; public: int __cdecl ACCOUNT_NAMES_MLE::IsSingleSelect(void)const __ptr64 +?IsSingleSelect@ACCOUNT_NAMES_MLE@@QEBAHXZ +; public: int __cdecl NT_USER_BROWSER_DIALOG::IsSingleSelection(void)const __ptr64 +?IsSingleSelection@NT_USER_BROWSER_DIALOG@@QEBAHXZ +; public: virtual int __cdecl CHANGEABLE_SPIN_ITEM::IsStatic(void)const __ptr64 +?IsStatic@CHANGEABLE_SPIN_ITEM@@UEBAHXZ +; public: virtual int __cdecl STATIC_SPIN_ITEM::IsStatic(void)const __ptr64 +?IsStatic@STATIC_SPIN_ITEM@@UEBAHXZ +; public: int __cdecl AUDIT_CHECKBOXES::IsSuccessChecked(void) __ptr64 +?IsSuccessChecked@AUDIT_CHECKBOXES@@QEAAHXZ +; public: static int __cdecl APPLICATION::IsSystemInitialized(void) +?IsSystemInitialized@APPLICATION@@SAHXZ +; public: int __cdecl BROWSER_DOMAIN::IsTargetDomain(void)const __ptr64 +?IsTargetDomain@BROWSER_DOMAIN@@QEBAHXZ +; public: int __cdecl BROWSER_DOMAIN_LBI::IsTargetDomain(void)const __ptr64 +?IsTargetDomain@BROWSER_DOMAIN_LBI@@QEBAHXZ +; public: int __cdecl BROWSER_DOMAIN_LBI_PB::IsTargetDomain(void)const __ptr64 +?IsTargetDomain@BROWSER_DOMAIN_LBI_PB@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::IsTimePrefix(void)const __ptr64 +?IsTimePrefix@INTL_PROFILE@@QEBAHXZ +; public: int __cdecl COMBOBOX::IsUserEdittable(void)const __ptr64 +?IsUserEdittable@COMBOBOX@@QEBAHXZ +; public: int __cdecl BLT_DATE_SPIN_GROUP::IsValid(void) __ptr64 +?IsValid@BLT_DATE_SPIN_GROUP@@QEAAHXZ +; public: int __cdecl BLT_TIME_SPIN_GROUP::IsValid(void) __ptr64 +?IsValid@BLT_TIME_SPIN_GROUP@@QEAAHXZ +; protected: virtual int __cdecl DIALOG_WINDOW::IsValid(void) __ptr64 +?IsValid@DIALOG_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl SPIN_SLE_NUM_VALID::IsValid(void) __ptr64 +?IsValid@SPIN_SLE_NUM_VALID@@MEAAHXZ +; protected: int __cdecl SPIN_GROUP::IsValidField(void) __ptr64 +?IsValidField@SPIN_GROUP@@IEAAHXZ +; protected: int __cdecl BASE_ELLIPSIS::IsValidStyle(enum ELLIPSIS_STYLE)const __ptr64 +?IsValidStyle@BASE_ELLIPSIS@@IEBAHW4ELLIPSIS_STYLE@@@Z +; protected: int __cdecl ACCOUNT_NAMES_MLE::IsWellKnownAccount(class NLS_STR const & __ptr64) __ptr64 +?IsWellKnownAccount@ACCOUNT_NAMES_MLE@@IEAAHAEBVNLS_STR@@@Z +; public: int __cdecl BROWSER_DOMAIN::IsWinNTMachine(void)const __ptr64 +?IsWinNTMachine@BROWSER_DOMAIN@@QEBAHXZ +; protected: int __cdecl H_SPLITTER_BAR::IsWithinHitZone(class XYPOINT const & __ptr64) __ptr64 +?IsWithinHitZone@H_SPLITTER_BAR@@IEAAHAEBVXYPOINT@@@Z +; private: int __cdecl SET_CONTROL::IsWithinHitZone(class LISTBOX * __ptr64,class LISTBOX * __ptr64,class XYPOINT const & __ptr64)const __ptr64 +?IsWithinHitZone@SET_CONTROL@@AEBAHPEAVLISTBOX@@0AEBVXYPOINT@@@Z +; public: int __cdecl INTL_PROFILE::IsYrCentury(void)const __ptr64 +?IsYrCentury@INTL_PROFILE@@QEBAHXZ +; public: static int __cdecl MENUITEM::ItemExists(struct HMENU__ * __ptr64,unsigned int) +?ItemExists@MENUITEM@@SAHPEAUHMENU__@@I@Z +; public: static int __cdecl MENUITEM::ItemExists(class APP_WINDOW * __ptr64,unsigned int) +?ItemExists@MENUITEM@@SAHPEAVAPP_WINDOW@@I@Z +; public: int __cdecl SPIN_GROUP::JumpNextField(void) __ptr64 +?JumpNextField@SPIN_GROUP@@QEAAHXZ +; public: int __cdecl SPIN_GROUP::JumpPrevField(void) __ptr64 +?JumpPrevField@SPIN_GROUP@@QEAAHXZ +; private: void __cdecl DIALOG_WINDOW::LaunchHelp(void) __ptr64 +?LaunchHelp@DIALOG_WINDOW@@AEAAXXZ +; public: static void __cdecl BLTIMP::LeaveBLTCritSect(void) +?LeaveBLTCritSect@BLTIMP@@SAXXZ +; public: static void __cdecl BLTIMP::LeaveResourceCritSect(void) +?LeaveResourceCritSect@BLTIMP@@SAXXZ +; public: void __cdecl DEVICE_CONTEXT::LineTo(int,int)const __ptr64 +?LineTo@DEVICE_CONTEXT@@QEBAXHH@Z +; public: static struct HICON__ * __ptr64 __cdecl CURSOR::Load(class IDRESOURCE const & __ptr64) +?Load@CURSOR@@SAPEAUHICON__@@AEBVIDRESOURCE@@@Z +; public: long __cdecl NLS_STR::Load(long) __ptr64 +?Load@NLS_STR@@QEAAJJ@Z +; public: virtual unsigned int __cdecl UI_EXT_MGR::LoadExtensions(void) __ptr64 +?LoadExtensions@UI_EXT_MGR@@UEAAIXZ +; private: long __cdecl LOGON_HOURS_CONTROL::LoadLabels(long) __ptr64 +?LoadLabels@LOGON_HOURS_CONTROL@@AEAAJJ@Z +; private: class NLS_STR * __ptr64 __cdecl POPUP::LoadMessage(long,int) __ptr64 +?LoadMessage@POPUP@@AEAAPEAVNLS_STR@@JH@Z +; public: static struct HICON__ * __ptr64 __cdecl CURSOR::LoadSystem(class IDRESOURCE const & __ptr64) +?LoadSystem@CURSOR@@SAPEAUHICON__@@AEBVIDRESOURCE@@@Z +; public: long __cdecl NLS_STR::LoadSystem(long) __ptr64 +?LoadSystem@NLS_STR@@QEAAJJ@Z +; protected: virtual void __cdecl USER_LBI_CACHE::LockCache(void) __ptr64 +?LockCache@USER_LBI_CACHE@@MEAAXXZ +; void __cdecl MLTextPaint(struct HDC__ * __ptr64,unsigned short const * __ptr64,struct tagRECT const * __ptr64) +?MLTextPaint@@YAXPEAUHDC__@@PEBGPEBUtagRECT@@@Z +; protected: virtual long __cdecl DOMAIN_FILL_THREAD::Main(void) __ptr64 +?Main@DOMAIN_FILL_THREAD@@MEAAJXZ +; protected: virtual long __cdecl FOCUSDLG_DATA_THREAD::Main(void) __ptr64 +?Main@FOCUSDLG_DATA_THREAD@@MEAAJXZ +; protected: virtual long __cdecl WIN32_THREAD::Main(void) __ptr64 +?Main@WIN32_THREAD@@MEAAJXZ +; public: void __cdecl PUSH_BUTTON::MakeDefault(void) __ptr64 +?MakeDefault@PUSH_BUTTON@@QEAAXXZ +; private: static int __cdecl POPUP::MapButton(unsigned int) +?MapButton@POPUP@@CAHI@Z +; public: static long __cdecl BLT::MapLastError(long) +?MapLastError@BLT@@SAJJ@Z +; public: static long __cdecl POPUP::MapMessage(long) +?MapMessage@POPUP@@SAJJ@Z +; protected: virtual int __cdecl APP_WINDOW::MayRestore(void) __ptr64 +?MayRestore@APP_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl CANCEL_TASK_DIALOG::MayRun(void) __ptr64 +?MayRun@CANCEL_TASK_DIALOG@@MEAAHXZ +; protected: virtual int __cdecl DIALOG_WINDOW::MayRun(void) __ptr64 +?MayRun@DIALOG_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl APP_WINDOW::MayShutdown(void) __ptr64 +?MayShutdown@APP_WINDOW@@MEAAHXZ +; public: virtual void __cdecl UI_MENU_EXT_MGR::MenuInitExtensions(void) __ptr64 +?MenuInitExtensions@UI_MENU_EXT_MGR@@UEAAXXZ +; public: long __cdecl MENU_BASE::Modify(unsigned short const * __ptr64,unsigned int,unsigned int,unsigned int)const __ptr64 +?Modify@MENU_BASE@@QEBAJPEBGIII@Z +; public: long __cdecl MENU_BASE::Modify(unsigned short const * __ptr64,unsigned int,struct HMENU__ * __ptr64,unsigned int)const __ptr64 +?Modify@MENU_BASE@@QEBAJPEBGIPEAUHMENU__@@I@Z +; private: void __cdecl LOGON_HOURS_CONTROL::MoveFocusDown(void) __ptr64 +?MoveFocusDown@LOGON_HOURS_CONTROL@@AEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::MoveFocusLeft(void) __ptr64 +?MoveFocusLeft@LOGON_HOURS_CONTROL@@AEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::MoveFocusRight(void) __ptr64 +?MoveFocusRight@LOGON_HOURS_CONTROL@@AEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::MoveFocusTo(int) __ptr64 +?MoveFocusTo@LOGON_HOURS_CONTROL@@AEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::MoveFocusUp(void) __ptr64 +?MoveFocusUp@LOGON_HOURS_CONTROL@@AEAAXXZ +; protected: virtual long __cdecl BLT_SET_CONTROL::MoveItems(class LISTBOX * __ptr64,class LISTBOX * __ptr64) __ptr64 +?MoveItems@BLT_SET_CONTROL@@MEAAJPEAVLISTBOX@@0@Z +; public: void __cdecl DEVICE_CONTEXT::MoveTo(int,int)const __ptr64 +?MoveTo@DEVICE_CONTEXT@@QEBAXHH@Z +; private: static int __cdecl MSGPOPUP_DIALOG::Msg2HC(long,unsigned long * __ptr64) +?Msg2HC@MSGPOPUP_DIALOG@@CAHJPEAK@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,long,enum MSG_SEVERITY,unsigned long,unsigned int,class NLS_STR * __ptr64 * __ptr64 const,unsigned int) +?MsgPopup@@YAHAEBVOWNINGWND@@JJW4MSG_SEVERITY@@KIQEAPEAVNLS_STR@@I@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,enum MSG_SEVERITY) +?MsgPopup@@YAHAEBVOWNINGWND@@JW4MSG_SEVERITY@@@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,enum MSG_SEVERITY,unsigned int,unsigned int) +?MsgPopup@@YAHAEBVOWNINGWND@@JW4MSG_SEVERITY@@II@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,enum MSG_SEVERITY,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned int) +?MsgPopup@@YAHAEBVOWNINGWND@@JW4MSG_SEVERITY@@IPEBG2I@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,enum MSG_SEVERITY,unsigned int,unsigned short const * __ptr64,unsigned int) +?MsgPopup@@YAHAEBVOWNINGWND@@JW4MSG_SEVERITY@@IPEBGI@Z +; int __cdecl MsgPopup(class OWNINGWND const & __ptr64,long,enum MSG_SEVERITY,unsigned long,unsigned int,class NLS_STR * __ptr64 * __ptr64 const,unsigned int) +?MsgPopup@@YAHAEBVOWNINGWND@@JW4MSG_SEVERITY@@KIQEAPEAVNLS_STR@@I@Z +; public: long __cdecl BROWSER_SUBJECT_ITER::Next(class BROWSER_SUBJECT * __ptr64 * __ptr64) __ptr64 +?Next@BROWSER_SUBJECT_ITER@@QEAAJPEAPEAVBROWSER_SUBJECT@@@Z +; public: class BROWSE_DOMAIN_INFO const * __ptr64 __cdecl BROWSE_DOMAIN_ENUM::Next(void) __ptr64 +?Next@BROWSE_DOMAIN_ENUM@@QEAAPEBVBROWSE_DOMAIN_INFO@@XZ +; public: class CONTROL_WINDOW * __ptr64 __cdecl ITER_CTRL::Next(void) __ptr64 +?Next@ITER_CTRL@@QEAAPEAVCONTROL_WINDOW@@XZ +; public: class SPIN_ITEM * __ptr64 __cdecl ITER_DL_SPIN_ITEM::Next(void) __ptr64 +?Next@ITER_DL_SPIN_ITEM@@QEAAPEAVSPIN_ITEM@@XZ +; public: class ASSOCHCFILE * __ptr64 __cdecl ITER_SL_ASSOCHCFILE::Next(void) __ptr64 +?Next@ITER_SL_ASSOCHCFILE@@QEAAPEAVASSOCHCFILE@@XZ +; public: class BROWSE_DOMAIN_INFO * __ptr64 __cdecl ITER_SL_BROWSE_DOMAIN_INFO::Next(void) __ptr64 +?Next@ITER_SL_BROWSE_DOMAIN_INFO@@QEAAPEAVBROWSE_DOMAIN_INFO@@XZ +; public: struct CLIENTDATA * __ptr64 __cdecl ITER_SL_CLIENTDATA::Next(void) __ptr64 +?Next@ITER_SL_CLIENTDATA@@QEAAPEAUCLIENTDATA@@XZ +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::Next(void) __ptr64 +?Next@ITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; public: class STRING_BITSET_PAIR * __ptr64 __cdecl ITER_SL_STRING_BITSET_PAIR::Next(void) __ptr64 +?Next@ITER_SL_STRING_BITSET_PAIR@@QEAAPEAVSTRING_BITSET_PAIR@@XZ +; public: class TIMER_BASE * __ptr64 __cdecl ITER_SL_TIMER_BASE::Next(void) __ptr64 +?Next@ITER_SL_TIMER_BASE@@QEAAPEAVTIMER_BASE@@XZ +; public: class UI_EXT * __ptr64 __cdecl ITER_SL_UI_EXT::Next(void) __ptr64 +?Next@ITER_SL_UI_EXT@@QEAAPEAVUI_EXT@@XZ +; public: class USER_BROWSER_LBI * __ptr64 __cdecl ITER_SL_USER_BROWSER_LBI::Next(void) __ptr64 +?Next@ITER_SL_USER_BROWSER_LBI@@QEAAPEAVUSER_BROWSER_LBI@@XZ +; public: class SPIN_ITEM * __ptr64 __cdecl RITER_DL_SPIN_ITEM::Next(void) __ptr64 +?Next@RITER_DL_SPIN_ITEM@@QEAAPEAVSPIN_ITEM@@XZ +; public: int __cdecl STLBITEM::NextState(void) __ptr64 +?NextState@STLBITEM@@QEAAHXZ +; public: class TIMER_BASE * __ptr64 __cdecl BLT_MASTER_TIMER::NextTimer(void) __ptr64 +?NextTimer@BLT_MASTER_TIMER@@QEAAPEAVTIMER_BASE@@XZ +; public: long __cdecl CONTROL_WINDOW::NotifyGroups(class CONTROL_EVENT const & __ptr64) __ptr64 +?NotifyGroups@CONTROL_WINDOW@@QEAAJAEBVCONTROL_EVENT@@@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::Offset(int,int) __ptr64 +?Offset@XYRECT@@QEAAAEAV1@HH@Z +; public: class XYRECT & __ptr64 __cdecl XYRECT::Offset(class XYDIMENSION) __ptr64 +?Offset@XYRECT@@QEAAAEAV1@VXYDIMENSION@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnActivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnActivation@CLIENT_WINDOW@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnActivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnActivation@DISPATCHER@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: long __cdecl NT_USER_BROWSER_DIALOG::OnAdd(void) __ptr64 +?OnAdd@NT_USER_BROWSER_DIALOG@@IEAAJXZ +; protected: long __cdecl SLE_STRLB_GROUP::OnAdd(void) __ptr64 +?OnAdd@SLE_STRLB_GROUP@@IEAAJXZ +; protected: int __cdecl OWNER_WINDOW::OnCDMessages(unsigned int,unsigned __int64,__int64) __ptr64 +?OnCDMessages@OWNER_WINDOW@@IEAAHI_K_J@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnCancel(void) __ptr64 +?OnCancel@DIALOG_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl MSGPOPUP_DIALOG::OnCancel(void) __ptr64 +?OnCancel@MSGPOPUP_DIALOG@@MEAAHXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnChange(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnChange@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnChar(class CHAR_EVENT const & __ptr64) __ptr64 +?OnChar@CLIENT_WINDOW@@MEAAHAEBVCHAR_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnChar(class CHAR_EVENT const & __ptr64) __ptr64 +?OnChar@DISPATCHER@@MEAAHAEBVCHAR_EVENT@@@Z +; protected: virtual int __cdecl SPIN_ITEM::OnChar(class CHAR_EVENT const & __ptr64) __ptr64 +?OnChar@SPIN_ITEM@@MEAAHAEBVCHAR_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM::OnChar(class CHAR_EVENT const & __ptr64) __ptr64 +?OnChar@SPIN_SLE_NUM@@MEAAHAEBVCHAR_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_STR::OnChar(class CHAR_EVENT const & __ptr64) __ptr64 +?OnChar@SPIN_SLE_STR@@MEAAHAEBVCHAR_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnClick(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnClick@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl APP_WINDOW::OnCloseReq(void) __ptr64 +?OnCloseReq@APP_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnCloseReq(void) __ptr64 +?OnCloseReq@CLIENT_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl DISPATCHER::OnCloseReq(void) __ptr64 +?OnCloseReq@DISPATCHER@@MEAAHXZ +; protected: virtual int __cdecl BASE_SET_FOCUS_DLG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@BASE_SET_FOCUS_DLG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@DIALOG_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@DISPATCHER@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl EXPANDABLE_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@EXPANDABLE_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl MSGPOPUP_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@MSGPOPUP_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl NT_FIND_ACCOUNT_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@NT_FIND_ACCOUNT_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl NT_GROUP_BROWSER_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@NT_GROUP_BROWSER_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl NT_LOCALGROUP_BROWSER_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@NT_LOCALGROUP_BROWSER_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl NT_USER_BROWSER_DIALOG::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@NT_USER_BROWSER_DIALOG@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl OPEN_DIALOG_BASE::OnCommand(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnCommand@OPEN_DIALOG_BASE@@MEAAHAEBVCONTROL_EVENT@@@Z +; public: static int __cdecl LBI::OnCompareItem(unsigned __int64,__int64) +?OnCompareItem@LBI@@SAH_K_J@Z +; protected: virtual void __cdecl DIALOG_WINDOW::OnControlError(unsigned int,long) __ptr64 +?OnControlError@DIALOG_WINDOW@@MEAAXIJ@Z +; public: virtual struct HBRUSH__ * __ptr64 __cdecl BLT_BACKGROUND_EDIT::OnCtlColor(struct HDC__ * __ptr64,struct HWND__ * __ptr64,unsigned int * __ptr64) __ptr64 +?OnCtlColor@BLT_BACKGROUND_EDIT@@UEAAPEAUHBRUSH__@@PEAUHDC__@@PEAUHWND__@@PEAI@Z +; public: virtual struct HBRUSH__ * __ptr64 __cdecl CONTROL_WINDOW::OnCtlColor(struct HDC__ * __ptr64,struct HWND__ * __ptr64,unsigned int * __ptr64) __ptr64 +?OnCtlColor@CONTROL_WINDOW@@UEAAPEAUHBRUSH__@@PEAUHDC__@@PEAUHWND__@@PEAI@Z +; protected: virtual struct HBRUSH__ * __ptr64 __cdecl DIALOG_WINDOW::OnCtlColor(struct HDC__ * __ptr64,struct HWND__ * __ptr64,unsigned int * __ptr64) __ptr64 +?OnCtlColor@DIALOG_WINDOW@@MEAAPEAUHBRUSH__@@PEAUHDC__@@PEAUHWND__@@PEAI@Z +; public: virtual struct HBRUSH__ * __ptr64 __cdecl SPIN_SLT_SEPARATOR::OnCtlColor(struct HDC__ * __ptr64,struct HWND__ * __ptr64,unsigned int * __ptr64) __ptr64 +?OnCtlColor@SPIN_SLT_SEPARATOR@@UEAAPEAUHBRUSH__@@PEAUHDC__@@PEAUHWND__@@PEAI@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnDblClick(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnDblClick@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnDeactivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnDeactivation@CLIENT_WINDOW@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnDeactivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnDeactivation@DISPATCHER@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@CLIENT_WINDOW@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@DISPATCHER@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl FOCUS_CHECKBOX::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@FOCUS_CHECKBOX@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@LOGON_HOURS_CONTROL@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@SPIN_SLE_NUM@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM_VALID::OnDefocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnDefocus@SPIN_SLE_NUM_VALID@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual void __cdecl LAZY_LISTBOX::OnDeleteItem(class LBI * __ptr64) __ptr64 +?OnDeleteItem@LAZY_LISTBOX@@MEAAXPEAVLBI@@@Z +; public: static void __cdecl LBI::OnDeleteItem(unsigned __int64,__int64) +?OnDeleteItem@LBI@@SAX_K_J@Z +; protected: virtual void __cdecl USER_BROWSER_LB::OnDeleteItem(class LBI * __ptr64) __ptr64 +?OnDeleteItem@USER_BROWSER_LB@@MEAAXPEAVLBI@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnDestroy(void) __ptr64 +?OnDestroy@CLIENT_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl DISPATCHER::OnDestroy(void) __ptr64 +?OnDestroy@DISPATCHER@@MEAAHXZ +; protected: virtual int __cdecl DIALOG_WINDOW::OnDlgActivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnDlgActivation@DIALOG_WINDOW@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnDlgDeactivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnDlgDeactivation@DIALOG_WINDOW@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: virtual int __cdecl NT_USER_BROWSER_DIALOG::OnDlgDeactivation(class ACTIVATION_EVENT const & __ptr64) __ptr64 +?OnDlgDeactivation@NT_USER_BROWSER_DIALOG@@MEAAHAEBVACTIVATION_EVENT@@@Z +; protected: long __cdecl NT_USER_BROWSER_DIALOG::OnDomainChange(class BROWSER_DOMAIN * __ptr64,class ADMIN_AUTHORITY const * __ptr64) __ptr64 +?OnDomainChange@NT_USER_BROWSER_DIALOG@@IEAAJPEAVBROWSER_DOMAIN@@PEBVADMIN_AUTHORITY@@@Z +; private: void __cdecl BASE_SET_FOCUS_DLG::OnDomainLBChange(void) __ptr64 +?OnDomainLBChange@BASE_SET_FOCUS_DLG@@AEAAXXZ +; public: void __cdecl HIER_LISTBOX::OnDoubleClick(class HIER_LBI * __ptr64) __ptr64 +?OnDoubleClick@HIER_LISTBOX@@QEAAXPEAVHIER_LBI@@@Z +; protected: virtual void __cdecl H_SPLITTER_BAR::OnDragRelease(class XYPOINT const & __ptr64) __ptr64 +?OnDragRelease@H_SPLITTER_BAR@@MEAAXAEBVXYPOINT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnDropDown(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnDropDown@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnEnter(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnEnter@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM::OnEnter(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnEnter@SPIN_SLE_NUM@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM_VALID::OnEnter(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnEnter@SPIN_SLE_NUM_VALID@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: virtual void __cdecl EXPANDABLE_DIALOG::OnExpand(void) __ptr64 +?OnExpand@EXPANDABLE_DIALOG@@MEAAXXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@CLIENT_WINDOW@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@DISPATCHER@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl FOCUS_CHECKBOX::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@FOCUS_CHECKBOX@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@LOGON_HOURS_CONTROL@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl SPIN_ITEM::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@SPIN_ITEM@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@SPIN_SLE_NUM@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_STR::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@SPIN_SLE_STR@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual int __cdecl STATIC_SPIN_ITEM::OnFocus(class FOCUS_EVENT const & __ptr64) __ptr64 +?OnFocus@STATIC_SPIN_ITEM@@MEAAHAEBVFOCUS_EVENT@@@Z +; protected: virtual long __cdecl CONTROL_GROUP::OnGroupAction(class CONTROL_GROUP * __ptr64) __ptr64 +?OnGroupAction@CONTROL_GROUP@@MEAAJPEAV1@@Z +; protected: virtual long __cdecl MAGIC_GROUP::OnGroupAction(class CONTROL_GROUP * __ptr64) __ptr64 +?OnGroupAction@MAGIC_GROUP@@MEAAJPEAVCONTROL_GROUP@@@Z +; private: int __cdecl DIALOG_WINDOW::OnHelp(void) __ptr64 +?OnHelp@DIALOG_WINDOW@@AEAAHXZ +; public: void __cdecl GET_FNAME_BASE_DLG::OnHelp(struct HWND__ * __ptr64) __ptr64 +?OnHelp@GET_FNAME_BASE_DLG@@QEAAXPEAUHWND__@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnKeyDown(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyDown@CLIENT_WINDOW@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnKeyDown(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyDown@DISPATCHER@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnKeyDown(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyDown@LOGON_HOURS_CONTROL@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_NUM::OnKeyDown(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyDown@SPIN_SLE_NUM@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl SPIN_SLE_STR::OnKeyDown(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyDown@SPIN_SLE_STR@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnKeyUp(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyUp@CLIENT_WINDOW@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnKeyUp(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyUp@DISPATCHER@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnKeyUp(class VKEY_EVENT const & __ptr64) __ptr64 +?OnKeyUp@LOGON_HOURS_CONTROL@@MEAAHAEBVVKEY_EVENT@@@Z +; protected: static int __cdecl OWNER_WINDOW::OnLBIMessages(unsigned int,unsigned __int64,__int64) +?OnLBIMessages@OWNER_WINDOW@@KAHI_K_J@Z +; protected: virtual int __cdecl ARROW_BUTTON::OnLMouseButtonDblClick(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDblClick@ARROW_BUTTON@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnLMouseButtonDblClick(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDblClick@CLIENT_WINDOW@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnLMouseButtonDblClick(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDblClick@DISPATCHER@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl ARROW_BUTTON::OnLMouseButtonDown(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDown@ARROW_BUTTON@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnLMouseButtonDown(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDown@CLIENT_WINDOW@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnLMouseButtonDown(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDown@DISPATCHER@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::OnLMouseButtonDown(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDown@H_SPLITTER_BAR@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnLMouseButtonDown(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonDown@LOGON_HOURS_CONTROL@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl ARROW_BUTTON::OnLMouseButtonUp(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonUp@ARROW_BUTTON@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnLMouseButtonUp(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonUp@CLIENT_WINDOW@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnLMouseButtonUp(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonUp@DISPATCHER@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::OnLMouseButtonUp(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonUp@H_SPLITTER_BAR@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnLMouseButtonUp(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnLMouseButtonUp@LOGON_HOURS_CONTROL@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: long __cdecl NT_LOCALGROUP_BROWSER_DIALOG::OnMembers(void) __ptr64 +?OnMembers@NT_LOCALGROUP_BROWSER_DIALOG@@IEAAJXZ +; protected: long __cdecl NT_USER_BROWSER_DIALOG::OnMembers(void) __ptr64 +?OnMembers@NT_USER_BROWSER_DIALOG@@IEAAJXZ +; protected: virtual int __cdecl APP_WINDOW::OnMenuCommand(unsigned int) __ptr64 +?OnMenuCommand@APP_WINDOW@@MEAAHI@Z +; protected: virtual int __cdecl APP_WINDOW::OnMenuInit(class MENU_EVENT const & __ptr64) __ptr64 +?OnMenuInit@APP_WINDOW@@MEAAHAEBVMENU_EVENT@@@Z +; protected: virtual int __cdecl APP_WINDOW::OnMenuSelect(class MENUITEM_EVENT const & __ptr64) __ptr64 +?OnMenuSelect@APP_WINDOW@@MEAAHAEBVMENUITEM_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnMouseMove(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnMouseMove@CLIENT_WINDOW@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnMouseMove(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnMouseMove@DISPATCHER@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::OnMouseMove(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnMouseMove@H_SPLITTER_BAR@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnMouseMove(class MOUSE_EVENT const & __ptr64) __ptr64 +?OnMouseMove@LOGON_HOURS_CONTROL@@MEAAHAEBVMOUSE_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnMove(class MOVE_EVENT const & __ptr64) __ptr64 +?OnMove@CLIENT_WINDOW@@MEAAHAEBVMOVE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnMove(class MOVE_EVENT const & __ptr64) __ptr64 +?OnMove@DISPATCHER@@MEAAHAEBVMOVE_EVENT@@@Z +; protected: virtual class LBI * __ptr64 __cdecl USER_BROWSER_LB::OnNewItem(unsigned int) __ptr64 +?OnNewItem@USER_BROWSER_LB@@MEAAPEAVLBI@@I@Z +; protected: virtual int __cdecl BASE_SET_FOCUS_DLG::OnOK(void) __ptr64 +?OnOK@BASE_SET_FOCUS_DLG@@MEAAHXZ +; protected: virtual int __cdecl DIALOG_WINDOW::OnOK(void) __ptr64 +?OnOK@DIALOG_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl MSGPOPUP_DIALOG::OnOK(void) __ptr64 +?OnOK@MSGPOPUP_DIALOG@@MEAAHXZ +; private: virtual int __cdecl MSG_DIALOG_BASE::OnOK(void) __ptr64 +?OnOK@MSG_DIALOG_BASE@@EEAAHXZ +; protected: virtual int __cdecl NT_FIND_ACCOUNT_DIALOG::OnOK(void) __ptr64 +?OnOK@NT_FIND_ACCOUNT_DIALOG@@MEAAHXZ +; protected: virtual int __cdecl NT_USER_BROWSER_DIALOG::OnOK(void) __ptr64 +?OnOK@NT_USER_BROWSER_DIALOG@@MEAAHXZ +; protected: virtual int __cdecl PROMPT_FOR_ANY_DC_DLG::OnOK(void) __ptr64 +?OnOK@PROMPT_FOR_ANY_DC_DLG@@MEAAHXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnOther(class EVENT const & __ptr64) __ptr64 +?OnOther@CLIENT_WINDOW@@MEAAHAEBVEVENT@@@Z +; protected: virtual int __cdecl APP_WINDOW::OnPaintReq(void) __ptr64 +?OnPaintReq@APP_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnPaintReq(void) __ptr64 +?OnPaintReq@CLIENT_WINDOW@@MEAAHXZ +; protected: virtual int __cdecl DISPATCHER::OnPaintReq(void) __ptr64 +?OnPaintReq@DISPATCHER@@MEAAHXZ +; protected: virtual int __cdecl FOCUS_CHECKBOX::OnPaintReq(void) __ptr64 +?OnPaintReq@FOCUS_CHECKBOX@@MEAAHXZ +; protected: virtual int __cdecl H_SPLITTER_BAR::OnPaintReq(void) __ptr64 +?OnPaintReq@H_SPLITTER_BAR@@MEAAHXZ +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnPaintReq(void) __ptr64 +?OnPaintReq@LOGON_HOURS_CONTROL@@MEAAHXZ +; protected: virtual int __cdecl METER::OnPaintReq(void) __ptr64 +?OnPaintReq@METER@@MEAAHXZ +; protected: virtual unsigned long __cdecl DISPATCHER::OnQDlgCode(void) __ptr64 +?OnQDlgCode@DISPATCHER@@MEAAKXZ +; protected: virtual unsigned long __cdecl LOGON_HOURS_CONTROL::OnQDlgCode(void) __ptr64 +?OnQDlgCode@LOGON_HOURS_CONTROL@@MEAAKXZ +; protected: virtual unsigned long __cdecl DISPATCHER::OnQHitTest(class XYPOINT const & __ptr64) __ptr64 +?OnQHitTest@DISPATCHER@@MEAAKAEBVXYPOINT@@@Z +; protected: virtual unsigned long __cdecl H_SPLITTER_BAR::OnQHitTest(class XYPOINT const & __ptr64) __ptr64 +?OnQHitTest@H_SPLITTER_BAR@@MEAAKAEBVXYPOINT@@@Z +; protected: virtual unsigned long __cdecl LOGON_HOURS_CONTROL::OnQHitTest(class XYPOINT const & __ptr64) __ptr64 +?OnQHitTest@LOGON_HOURS_CONTROL@@MEAAKAEBVXYPOINT@@@Z +; protected: virtual int __cdecl APP_WINDOW::OnQMinMax(class QMINMAX_EVENT & __ptr64) __ptr64 +?OnQMinMax@APP_WINDOW@@MEAAHAEAVQMINMAX_EVENT@@@Z +; protected: virtual unsigned long __cdecl DISPATCHER::OnQMouseActivate(class QMOUSEACT_EVENT const & __ptr64) __ptr64 +?OnQMouseActivate@DISPATCHER@@MEAAKAEBVQMOUSEACT_EVENT@@@Z +; protected: virtual unsigned long __cdecl LOGON_HOURS_CONTROL::OnQMouseActivate(class QMOUSEACT_EVENT const & __ptr64) __ptr64 +?OnQMouseActivate@LOGON_HOURS_CONTROL@@MEAAKAEBVQMOUSEACT_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnQMouseCursor(class QMOUSEACT_EVENT const & __ptr64) __ptr64 +?OnQMouseCursor@DISPATCHER@@MEAAHAEBVQMOUSEACT_EVENT@@@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::OnQMouseCursor(class QMOUSEACT_EVENT const & __ptr64) __ptr64 +?OnQMouseCursor@H_SPLITTER_BAR@@MEAAHAEBVQMOUSEACT_EVENT@@@Z +; protected: virtual int __cdecl LOGON_HOURS_CONTROL::OnQMouseCursor(class QMOUSEACT_EVENT const & __ptr64) __ptr64 +?OnQMouseCursor@LOGON_HOURS_CONTROL@@MEAAHAEBVQMOUSEACT_EVENT@@@Z +; protected: long __cdecl SLE_STRLB_GROUP::OnRemove(void) __ptr64 +?OnRemove@SLE_STRLB_GROUP@@IEAAJXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnResize(class SIZE_EVENT const & __ptr64) __ptr64 +?OnResize@CLIENT_WINDOW@@MEAAHAEBVSIZE_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnResize(class SIZE_EVENT const & __ptr64) __ptr64 +?OnResize@DISPATCHER@@MEAAHAEBVSIZE_EVENT@@@Z +; protected: virtual int __cdecl H_SPLITTER_BAR::OnResize(class SIZE_EVENT const & __ptr64) __ptr64 +?OnResize@H_SPLITTER_BAR@@MEAAHAEBVSIZE_EVENT@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnScrollBar(class SCROLL_EVENT const & __ptr64) __ptr64 +?OnScrollBar@DIALOG_WINDOW@@MEAAHAEBVSCROLL_EVENT@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnScrollBarThumb(class SCROLL_THUMB_EVENT const & __ptr64) __ptr64 +?OnScrollBarThumb@DIALOG_WINDOW@@MEAAHAEBVSCROLL_THUMB_EVENT@@@Z +; protected: long __cdecl NT_USER_BROWSER_DIALOG::OnSearch(void) __ptr64 +?OnSearch@NT_USER_BROWSER_DIALOG@@IEAAJXZ +; protected: virtual int __cdecl CLIENT_WINDOW::OnSelect(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnSelect@CLIENT_WINDOW@@MEAAHAEBVCONTROL_EVENT@@@Z +; protected: long __cdecl NT_USER_BROWSER_DIALOG::OnShowUsers(void) __ptr64 +?OnShowUsers@NT_USER_BROWSER_DIALOG@@IEAAJXZ +; protected: virtual void __cdecl APP_WINDOW::OnShutdown(void) __ptr64 +?OnShutdown@APP_WINDOW@@MEAAXXZ +; protected: virtual void __cdecl DIALOG_WINDOW::OnSysColorChange(void) __ptr64 +?OnSysColorChange@DIALOG_WINDOW@@MEAAXXZ +; protected: virtual int __cdecl APP_WINDOW::OnSystemChange(class SYSCHANGE_EVENT const & __ptr64) __ptr64 +?OnSystemChange@APP_WINDOW@@MEAAHAEBVSYSCHANGE_EVENT@@@Z +; protected: virtual int __cdecl ARROW_BUTTON::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@ARROW_BUTTON@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual int __cdecl CANCEL_TASK_DIALOG::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@CANCEL_TASK_DIALOG@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual int __cdecl CLIENT_WINDOW::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@CLIENT_WINDOW@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual int __cdecl DIALOG_WINDOW::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@DIALOG_WINDOW@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@DISPATCHER@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual int __cdecl TIMER_WINDOW::OnTimer(class TIMER_EVENT const & __ptr64) __ptr64 +?OnTimer@TIMER_WINDOW@@MEAAHAEBVTIMER_EVENT@@@Z +; protected: virtual void __cdecl TIMER_CALLOUT::OnTimerNotification(unsigned int) __ptr64 +?OnTimerNotification@TIMER_CALLOUT@@MEAAXI@Z +; protected: virtual long __cdecl CONTROL_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@CONTROL_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl CONTROL_WINDOW::OnUserAction(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@CONTROL_WINDOW@@MEAAJAEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl LM_OLLB::OnUserAction(class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@LM_OLLB@@MEAAJAEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl MAGIC_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@MAGIC_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl ORDER_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@ORDER_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl RADIO_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@RADIO_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl SET_CONTROL::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@SET_CONTROL@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl SLE_STRLB_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@SLE_STRLB_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl SPIN_GROUP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@SPIN_GROUP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual long __cdecl STATELBGRP::OnUserAction(class CONTROL_WINDOW * __ptr64,class CONTROL_EVENT const & __ptr64) __ptr64 +?OnUserAction@STATELBGRP@@MEAAJPEAVCONTROL_WINDOW@@AEBVCONTROL_EVENT@@@Z +; protected: virtual int __cdecl BASE_SET_FOCUS_DLG::OnUserMessage(class EVENT const & __ptr64) __ptr64 +?OnUserMessage@BASE_SET_FOCUS_DLG@@MEAAHAEBVEVENT@@@Z +; protected: virtual int __cdecl DISPATCHER::OnUserMessage(class EVENT const & __ptr64) __ptr64 +?OnUserMessage@DISPATCHER@@MEAAHAEBVEVENT@@@Z +; protected: virtual int __cdecl NT_USER_BROWSER_DIALOG::OnUserMessage(class EVENT const & __ptr64) __ptr64 +?OnUserMessage@NT_USER_BROWSER_DIALOG@@MEAAHAEBVEVENT@@@Z +; protected: virtual int __cdecl OWNER_WINDOW::OnUserMessage(class EVENT const & __ptr64) __ptr64 +?OnUserMessage@OWNER_WINDOW@@MEAAHAEBVEVENT@@@Z +; protected: virtual void __cdecl DIALOG_WINDOW::OnValidationError(unsigned int,long) __ptr64 +?OnValidationError@DIALOG_WINDOW@@MEAAXIJ@Z +; private: class LISTBOX * __ptr64 __cdecl SET_CONTROL::OtherListbox(class LISTBOX * __ptr64)const __ptr64 +?OtherListbox@SET_CONTROL@@AEBAPEAVLISTBOX@@PEAV2@@Z +; public: virtual void __cdecl BROWSER_DOMAIN_LBI::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@BROWSER_DOMAIN_LBI@@UEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl BROWSER_DOMAIN_LBI_PB::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@BROWSER_DOMAIN_LBI_PB@@UEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl COUNTED_STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@COUNTED_STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: int __cdecl DISPLAY_MAP::Paint(struct HDC__ * __ptr64,int,int)const __ptr64 +?Paint@DISPLAY_MAP@@QEBAHPEAUHDC__@@HH@Z +; public: void __cdecl DISPLAY_TABLE::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@DISPLAY_TABLE@@QEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@@Z +; public: void __cdecl DISPLAY_TABLE::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@DISPLAY_TABLE@@QEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl DM_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@DM_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl LBI::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@LBI@@UEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl METALLIC_STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@METALLIC_STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl MULTILINE_STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@MULTILINE_STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl OLLB_ENTRY::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@OLLB_ENTRY@@UEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl OWNER_DRAW_DMID_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@OWNER_DRAW_DMID_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl OWNER_DRAW_MULTILINE_STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@OWNER_DRAW_MULTILINE_STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl OWNER_DRAW_STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@OWNER_DRAW_STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; protected: virtual void __cdecl STLBITEM::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@STLBITEM@@MEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; public: virtual void __cdecl STR_DTE::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@STR_DTE@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl STR_DTE_ELLIPSIS::Paint(struct HDC__ * __ptr64,struct tagRECT const * __ptr64)const __ptr64 +?Paint@STR_DTE_ELLIPSIS@@UEBAXPEAUHDC__@@PEBUtagRECT@@@Z +; public: virtual void __cdecl USER_BROWSER_LBI::Paint(class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?Paint@USER_BROWSER_LBI@@UEBAXPEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; protected: long __cdecl ACCOUNT_NAMES_MLE::ParseUserNameList(class STRLIST * __ptr64,unsigned short const * __ptr64) __ptr64 +?ParseUserNameList@ACCOUNT_NAMES_MLE@@IEAAJPEAVSTRLIST@@PEBG@Z +; private: void __cdecl MSGPOPUP_DIALOG::PlaceButtons(void) __ptr64 +?PlaceButtons@MSGPOPUP_DIALOG@@AEAAXXZ +; private: long __cdecl BLT_DATE_SPIN_GROUP::PlaceControl(int,class OWNER_WINDOW * __ptr64,class INTL_PROFILE const & __ptr64,class XYPOINT const & __ptr64,class XYDIMENSION const & __ptr64,class XYPOINT const & __ptr64,class XYDIMENSION const & __ptr64,class XYPOINT const & __ptr64,class XYDIMENSION const & __ptr64) __ptr64 +?PlaceControl@BLT_DATE_SPIN_GROUP@@AEAAJHPEAVOWNER_WINDOW@@AEBVINTL_PROFILE@@AEBVXYPOINT@@AEBVXYDIMENSION@@2323@Z +; protected: virtual long __cdecl DOMAIN_FILL_THREAD::PostMain(void) __ptr64 +?PostMain@DOMAIN_FILL_THREAD@@MEAAJXZ +; protected: virtual long __cdecl FOCUSDLG_DATA_THREAD::PostMain(void) __ptr64 +?PostMain@FOCUSDLG_DATA_THREAD@@MEAAJXZ +; protected: virtual long __cdecl WIN32_THREAD::PostMain(void) __ptr64 +?PostMain@WIN32_THREAD@@MEAAJXZ +; protected: virtual long __cdecl WIN32_THREAD::PreMain(void) __ptr64 +?PreMain@WIN32_THREAD@@MEAAJXZ +; public: long __cdecl BASE_SET_FOCUS_DLG::Process(int * __ptr64) __ptr64 +?Process@BASE_SET_FOCUS_DLG@@QEAAJPEAH@Z +; public: long __cdecl BASE_SET_FOCUS_DLG::Process(unsigned int * __ptr64) __ptr64 +?Process@BASE_SET_FOCUS_DLG@@QEAAJPEAI@Z +; public: long __cdecl DIALOG_WINDOW::Process(int * __ptr64) __ptr64 +?Process@DIALOG_WINDOW@@QEAAJPEAH@Z +; public: long __cdecl DIALOG_WINDOW::Process(unsigned int * __ptr64) __ptr64 +?Process@DIALOG_WINDOW@@QEAAJPEAI@Z +; public: long __cdecl EXPANDABLE_DIALOG::Process(int * __ptr64) __ptr64 +?Process@EXPANDABLE_DIALOG@@QEAAJPEAH@Z +; public: long __cdecl EXPANDABLE_DIALOG::Process(unsigned int * __ptr64) __ptr64 +?Process@EXPANDABLE_DIALOG@@QEAAJPEAI@Z +; public: virtual long __cdecl GET_OPEN_FILENAME_DLG::Process(int * __ptr64) __ptr64 +?Process@GET_OPEN_FILENAME_DLG@@UEAAJPEAH@Z +; public: virtual long __cdecl GET_SAVE_FILENAME_DLG::Process(int * __ptr64) __ptr64 +?Process@GET_SAVE_FILENAME_DLG@@UEAAJPEAH@Z +; public: static long __cdecl WIN32_FONT_PICKER::Process(class OWNER_WINDOW * __ptr64,int * __ptr64,class FONT * __ptr64,struct tagLOGFONTW * __ptr64,struct tagCHOOSEFONTW * __ptr64) +?Process@WIN32_FONT_PICKER@@SAJPEAVOWNER_WINDOW@@PEAHPEAVFONT@@PEAUtagLOGFONTW@@PEAUtagCHOOSEFONTW@@@Z +; private: long __cdecl BASE_SET_FOCUS_DLG::ProcessNetPath(class NLS_STR * __ptr64,long * __ptr64) __ptr64 +?ProcessNetPath@BASE_SET_FOCUS_DLG@@AEAAJPEAVNLS_STR@@PEAJ@Z +; public: long __cdecl WIN32_EVENT::Pulse(void) __ptr64 +?Pulse@WIN32_EVENT@@QEAAJXZ +; public: long __cdecl USER_BROWSER_LBI::QualifyDisplayName(void) __ptr64 +?QualifyDisplayName@USER_BROWSER_LBI@@QEAAJXZ +; public: static struct HICON__ * __ptr64 __cdecl CURSOR::Query(void) +?Query@CURSOR@@SAPEAUHICON__@@XZ +; public: virtual long __cdecl SPIN_ITEM::QueryAccCharPos(unsigned short) __ptr64 +?QueryAccCharPos@SPIN_ITEM@@UEAAJG@Z +; public: virtual long __cdecl SPIN_SLE_STR::QueryAccCharPos(unsigned short) __ptr64 +?QueryAccCharPos@SPIN_SLE_STR@@UEAAJG@Z +; public: long __cdecl SPIN_ITEM::QueryAccKey(class NLS_STR * __ptr64) __ptr64 +?QueryAccKey@SPIN_ITEM@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl OPEN_LBI_BASE::QueryAccessName(void)const __ptr64 +?QueryAccessName@OPEN_LBI_BASE@@QEBAPEBGXZ +; public: class SAM_DOMAIN * __ptr64 __cdecl BROWSER_DOMAIN::QueryAccountDomain(void)const __ptr64 +?QueryAccountDomain@BROWSER_DOMAIN@@QEBAPEAVSAM_DOMAIN@@XZ +; public: unsigned short const * __ptr64 __cdecl BROWSER_SUBJECT::QueryAccountName(void)const __ptr64 +?QueryAccountName@BROWSER_SUBJECT@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_BROWSER_LBI::QueryAccountName(void)const __ptr64 +?QueryAccountName@USER_BROWSER_LBI@@QEBAPEBGXZ +; protected: virtual int __cdecl H_SPLITTER_BAR::QueryActiveArea(void) __ptr64 +?QueryActiveArea@H_SPLITTER_BAR@@MEAAHXZ +; protected: class PUSH_BUTTON * __ptr64 __cdecl SLE_STRLB_GROUP::QueryAddButton(void)const __ptr64 +?QueryAddButton@SLE_STRLB_GROUP@@IEBAPEAVPUSH_BUTTON@@XZ +; public: class ADMIN_AUTHORITY * __ptr64 __cdecl BROWSER_DOMAIN::QueryAdminAuthority(void)const __ptr64 +?QueryAdminAuthority@BROWSER_DOMAIN@@QEBAPEAVADMIN_AUTHORITY@@XZ +; public: class ADMIN_AUTHORITY * __ptr64 __cdecl DOMAIN_FILL_THREAD::QueryAdminAuthority(void)const __ptr64 +?QueryAdminAuthority@DOMAIN_FILL_THREAD@@QEBAPEAVADMIN_AUTHORITY@@XZ +; public: unsigned short const * __ptr64 __cdecl UI_DOMAIN::QueryAnyDC(void)const __ptr64 +?QueryAnyDC@UI_DOMAIN@@QEBAPEBGXZ +; public: int __cdecl OWNER_WINDOW::QueryAttribute(unsigned long) __ptr64 +?QueryAttribute@OWNER_WINDOW@@QEAAHK@Z +; public: class AUDIT_CHECKBOXES * __ptr64 __cdecl SET_OF_AUDIT_CATEGORIES::QueryAuditCheckBox(int) __ptr64 +?QueryAuditCheckBox@SET_OF_AUDIT_CATEGORIES@@QEAAPEAVAUDIT_CHECKBOXES@@H@Z +; public: int __cdecl DEVICE_CONTEXT::QueryAveCharWidth(void)const __ptr64 +?QueryAveCharWidth@DEVICE_CONTEXT@@QEBAHXZ +; public: virtual unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryBigDecValue(void)const __ptr64 +?QueryBigDecValue@CHANGEABLE_SPIN_ITEM@@UEBAKXZ +; public: virtual unsigned long __cdecl SPIN_SLE_VALID_SECOND::QueryBigDecValue(void)const __ptr64 +?QueryBigDecValue@SPIN_SLE_VALID_SECOND@@UEBAKXZ +; public: virtual unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryBigIncValue(void)const __ptr64 +?QueryBigIncValue@CHANGEABLE_SPIN_ITEM@@UEBAKXZ +; public: virtual unsigned long __cdecl SPIN_SLE_VALID_SECOND::QueryBigIncValue(void)const __ptr64 +?QueryBigIncValue@SPIN_SLE_VALID_SECOND@@UEBAKXZ +; public: class BITFIELD * __ptr64 __cdecl STRING_BITSET_PAIR::QueryBitfield(void) __ptr64 +?QueryBitfield@STRING_BITSET_PAIR@@QEAAPEAVBITFIELD@@XZ +; public: struct HBITMAP__ * __ptr64 __cdecl DISPLAY_MAP::QueryBitmapHandle(void)const __ptr64 +?QueryBitmapHandle@DISPLAY_MAP@@QEBAPEAUHBITMAP__@@XZ +; public: long __cdecl MASK_MAP::QueryBits(unsigned int,class BITFIELD * __ptr64,class NLS_STR * __ptr64,int * __ptr64) __ptr64 +?QueryBits@MASK_MAP@@QEAAJIPEAVBITFIELD@@PEAVNLS_STR@@PEAH@Z +; public: int __cdecl XYRECT::QueryBottom(void)const __ptr64 +?QueryBottom@XYRECT@@QEBAHXZ +; public: class BROWSER_DOMAIN * __ptr64 __cdecl BROWSER_DOMAIN_LBI::QueryBrowserDomain(void)const __ptr64 +?QueryBrowserDomain@BROWSER_DOMAIN_LBI@@QEBAPEAVBROWSER_DOMAIN@@XZ +; public: class BROWSER_DOMAIN * __ptr64 __cdecl BROWSER_DOMAIN_LBI_PB::QueryBrowserDomain(void)const __ptr64 +?QueryBrowserDomain@BROWSER_DOMAIN_LBI_PB@@QEBAPEAVBROWSER_DOMAIN@@XZ +; protected: void * __ptr64 __cdecl NT_MEMORY::QueryBuffer(void)const __ptr64 +?QueryBuffer@NT_MEMORY@@IEBAPEAXXZ +; protected: unsigned char const * __ptr64 __cdecl ENUM_OBJ_BASE::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@ENUM_OBJ_BASE@@IEBAPEBEXZ +; public: struct _DOMAIN_DISPLAY_GROUP const * __ptr64 __cdecl NT_GROUP_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@NT_GROUP_ENUM_OBJ@@QEBAPEBU_DOMAIN_DISPLAY_GROUP@@XZ +; public: struct _SERVER_INFO_101 const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryBufferPtr(void)const __ptr64 +?QueryBufferPtr@SERVER1_ENUM_OBJ@@QEBAPEBU_SERVER_INFO_101@@XZ +; public: class SAM_DOMAIN * __ptr64 __cdecl BROWSER_DOMAIN::QueryBuiltinDomain(void)const __ptr64 +?QueryBuiltinDomain@BROWSER_DOMAIN@@QEBAPEAVSAM_DOMAIN@@XZ +; private: class PUSH_BUTTON * __ptr64 __cdecl MSGPOPUP_DIALOG::QueryButton(unsigned int) __ptr64 +?QueryButton@MSGPOPUP_DIALOG@@AEAAPEAVPUSH_BUTTON@@I@Z +; public: int __cdecl LIST_CONTROL::QueryCaretIndex(void)const __ptr64 +?QueryCaretIndex@LIST_CONTROL@@QEBAHXZ +; public: unsigned short __cdecl CHAR_EVENT::QueryChar(void)const __ptr64 +?QueryChar@CHAR_EVENT@@QEBAGXZ +; public: int __cdecl STATE2_BUTTON_CONTROL::QueryCheck(void)const __ptr64 +?QueryCheck@STATE2_BUTTON_CONTROL@@QEBAHXZ +; public: unsigned int __cdecl CONTROL_ENTRY::QueryCid(void)const __ptr64 +?QueryCid@CONTROL_ENTRY@@QEBAIXZ +; public: unsigned int __cdecl CONTROL_EVENT::QueryCid(void)const __ptr64 +?QueryCid@CONTROL_EVENT@@QEBAIXZ +; public: unsigned int __cdecl CONTROL_WINDOW::QueryCid(void)const __ptr64 +?QueryCid@CONTROL_WINDOW@@QEBAIXZ +; public: void __cdecl WINDOW::QueryClientRect(struct tagRECT * __ptr64)const __ptr64 +?QueryClientRect@WINDOW@@QEBAXPEAUtagRECT@@@Z +; public: void __cdecl WINDOW::QueryClientRect(class XYRECT * __ptr64)const __ptr64 +?QueryClientRect@WINDOW@@QEBAXPEAVXYRECT@@@Z +; public: unsigned int __cdecl CONTROL_EVENT::QueryCode(void)const __ptr64 +?QueryCode@CONTROL_EVENT@@QEBAIXZ +; public: unsigned int const * __ptr64 __cdecl STATELB::QueryColData(void) __ptr64 +?QueryColData@STATELB@@QEAAPEBIXZ +; public: unsigned int const * __ptr64 __cdecl BROWSER_DOMAIN_CB::QueryColWidthArray(void)const __ptr64 +?QueryColWidthArray@BROWSER_DOMAIN_CB@@QEBAPEBIXZ +; public: unsigned int const * __ptr64 __cdecl USER_BROWSER_LB::QueryColWidthArray(void)const __ptr64 +?QueryColWidthArray@USER_BROWSER_LB@@QEBAPEBIXZ +; protected: static unsigned short const * __ptr64 __cdecl CONTROL_WINDOW::QueryComboboxClassName(void) +?QueryComboboxClassName@CONTROL_WINDOW@@KAPEBGXZ +; public: enum SCROLL_EVENT::SCROLL_COMMAND __cdecl SCROLL_EVENT::QueryCommand(void)const __ptr64 +?QueryCommand@SCROLL_EVENT@@QEBA?AW4SCROLL_COMMAND@1@XZ +; public: unsigned short const * __ptr64 __cdecl BROWSER_SUBJECT::QueryComment(void)const __ptr64 +?QueryComment@BROWSER_SUBJECT@@QEBAPEBGXZ +; public: long __cdecl NT_GROUP_ENUM_OBJ::QueryComment(class NLS_STR * __ptr64)const __ptr64 +?QueryComment@NT_GROUP_ENUM_OBJ@@QEBAJPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryComment(void)const __ptr64 +?QueryComment@SERVER1_ENUM_OBJ@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_BROWSER_LBI::QueryComment(void)const __ptr64 +?QueryComment@USER_BROWSER_LBI@@QEBAPEBGXZ +; protected: virtual int (__cdecl*__cdecl USER_BROWSER_LBI_CACHE::QueryCompareMethod(void)const __ptr64)(void const * __ptr64,void const * __ptr64) +?QueryCompareMethod@USER_BROWSER_LBI_CACHE@@MEBAP6AHPEBX0@ZXZ +; protected: virtual int (__cdecl*__cdecl USER_LBI_CACHE::QueryCompareMethod(void)const __ptr64)(void const * __ptr64,void const * __ptr64) +?QueryCompareMethod@USER_LBI_CACHE@@MEBAP6AHPEBX0@ZXZ +; public: class CONTROL_VALUE * __ptr64 __cdecl CONTROLVAL_CID_PAIR::QueryContVal(void)const __ptr64 +?QueryContVal@CONTROLVAL_CID_PAIR@@QEBAPEAVCONTROL_VALUE@@XZ +; public: void __cdecl SPIN_SLE_NUM::QueryContent(unsigned long * __ptr64)const __ptr64 +?QueryContent@SPIN_SLE_NUM@@QEBAXPEAK@Z +; public: void __cdecl SPIN_SLE_NUM::QueryContent(class NLS_STR * __ptr64)const __ptr64 +?QueryContent@SPIN_SLE_NUM@@QEBAXPEAVNLS_STR@@@Z +; public: long __cdecl SPIN_SLE_STR::QueryContent(class NLS_STR * __ptr64)const __ptr64 +?QueryContent@SPIN_SLE_STR@@QEBAJPEAVNLS_STR@@@Z +; public: class CONTROL_WINDOW * __ptr64 __cdecl CUSTOM_CONTROL::QueryControlWin(void)const __ptr64 +?QueryControlWin@CUSTOM_CONTROL@@QEBAPEAVCONTROL_WINDOW@@XZ +; public: unsigned int __cdecl ARRAY_CONTROLVAL_CID_PAIR::QueryCount(void)const __ptr64 +?QueryCount@ARRAY_CONTROLVAL_CID_PAIR@@QEBAIXZ +; public: unsigned int __cdecl BITFIELD::QueryCount(void)const __ptr64 +?QueryCount@BITFIELD@@QEBAIXZ +; public: unsigned int __cdecl CONTROL_TABLE::QueryCount(void)const __ptr64 +?QueryCount@CONTROL_TABLE@@QEBAIXZ +; public: int __cdecl COUNTED_STR_DTE::QueryCount(void)const __ptr64 +?QueryCount@COUNTED_STR_DTE@@QEBAHXZ +; public: int __cdecl HEAP_BASE::QueryCount(void)const __ptr64 +?QueryCount@HEAP_BASE@@QEBAHXZ +; public: int __cdecl LIST_CONTROL::QueryCount(void)const __ptr64 +?QueryCount@LIST_CONTROL@@QEBAHXZ +; public: unsigned int __cdecl MASK_MAP::QueryCount(void) __ptr64 +?QueryCount@MASK_MAP@@QEAAIXZ +; public: unsigned long __cdecl NT_MEMORY::QueryCount(void)const __ptr64 +?QueryCount@NT_MEMORY@@QEBAKXZ +; public: int __cdecl RADIO_GROUP::QueryCount(void) __ptr64 +?QueryCount@RADIO_GROUP@@QEAAHXZ +; public: int __cdecl SET_OF_AUDIT_CATEGORIES::QueryCount(void) __ptr64 +?QueryCount@SET_OF_AUDIT_CATEGORIES@@QEAAHXZ +; public: unsigned long __cdecl USER_BROWSER_LBI_CACHE::QueryCount(void)const __ptr64 +?QueryCount@USER_BROWSER_LBI_CACHE@@QEBAKXZ +; public: int __cdecl USER_LBI_CACHE::QueryCount(void)const __ptr64 +?QueryCount@USER_LBI_CACHE@@QEBAHXZ +; protected: virtual long __cdecl USRLB_NT_GROUP_ENUM::QueryCountPreferences(unsigned long * __ptr64,unsigned long * __ptr64,unsigned int,unsigned long,unsigned long,unsigned long) __ptr64 +?QueryCountPreferences@USRLB_NT_GROUP_ENUM@@MEAAJPEAK0IKKK@Z +; public: class CONTROL_WINDOW * __ptr64 __cdecl CONTROL_ENTRY::QueryCtrlPtr(void)const __ptr64 +?QueryCtrlPtr@CONTROL_ENTRY@@QEBAPEAVCONTROL_WINDOW@@XZ +; public: class USER_BROWSER_LBI_CACHE * __ptr64 __cdecl USER_BROWSER_LB::QueryCurrentCache(void)const __ptr64 +?QueryCurrentCache@USER_BROWSER_LB@@QEBAPEAVUSER_BROWSER_LBI_CACHE@@XZ +; public: class BROWSER_DOMAIN * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QueryCurrentDomainFocus(void)const __ptr64 +?QueryCurrentDomainFocus@NT_USER_BROWSER_DIALOG@@QEBAPEAVBROWSER_DOMAIN@@XZ +; protected: class SPIN_ITEM * __ptr64 __cdecl SPIN_GROUP::QueryCurrentField(void)const __ptr64 +?QueryCurrentField@SPIN_GROUP@@IEBAPEAVSPIN_ITEM@@XZ +; public: int __cdecl LIST_CONTROL::QueryCurrentItem(void)const __ptr64 +?QueryCurrentItem@LIST_CONTROL@@QEBAHXZ +; public: unsigned short const * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QueryDCofPrimaryDomain(void) __ptr64 +?QueryDCofPrimaryDomain@NT_USER_BROWSER_DIALOG@@QEAAPEBGXZ +; public: int __cdecl BLT_DATE_SPIN_GROUP::QueryDay(void)const __ptr64 +?QueryDay@BLT_DATE_SPIN_GROUP@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryDay(void)const __ptr64 +?QueryDay@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryDayPos(void)const __ptr64 +?QueryDayPos@INTL_PROFILE@@QEBAHXZ +; public: unsigned long __cdecl UI_EXT::QueryDelta(void)const __ptr64 +?QueryDelta@UI_EXT@@QEBAKXZ +; public: unsigned long __cdecl UI_EXT_MGR::QueryDeltaDelta(void)const __ptr64 +?QueryDeltaDelta@UI_EXT_MGR@@QEBAKXZ +; private: unsigned int __cdecl HIER_LBI::QueryDescendants(void) __ptr64 +?QueryDescendants@HIER_LBI@@AEAAIXZ +; public: int __cdecl H_SPLITTER_BAR::QueryDesiredHeight(void) __ptr64 +?QueryDesiredHeight@H_SPLITTER_BAR@@QEAAHXZ +; public: long __cdecl DEVICE_COMBO::QueryDevice(class NLS_STR * __ptr64)const __ptr64 +?QueryDevice@DEVICE_COMBO@@QEBAJPEAVNLS_STR@@@Z +; public: struct HBITMAP__ * __ptr64 __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::QueryDisable(void)const __ptr64 +?QueryDisable@GRAPHICAL_BUTTON_WITH_DISABLE@@QEBAPEAUHBITMAP__@@XZ +; public: class DISPLAY_MAP * __ptr64 __cdecl BROWSER_DOMAIN_CB::QueryDisplayMap(class BROWSER_DOMAIN_LBI const * __ptr64) __ptr64 +?QueryDisplayMap@BROWSER_DOMAIN_CB@@QEAAPEAVDISPLAY_MAP@@PEBVBROWSER_DOMAIN_LBI@@@Z +; public: class DISPLAY_MAP * __ptr64 __cdecl DM_DTE::QueryDisplayMap(void)const __ptr64 +?QueryDisplayMap@DM_DTE@@QEBAPEAVDISPLAY_MAP@@XZ +; public: class DISPLAY_MAP * __ptr64 __cdecl SUBJECT_BITMAP_BLOCK::QueryDisplayMap(int,int,int) __ptr64 +?QueryDisplayMap@SUBJECT_BITMAP_BLOCK@@QEAAPEAVDISPLAY_MAP@@HHH@Z +; public: class DISPLAY_MAP * __ptr64 __cdecl USER_BROWSER_LB::QueryDisplayMap(class USER_BROWSER_LBI const * __ptr64) __ptr64 +?QueryDisplayMap@USER_BROWSER_LB@@QEAAPEAVDISPLAY_MAP@@PEBVUSER_BROWSER_LBI@@@Z +; public: unsigned short const * __ptr64 __cdecl BROWSER_DOMAIN::QueryDisplayName(void)const __ptr64 +?QueryDisplayName@BROWSER_DOMAIN@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl BROWSER_DOMAIN_LBI::QueryDisplayName(void)const __ptr64 +?QueryDisplayName@BROWSER_DOMAIN_LBI@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_BROWSER_LBI::QueryDisplayName(void)const __ptr64 +?QueryDisplayName@USER_BROWSER_LBI@@QEBAPEBGXZ +; public: unsigned int __cdecl DM_DTE::QueryDisplayWidth(void)const __ptr64 +?QueryDisplayWidth@DM_DTE@@QEBAIXZ +; public: unsigned short const * __ptr64 __cdecl UI_EXT::QueryDllName(void)const __ptr64 +?QueryDllName@UI_EXT@@QEBAPEBGXZ +; public: class DM_DTE * __ptr64 __cdecl OUTLINE_LISTBOX::QueryDmDte(enum OUTLINE_LB_LEVEL,int)const __ptr64 +?QueryDmDte@OUTLINE_LISTBOX@@QEBAPEAVDM_DTE@@W4OUTLINE_LB_LEVEL@@H@Z +; public: class DMID_DTE * __ptr64 __cdecl SUBJECT_BITMAP_BLOCK::QueryDmDte(int,int,int) __ptr64 +?QueryDmDte@SUBJECT_BITMAP_BLOCK@@QEAAPEAVDMID_DTE@@HHH@Z +; public: unsigned short const * __ptr64 __cdecl OLLB_ENTRY::QueryDomain(void)const __ptr64 +?QueryDomain@OLLB_ENTRY@@QEBAPEBGXZ +; public: unsigned int __cdecl BROWSE_DOMAIN_ENUM::QueryDomainCount(void) __ptr64 +?QueryDomainCount@BROWSE_DOMAIN_ENUM@@QEAAIXZ +; public: long __cdecl LSA_TRANSLATED_NAME_MEM::QueryDomainIndex(unsigned long)const __ptr64 +?QueryDomainIndex@LSA_TRANSLATED_NAME_MEM@@QEBAJK@Z +; public: long __cdecl LSA_TRANSLATED_SID_MEM::QueryDomainIndex(unsigned long)const __ptr64 +?QueryDomainIndex@LSA_TRANSLATED_SID_MEM@@QEBAJK@Z +; public: unsigned short const * __ptr64 __cdecl BROWSER_DOMAIN::QueryDomainName(void)const __ptr64 +?QueryDomainName@BROWSER_DOMAIN@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl BROWSER_SUBJECT::QueryDomainName(void)const __ptr64 +?QueryDomainName@BROWSER_SUBJECT@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl BROWSE_DOMAIN_INFO::QueryDomainName(void)const __ptr64 +?QueryDomainName@BROWSE_DOMAIN_INFO@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_BROWSER_LBI::QueryDomainName(void)const __ptr64 +?QueryDomainName@USER_BROWSER_LBI@@QEBAPEBGXZ +; public: class OS_SID const * __ptr64 __cdecl BROWSER_DOMAIN::QueryDomainSid(void)const __ptr64 +?QueryDomainSid@BROWSER_DOMAIN@@QEBAPEBVOS_SID@@XZ +; public: class OS_SID const * __ptr64 __cdecl BROWSER_SUBJECT::QueryDomainSid(void)const __ptr64 +?QueryDomainSid@BROWSER_SUBJECT@@QEBAPEBVOS_SID@@XZ +; protected: static unsigned short const * __ptr64 __cdecl CONTROL_WINDOW::QueryEditClassName(void) +?QueryEditClassName@CONTROL_WINDOW@@KAPEBGXZ +; public: struct _ULC_ENTRY_BASE * __ptr64 __cdecl USER_BROWSER_LBI_CACHE::QueryEntryPtr(int) __ptr64 +?QueryEntryPtr@USER_BROWSER_LBI_CACHE@@QEAAPEAU_ULC_ENTRY_BASE@@H@Z +; public: long __cdecl ASSOCHWNDPDLG::QueryError(void)const __ptr64 +?QueryError@ASSOCHWNDPDLG@@QEBAJXZ +; public: long __cdecl ASSOCHWNDPWND::QueryError(void)const __ptr64 +?QueryError@ASSOCHWNDPWND@@QEBAJXZ +; public: long __cdecl BASE::QueryError(void)const __ptr64 +?QueryError@BASE@@QEBAJXZ +; public: long __cdecl CONTROL_WINDOW::QueryError(void)const __ptr64 +?QueryError@CONTROL_WINDOW@@QEBAJXZ +; public: long __cdecl FORWARDING_BASE::QueryError(void)const __ptr64 +?QueryError@FORWARDING_BASE@@QEBAJXZ +; public: long __cdecl SLT_ELLIPSIS::QueryError(void)const __ptr64 +?QueryError@SLT_ELLIPSIS@@QEBAJXZ +; protected: long __cdecl GET_FNAME_BASE_DLG::QueryErrorCode(void)const __ptr64 +?QueryErrorCode@GET_FNAME_BASE_DLG@@IEBAJXZ +; public: class USER_BROWSER_LBI * __ptr64 __cdecl USER_BROWSER_LB::QueryErrorLBI(void)const __ptr64 +?QueryErrorLBI@USER_BROWSER_LB@@QEBAPEAVUSER_BROWSER_LBI@@XZ +; public: long __cdecl BROWSER_DOMAIN::QueryErrorLoadingAuthority(void)const __ptr64 +?QueryErrorLoadingAuthority@BROWSER_DOMAIN@@QEBAJXZ +; public: long __cdecl DOMAIN_FILL_THREAD::QueryErrorLoadingAuthority(void)const __ptr64 +?QueryErrorLoadingAuthority@DOMAIN_FILL_THREAD@@QEBAJXZ +; protected: virtual unsigned int __cdecl ARROW_BUTTON::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@ARROW_BUTTON@@MEAAIAEBVCONTROL_EVENT@@@Z +; protected: virtual unsigned int __cdecl BUTTON_CONTROL::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@BUTTON_CONTROL@@MEAAIAEBVCONTROL_EVENT@@@Z +; protected: virtual unsigned int __cdecl COMBOBOX::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@COMBOBOX@@MEAAIAEBVCONTROL_EVENT@@@Z +; public: virtual unsigned int __cdecl CONTROL_VALUE::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@CONTROL_VALUE@@UEAAIAEBVCONTROL_EVENT@@@Z +; protected: virtual unsigned int __cdecl EDIT_CONTROL::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@EDIT_CONTROL@@MEAAIAEBVCONTROL_EVENT@@@Z +; protected: virtual unsigned int __cdecl LIST_CONTROL::QueryEventEffects(class CONTROL_EVENT const & __ptr64) __ptr64 +?QueryEventEffects@LIST_CONTROL@@MEAAIAEBVCONTROL_EVENT@@@Z +; public: int __cdecl HIER_LBI::QueryExpanded(void)const __ptr64 +?QueryExpanded@HIER_LBI@@QEBAHXZ +; public: class SLIST_OF_UI_EXT * __ptr64 __cdecl UI_EXT_MGR::QueryExtensions(void) __ptr64 +?QueryExtensions@UI_EXT_MGR@@QEAAPEAVSLIST_OF_UI_EXT@@XZ +; public: unsigned int __cdecl SET_OF_AUDIT_CATEGORIES::QueryFailedBaseCID(void) __ptr64 +?QueryFailedBaseCID@SET_OF_AUDIT_CATEGORIES@@QEAAIXZ +; public: unsigned long __cdecl OPEN_LBI_BASE::QueryFileID(void)const __ptr64 +?QueryFileID@OPEN_LBI_BASE@@QEBAKXZ +; public: long __cdecl GET_FNAME_BASE_DLG::QueryFileTitle(class NLS_STR * __ptr64)const __ptr64 +?QueryFileTitle@GET_FNAME_BASE_DLG@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl GET_FNAME_BASE_DLG::QueryFilename(class NLS_STR * __ptr64)const __ptr64 +?QueryFilename@GET_FNAME_BASE_DLG@@QEBAJPEAVNLS_STR@@@Z +; protected: int __cdecl HEAP_BASE::QueryFirstLeaf(void)const __ptr64 +?QueryFirstLeaf@HEAP_BASE@@IEBAHXZ +; public: unsigned long __cdecl ACCOUNT_NAMES_MLE::QueryFlags(void)const __ptr64 +?QueryFlags@ACCOUNT_NAMES_MLE@@QEBAKXZ +; public: unsigned long __cdecl NT_USER_BROWSER_DIALOG::QueryFlags(void)const __ptr64 +?QueryFlags@NT_USER_BROWSER_DIALOG@@QEBAKXZ +; public: struct HFONT__ * __ptr64 __cdecl CONTROL_WINDOW::QueryFont(void)const __ptr64 +?QueryFont@CONTROL_WINDOW@@QEBAPEAUHFONT__@@XZ +; public: int __cdecl DEVICE_CONTEXT::QueryFontHeight(void)const __ptr64 +?QueryFontHeight@DEVICE_CONTEXT@@QEBAHXZ +; public: unsigned short const * __ptr64 __cdecl BROWSER_SUBJECT::QueryFullName(void)const __ptr64 +?QueryFullName@BROWSER_SUBJECT@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl USER_BROWSER_LBI::QueryFullName(void)const __ptr64 +?QueryFullName@USER_BROWSER_LBI@@QEBAPEBGXZ +; public: class CONTROL_GROUP * __ptr64 __cdecl CONTROL_VALUE::QueryGroup(void)const __ptr64 +?QueryGroup@CONTROL_VALUE@@QEBAPEAVCONTROL_GROUP@@XZ +; public: long __cdecl NT_GROUP_ENUM_OBJ::QueryGroup(class NLS_STR * __ptr64)const __ptr64 +?QueryGroup@NT_GROUP_ENUM_OBJ@@QEBAJPEAVNLS_STR@@@Z +; public: class CONTROL_GROUP * __ptr64 __cdecl SPIN_ITEM::QueryGroup(void) __ptr64 +?QueryGroup@SPIN_ITEM@@QEAAPEAVCONTROL_GROUP@@XZ +; public: struct HACCEL__ * __ptr64 __cdecl ACCELTABLE::QueryHandle(void)const __ptr64 +?QueryHandle@ACCELTABLE@@QEBAPEAUHACCEL__@@XZ +; public: unsigned short __cdecl ATOM_BASE::QueryHandle(void)const __ptr64 +?QueryHandle@ATOM_BASE@@QEBAGXZ +; public: struct HBITMAP__ * __ptr64 __cdecl BIT_MAP::QueryHandle(void)const __ptr64 +?QueryHandle@BIT_MAP@@QEBAPEAUHBITMAP__@@XZ +; public: struct HFONT__ * __ptr64 __cdecl FONT::QueryHandle(void)const __ptr64 +?QueryHandle@FONT@@QEBAPEAUHFONT__@@XZ +; public: struct HMENU__ * __ptr64 __cdecl MENU_BASE::QueryHandle(void)const __ptr64 +?QueryHandle@MENU_BASE@@QEBAPEAUHMENU__@@XZ +; public: void * __ptr64 __cdecl SAM_OBJECT::QueryHandle(void)const __ptr64 +?QueryHandle@SAM_OBJECT@@QEBAPEAXXZ +; public: struct HBRUSH__ * __ptr64 __cdecl SOLID_BRUSH::QueryHandle(void)const __ptr64 +?QueryHandle@SOLID_BRUSH@@QEBAPEAUHBRUSH__@@XZ +; public: void * __ptr64 __cdecl WIN32_HANDLE::QueryHandle(void)const __ptr64 +?QueryHandle@WIN32_HANDLE@@QEBAPEAXXZ +; public: struct HDC__ * __ptr64 __cdecl DEVICE_CONTEXT::QueryHdc(void)const __ptr64 +?QueryHdc@DEVICE_CONTEXT@@QEBAPEAUHDC__@@XZ +; public: unsigned int __cdecl BIT_MAP::QueryHeight(void)const __ptr64 +?QueryHeight@BIT_MAP@@QEBAIXZ +; public: unsigned int __cdecl DISPLAY_MAP::QueryHeight(void)const __ptr64 +?QueryHeight@DISPLAY_MAP@@QEBAIXZ +; public: int __cdecl LB_COLUMN_HEADER::QueryHeight(void) __ptr64 +?QueryHeight@LB_COLUMN_HEADER@@QEAAHXZ +; public: unsigned int __cdecl SIZE_EVENT::QueryHeight(void)const __ptr64 +?QueryHeight@SIZE_EVENT@@QEBAIXZ +; public: unsigned int __cdecl XYDIMENSION::QueryHeight(void)const __ptr64 +?QueryHeight@XYDIMENSION@@QEBAIXZ +; protected: virtual unsigned long __cdecl BASE_PASSWORD_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@BASE_PASSWORD_DIALOG@@MEAAKXZ +; protected: virtual unsigned long __cdecl BASE_SET_FOCUS_DLG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@BASE_SET_FOCUS_DLG@@MEAAKXZ +; protected: virtual unsigned long __cdecl DIALOG_WINDOW::QueryHelpContext(void) __ptr64 +?QueryHelpContext@DIALOG_WINDOW@@MEAAKXZ +; public: unsigned long __cdecl GET_FNAME_BASE_DLG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@GET_FNAME_BASE_DLG@@QEAAKXZ +; protected: virtual unsigned long __cdecl MSGPOPUP_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@MSGPOPUP_DIALOG@@MEAAKXZ +; protected: virtual unsigned long __cdecl NT_FIND_ACCOUNT_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@NT_FIND_ACCOUNT_DIALOG@@MEAAKXZ +; protected: virtual unsigned long __cdecl NT_GLOBALGROUP_BROWSER_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@NT_GLOBALGROUP_BROWSER_DIALOG@@MEAAKXZ +; protected: virtual unsigned long __cdecl NT_LOCALGROUP_BROWSER_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@NT_LOCALGROUP_BROWSER_DIALOG@@MEAAKXZ +; public: virtual unsigned long __cdecl NT_USER_BROWSER_DIALOG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@NT_USER_BROWSER_DIALOG@@UEAAKXZ +; protected: virtual unsigned long __cdecl OPEN_DIALOG_BASE::QueryHelpContext(void) __ptr64 +?QueryHelpContext@OPEN_DIALOG_BASE@@MEAAKXZ +; protected: virtual unsigned long __cdecl PROMPT_FOR_ANY_DC_DLG::QueryHelpContext(void) __ptr64 +?QueryHelpContext@PROMPT_FOR_ANY_DC_DLG@@MEAAKXZ +; public: unsigned long __cdecl NT_USER_BROWSER_DIALOG::QueryHelpContextGlobalMembership(void) __ptr64 +?QueryHelpContextGlobalMembership@NT_USER_BROWSER_DIALOG@@QEAAKXZ +; public: unsigned long __cdecl NT_USER_BROWSER_DIALOG::QueryHelpContextLocalMembership(void) __ptr64 +?QueryHelpContextLocalMembership@NT_USER_BROWSER_DIALOG@@QEAAKXZ +; public: unsigned long __cdecl NT_USER_BROWSER_DIALOG::QueryHelpContextSearch(void) __ptr64 +?QueryHelpContextSearch@NT_USER_BROWSER_DIALOG@@QEAAKXZ +; public: unsigned short const * __ptr64 __cdecl ASSOCHCFILE::QueryHelpFile(void)const __ptr64 +?QueryHelpFile@ASSOCHCFILE@@QEBAPEBGXZ +; protected: virtual unsigned short const * __ptr64 __cdecl BASE_SET_FOCUS_DLG::QueryHelpFile(unsigned long) __ptr64 +?QueryHelpFile@BASE_SET_FOCUS_DLG@@MEAAPEBGK@Z +; protected: virtual unsigned short const * __ptr64 __cdecl DIALOG_WINDOW::QueryHelpFile(unsigned long) __ptr64 +?QueryHelpFile@DIALOG_WINDOW@@MEAAPEBGK@Z +; public: class NLS_STR * __ptr64 __cdecl GET_FNAME_BASE_DLG::QueryHelpFile(void) __ptr64 +?QueryHelpFile@GET_FNAME_BASE_DLG@@QEAAPEAVNLS_STR@@XZ +; protected: virtual unsigned short const * __ptr64 __cdecl NT_FIND_ACCOUNT_DIALOG::QueryHelpFile(unsigned long) __ptr64 +?QueryHelpFile@NT_FIND_ACCOUNT_DIALOG@@MEAAPEBGK@Z +; protected: virtual unsigned short const * __ptr64 __cdecl NT_GROUP_BROWSER_DIALOG::QueryHelpFile(unsigned long) __ptr64 +?QueryHelpFile@NT_GROUP_BROWSER_DIALOG@@MEAAPEBGK@Z +; public: virtual unsigned short const * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QueryHelpFile(unsigned long) __ptr64 +?QueryHelpFile@NT_USER_BROWSER_DIALOG@@UEAAPEBGK@Z +; public: unsigned int __cdecl QMOUSEACT_EVENT::QueryHitTest(void)const __ptr64 +?QueryHitTest@QMOUSEACT_EVENT@@QEBAIXZ +; public: unsigned int __cdecl LISTBOX::QueryHorizontalExtent(void)const __ptr64 +?QueryHorizontalExtent@LISTBOX@@QEBAIXZ +; public: int __cdecl BLT_TIME_SPIN_GROUP::QueryHour(void)const __ptr64 +?QueryHour@BLT_TIME_SPIN_GROUP@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryHour(void)const __ptr64 +?QueryHour@WIN_TIME@@QEBAHXZ +; public: long __cdecl LOGON_HOURS_CONTROL::QueryHours(class LOGON_HOURS_SETTING * __ptr64)const __ptr64 +?QueryHours@LOGON_HOURS_CONTROL@@QEBAJPEAVLOGON_HOURS_SETTING@@@Z +; public: struct HWND__ * __ptr64 __cdecl CONTROL_EVENT::QueryHwnd(void)const __ptr64 +?QueryHwnd@CONTROL_EVENT@@QEBAPEAUHWND__@@XZ +; public: struct HWND__ * __ptr64 __cdecl DISPATCHER::QueryHwnd(void)const __ptr64 +?QueryHwnd@DISPATCHER@@QEBAPEAUHWND__@@XZ +; protected: struct HWND__ * __ptr64 __cdecl DISPLAY_CONTEXT::QueryHwnd(void) __ptr64 +?QueryHwnd@DISPLAY_CONTEXT@@IEAAPEAUHWND__@@XZ +; public: struct HWND__ * __ptr64 __cdecl DLGLOAD::QueryHwnd(void)const __ptr64 +?QueryHwnd@DLGLOAD@@QEBAPEAUHWND__@@XZ +; public: struct HWND__ * __ptr64 __cdecl OWNINGWND::QueryHwnd(void)const __ptr64 +?QueryHwnd@OWNINGWND@@QEBAPEAUHWND__@@XZ +; public: struct HWND__ * __ptr64 __cdecl PWND2HWND::QueryHwnd(void)const __ptr64 +?QueryHwnd@PWND2HWND@@QEBAPEAUHWND__@@XZ +; public: struct HWND__ * __ptr64 __cdecl WINDOW::QueryHwnd(void)const __ptr64 +?QueryHwnd@WINDOW@@QEBAPEAUHWND__@@XZ +; public: unsigned int __cdecl DISPLAY_MAP::QueryID(void)const __ptr64 +?QueryID@DISPLAY_MAP@@QEBAIXZ +; public: int __cdecl STRING_BITSET_PAIR::QueryID(void) __ptr64 +?QueryID@STRING_BITSET_PAIR@@QEAAHXZ +; public: unsigned int __cdecl TIMER_BASE::QueryID(void)const __ptr64 +?QueryID@TIMER_BASE@@QEBAIXZ +; public: struct HICON__ * __ptr64 __cdecl APP_WINDOW::QueryIcon(void)const __ptr64 +?QueryIcon@APP_WINDOW@@QEBAPEAUHICON__@@XZ +; private: unsigned short const * __ptr64 __cdecl MSGPOPUP_DIALOG::QueryIcon(enum MSG_SEVERITY) __ptr64 +?QueryIcon@MSGPOPUP_DIALOG@@AEAAPEBGW4MSG_SEVERITY@@@Z +; public: int __cdecl HIER_LBI::QueryIndentLevel(void) __ptr64 +?QueryIndentLevel@HIER_LBI@@QEAAHXZ +; public: class SLE * __ptr64 __cdecl SLE_STRLB_GROUP::QueryInputSLE(void)const __ptr64 +?QueryInputSLE@SLE_STRLB_GROUP@@QEBAPEAVSLE@@XZ +; public: class XYRECT const & __ptr64 __cdecl PAINT_DISPLAY_CONTEXT::QueryInvalidRect(void)const __ptr64 +?QueryInvalidRect@PAINT_DISPLAY_CONTEXT@@QEBAAEBVXYRECT@@XZ +; public: class LBI * __ptr64 __cdecl BLT_LISTBOX::QueryItem(int)const __ptr64 +?QueryItem@BLT_LISTBOX@@QEBAPEAVLBI@@H@Z +; public: class LBI * __ptr64 __cdecl BLT_LISTBOX::QueryItem(void)const __ptr64 +?QueryItem@BLT_LISTBOX@@QEBAPEAVLBI@@XZ +; public: class CONTROL_ENTRY * __ptr64 __cdecl CONTROL_TABLE::QueryItem(unsigned int)const __ptr64 +?QueryItem@CONTROL_TABLE@@QEBAPEAVCONTROL_ENTRY@@I@Z +; public: class OPEN_LBI_BASE * __ptr64 __cdecl OPEN_LBOX_BASE::QueryItem(int)const __ptr64 +?QueryItem@OPEN_LBOX_BASE@@QEBAPEAVOPEN_LBI_BASE@@H@Z +; public: class OPEN_LBI_BASE * __ptr64 __cdecl OPEN_LBOX_BASE::QueryItem(void)const __ptr64 +?QueryItem@OPEN_LBOX_BASE@@QEBAPEAVOPEN_LBI_BASE@@XZ +; public: class OLLB_ENTRY * __ptr64 __cdecl OUTLINE_LISTBOX::QueryItem(int)const __ptr64 +?QueryItem@OUTLINE_LISTBOX@@QEBAPEAVOLLB_ENTRY@@H@Z +; public: class OLLB_ENTRY * __ptr64 __cdecl OUTLINE_LISTBOX::QueryItem(void)const __ptr64 +?QueryItem@OUTLINE_LISTBOX@@QEBAPEAVOLLB_ENTRY@@XZ +; public: class STLBITEM * __ptr64 __cdecl STATELB::QueryItem(void)const __ptr64 +?QueryItem@STATELB@@QEBAPEAVSTLBITEM@@XZ +; public: class USER_BROWSER_LBI * __ptr64 __cdecl USER_BROWSER_LB::QueryItem(int)const __ptr64 +?QueryItem@USER_BROWSER_LB@@QEBAPEAVUSER_BROWSER_LBI@@H@Z +; public: class USER_BROWSER_LBI * __ptr64 __cdecl USER_BROWSER_LB::QueryItem(void)const __ptr64 +?QueryItem@USER_BROWSER_LB@@QEBAPEAVUSER_BROWSER_LBI@@XZ +; public: virtual class LBI * __ptr64 __cdecl USER_LBI_CACHE::QueryItem(int) __ptr64 +?QueryItem@USER_LBI_CACHE@@UEAAPEAVLBI@@H@Z +; public: int __cdecl MENU_BASE::QueryItemCount(void)const __ptr64 +?QueryItemCount@MENU_BASE@@QEBAHXZ +; public: unsigned int __cdecl LIST_CONTROL::QueryItemHeight(unsigned int)const __ptr64 +?QueryItemHeight@LIST_CONTROL@@QEBAII@Z +; public: unsigned int __cdecl MENU_BASE::QueryItemID(int)const __ptr64 +?QueryItemID@MENU_BASE@@QEBAIH@Z +; public: int __cdecl STRING_LIST_CONTROL::QueryItemLength(int)const __ptr64 +?QueryItemLength@STRING_LIST_CONTROL@@QEBAHH@Z +; public: int __cdecl STRING_LIST_CONTROL::QueryItemSize(int)const __ptr64 +?QueryItemSize@STRING_LIST_CONTROL@@QEBAHH@Z +; public: unsigned int __cdecl MENU_BASE::QueryItemState(unsigned int,unsigned int)const __ptr64 +?QueryItemState@MENU_BASE@@QEBAIII@Z +; public: long __cdecl MENU_BASE::QueryItemText(unsigned short * __ptr64,unsigned int,unsigned int,unsigned int)const __ptr64 +?QueryItemText@MENU_BASE@@QEBAJPEAGIII@Z +; public: long __cdecl MENU_BASE::QueryItemText(class NLS_STR * __ptr64,unsigned int,unsigned int)const __ptr64 +?QueryItemText@MENU_BASE@@QEBAJPEAVNLS_STR@@II@Z +; public: long __cdecl STRING_LIST_CONTROL::QueryItemText(unsigned short * __ptr64,int,int)const __ptr64 +?QueryItemText@STRING_LIST_CONTROL@@QEBAJPEAGHH@Z +; public: long __cdecl STRING_LIST_CONTROL::QueryItemText(class NLS_STR * __ptr64)const __ptr64 +?QueryItemText@STRING_LIST_CONTROL@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl STRING_LIST_CONTROL::QueryItemText(class NLS_STR * __ptr64,int)const __ptr64 +?QueryItemText@STRING_LIST_CONTROL@@QEBAJPEAVNLS_STR@@H@Z +; private: long __cdecl STRING_LIST_CONTROL::QueryItemTextAux(unsigned short * __ptr64,int)const __ptr64 +?QueryItemTextAux@STRING_LIST_CONTROL@@AEBAJPEAGH@Z +; private: int __cdecl HIER_LBI::QueryLBIndex(void) __ptr64 +?QueryLBIndex@HIER_LBI@@AEAAHXZ +; public: __int64 __cdecl EVENT::QueryLParam(void)const __ptr64 +?QueryLParam@EVENT@@QEBA_JXZ +; public: class LSA_POLICY * __ptr64 __cdecl BROWSER_DOMAIN::QueryLSAPolicy(void)const __ptr64 +?QueryLSAPolicy@BROWSER_DOMAIN@@QEBAPEAVLSA_POLICY@@XZ +; public: class STATELB * __ptr64 __cdecl STATELBGRP::QueryLb(void) __ptr64 +?QueryLb@STATELBGRP@@QEAAPEAVSTATELB@@XZ +; public: virtual unsigned short __cdecl BROWSER_DOMAIN_LBI::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@BROWSER_DOMAIN_LBI@@UEBAGXZ +; public: virtual unsigned short __cdecl BROWSER_DOMAIN_LBI_PB::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@BROWSER_DOMAIN_LBI_PB@@UEBAGXZ +; public: virtual unsigned short __cdecl LBI::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@LBI@@UEBAGXZ +; public: virtual unsigned short __cdecl OLLB_ENTRY::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@OLLB_ENTRY@@UEBAGXZ +; protected: virtual unsigned short __cdecl OPEN_LBI_BASE::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@OPEN_LBI_BASE@@MEBAGXZ +; protected: virtual unsigned short __cdecl STLBITEM::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@STLBITEM@@MEBAGXZ +; public: virtual unsigned short __cdecl USER_BROWSER_LBI::QueryLeadingChar(void)const __ptr64 +?QueryLeadingChar@USER_BROWSER_LBI@@UEBAGXZ +; public: int __cdecl XYRECT::QueryLeft(void)const __ptr64 +?QueryLeft@XYRECT@@QEBAHXZ +; protected: int __cdecl HEAP_BASE::QueryLeftChild(int)const __ptr64 +?QueryLeftChild@HEAP_BASE@@IEBAHH@Z +; public: virtual unsigned int __cdecl DTE::QueryLeftMargin(void)const __ptr64 +?QueryLeftMargin@DTE@@UEBAIXZ +; public: virtual unsigned int __cdecl METALLIC_STR_DTE::QueryLeftMargin(void)const __ptr64 +?QueryLeftMargin@METALLIC_STR_DTE@@UEBAIXZ +; public: int __cdecl OLLB_ENTRY::QueryLevel(void)const __ptr64 +?QueryLevel@OLLB_ENTRY@@QEBAHXZ +; public: unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryLimit(void)const __ptr64 +?QueryLimit@CHANGEABLE_SPIN_ITEM@@QEBAKXZ +; protected: virtual int __cdecl CONSOLE_ELLIPSIS::QueryLimit(void) __ptr64 +?QueryLimit@CONSOLE_ELLIPSIS@@MEAAHXZ +; protected: virtual int __cdecl WIN_ELLIPSIS::QueryLimit(void) __ptr64 +?QueryLimit@WIN_ELLIPSIS@@MEAAHXZ +; protected: static unsigned short const * __ptr64 __cdecl CONTROL_WINDOW::QueryListboxClassName(void) +?QueryListboxClassName@CONTROL_WINDOW@@KAPEBGXZ +; long __cdecl QueryLoggedOnDomainInfo(class NLS_STR * __ptr64,class NLS_STR * __ptr64) +?QueryLoggedOnDomainInfo@@YAJPEAVNLS_STR@@0@Z +; public: unsigned short const * __ptr64 __cdecl BROWSER_DOMAIN::QueryLsaLookupName(void)const __ptr64 +?QueryLsaLookupName@BROWSER_DOMAIN@@QEBAPEBGXZ +; public: struct HBITMAP__ * __ptr64 __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::QueryMain(void)const __ptr64 +?QueryMain@GRAPHICAL_BUTTON_WITH_DISABLE@@QEBAPEAUHBITMAP__@@XZ +; public: struct HBITMAP__ * __ptr64 __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::QueryMainInvert(void)const __ptr64 +?QueryMainInvert@GRAPHICAL_BUTTON_WITH_DISABLE@@QEBAPEAUHBITMAP__@@XZ +; public: class DISPLAY_MAP * __ptr64 const * __ptr64 __cdecl STATELB::QueryMapArray(void)const __ptr64 +?QueryMapArray@STATELB@@QEBAPEBQEAVDISPLAY_MAP@@XZ +; public: int __cdecl STATELB::QueryMapCount(void)const __ptr64 +?QueryMapCount@STATELB@@QEBAHXZ +; public: class BITFIELD * __ptr64 __cdecl AUDIT_CHECKBOXES::QueryMask(void) __ptr64 +?QueryMask@AUDIT_CHECKBOXES@@QEAAPEAVBITFIELD@@XZ +; public: struct HBITMAP__ * __ptr64 __cdecl DISPLAY_MAP::QueryMaskHandle(void)const __ptr64 +?QueryMaskHandle@DISPLAY_MAP@@QEBAPEAUHBITMAP__@@XZ +; public: static long __cdecl BLT_MASTER_TIMER::QueryMasterTimer(class BLT_MASTER_TIMER * __ptr64 * __ptr64) +?QueryMasterTimer@BLT_MASTER_TIMER@@SAJPEAPEAV1@@Z +; public: unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryMax(void)const __ptr64 +?QueryMax@CHANGEABLE_SPIN_ITEM@@QEBAKXZ +; public: unsigned int __cdecl SCROLLBAR::QueryMax(void)const __ptr64 +?QueryMax@SCROLLBAR@@QEBAIXZ +; protected: virtual int __cdecl CONSOLE_ELLIPSIS::QueryMaxCharWidth(void) __ptr64 +?QueryMaxCharWidth@CONSOLE_ELLIPSIS@@MEAAHXZ +; protected: virtual int __cdecl WIN_ELLIPSIS::QueryMaxCharWidth(void) __ptr64 +?QueryMaxCharWidth@WIN_ELLIPSIS@@MEAAHXZ +; public: struct HMENU__ * __ptr64 __cdecl APP_WINDOW::QueryMenu(void)const __ptr64 +?QueryMenu@APP_WINDOW@@QEBAPEAUHMENU__@@XZ +; public: struct HMENU__ * __ptr64 __cdecl UI_MENU_EXT::QueryMenuHandle(void)const __ptr64 +?QueryMenuHandle@UI_MENU_EXT@@QEBAPEAUHMENU__@@XZ +; public: unsigned int __cdecl EVENT::QueryMessage(void)const __ptr64 +?QueryMessage@EVENT@@QEBAIXZ +; public: int __cdecl BLT_TIME_SPIN_GROUP::QueryMin(void)const __ptr64 +?QueryMin@BLT_TIME_SPIN_GROUP@@QEBAHXZ +; public: unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryMin(void)const __ptr64 +?QueryMin@CHANGEABLE_SPIN_ITEM@@QEBAKXZ +; public: unsigned int __cdecl SCROLLBAR::QueryMin(void)const __ptr64 +?QueryMin@SCROLLBAR@@QEBAIXZ +; public: int __cdecl WIN_TIME::QueryMinute(void)const __ptr64 +?QueryMinute@WIN_TIME@@QEBAHXZ +; public: long __cdecl ELAPSED_TIME_CONTROL::QueryMinuteValue(void)const __ptr64 +?QueryMinuteValue@ELAPSED_TIME_CONTROL@@QEBAJXZ +; public: struct HINSTANCE__ * __ptr64 __cdecl ASSOCHCFILE::QueryModule(void)const __ptr64 +?QueryModule@ASSOCHCFILE@@QEBAPEAUHINSTANCE__@@XZ +; public: int __cdecl BLT_DATE_SPIN_GROUP::QueryMonth(void)const __ptr64 +?QueryMonth@BLT_DATE_SPIN_GROUP@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryMonth(void)const __ptr64 +?QueryMonth@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryMonthPos(void)const __ptr64 +?QueryMonthPos@INTL_PROFILE@@QEBAHXZ +; public: long __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryName(class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_PRIMARY_DOM_INFO_MEM@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl LSA_REF_DOMAIN_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_REF_DOMAIN_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: long __cdecl LSA_TRANSLATED_NAME_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_TRANSLATED_NAME_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: long __cdecl LSA_TRUST_INFO_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@LSA_TRUST_INFO_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: long __cdecl SAM_RID_ENUMERATION_MEM::QueryName(unsigned long,class NLS_STR * __ptr64)const __ptr64 +?QueryName@SAM_RID_ENUMERATION_MEM@@QEBAJKPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl SERVER1_ENUM_OBJ::QueryName(void)const __ptr64 +?QueryName@SERVER1_ENUM_OBJ@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl UI_DOMAIN::QueryName(void)const __ptr64 +?QueryName@UI_DOMAIN@@QEBAPEBGXZ +; protected: struct tagOFNW * __ptr64 __cdecl GET_FNAME_BASE_DLG::QueryOFN(void) __ptr64 +?QueryOFN@GET_FNAME_BASE_DLG@@IEAAPEAUtagOFNW@@XZ +; public: class OS_SID const * __ptr64 __cdecl SAM_DOMAIN::QueryOSSID(void)const __ptr64 +?QueryOSSID@SAM_DOMAIN@@QEBAPEBVOS_SID@@XZ +; public: class OS_SID const * __ptr64 __cdecl USER_BROWSER_LBI::QueryOSSID(void)const __ptr64 +?QueryOSSID@USER_BROWSER_LBI@@QEBAPEBVOS_SID@@XZ +; protected: virtual long __cdecl CANCEL_TASK_DIALOG::QueryObjectName(class NLS_STR * __ptr64) __ptr64 +?QueryObjectName@CANCEL_TASK_DIALOG@@MEAAJPEAVNLS_STR@@@Z +; public: class NLS_STR __cdecl BASE_ELLIPSIS::QueryOriginalStr(void)const __ptr64 +?QueryOriginalStr@BASE_ELLIPSIS@@QEBA?AVNLS_STR@@XZ +; public: struct HWND__ * __ptr64 __cdecl WINDOW::QueryOwnerHwnd(void)const __ptr64 +?QueryOwnerHwnd@WINDOW@@QEBAPEAUHWND__@@XZ +; public: class OWNER_WINDOW * __ptr64 __cdecl SET_OF_AUDIT_CATEGORIES::QueryOwnerWindow(void) __ptr64 +?QueryOwnerWindow@SET_OF_AUDIT_CATEGORIES@@QEAAPEAVOWNER_WINDOW@@XZ +; public: unsigned short const * __ptr64 __cdecl UI_DOMAIN::QueryPDC(void)const __ptr64 +?QueryPDC@UI_DOMAIN@@QEBAPEBGXZ +; public: void * __ptr64 __cdecl LSA_ACCT_DOM_INFO_MEM::QueryPSID(void)const __ptr64 +?QueryPSID@LSA_ACCT_DOM_INFO_MEM@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryPSID(void)const __ptr64 +?QueryPSID@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryPSID(unsigned long)const __ptr64 +?QueryPSID@LSA_REF_DOMAIN_MEM@@QEBAPEAXK@Z +; public: void * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryPSID(unsigned long)const __ptr64 +?QueryPSID@LSA_TRUST_INFO_MEM@@QEBAPEAXK@Z +; public: void * __ptr64 __cdecl OS_SID::QueryPSID(void)const __ptr64 +?QueryPSID@OS_SID@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl SAM_DOMAIN::QueryPSID(void)const __ptr64 +?QueryPSID@SAM_DOMAIN@@QEBAPEAXXZ +; public: void * __ptr64 __cdecl USER_BROWSER_LBI::QueryPSID(void)const __ptr64 +?QueryPSID@USER_BROWSER_LBI@@QEBAQEAXXZ +; protected: int __cdecl HEAP_BASE::QueryParent(int)const __ptr64 +?QueryParent@HEAP_BASE@@IEBAHH@Z +; public: long __cdecl BASE_PASSWORD_DIALOG::QueryPassword(class NLS_STR * __ptr64) __ptr64 +?QueryPassword@BASE_PASSWORD_DIALOG@@QEAAJPEAVNLS_STR@@@Z +; public: unsigned short const * __ptr64 __cdecl OPEN_LBI_BASE::QueryPath(void)const __ptr64 +?QueryPath@OPEN_LBI_BASE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl NLS_STR::QueryPch(void)const __ptr64 +?QueryPch@NLS_STR@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl STR_DTE::QueryPch(void)const __ptr64 +?QueryPch@STR_DTE@@QEBAPEBGXZ +; public: unsigned long __cdecl OPEN_LBI_BASE::QueryPermissions(void)const __ptr64 +?QueryPermissions@OPEN_LBI_BASE@@QEBAKXZ +; public: struct tagPOINT __cdecl XYPOINT::QueryPoint(void)const __ptr64 +?QueryPoint@XYPOINT@@QEBA?AUtagPOINT@@XZ +; public: static class XYPOINT __cdecl CURSOR::QueryPos(void) +?QueryPos@CURSOR@@SA?AVXYPOINT@@XZ +; public: class XYPOINT __cdecl MOUSE_EVENT::QueryPos(void)const __ptr64 +?QueryPos@MOUSE_EVENT@@QEBA?AVXYPOINT@@XZ +; public: unsigned int __cdecl SCROLLBAR::QueryPos(void)const __ptr64 +?QueryPos@SCROLLBAR@@QEBAIXZ +; public: class XYPOINT __cdecl SPIN_GROUP::QueryPos(void) __ptr64 +?QueryPos@SPIN_GROUP@@QEAA?AVXYPOINT@@XZ +; public: class XYPOINT __cdecl WINDOW::QueryPos(void)const __ptr64 +?QueryPos@WINDOW@@QEBA?AVXYPOINT@@XZ +; public: int __cdecl WIN32_THREAD::QueryPriority(void) __ptr64 +?QueryPriority@WIN32_THREAD@@QEAAHXZ +; public: unsigned __int64 __cdecl PROC_INSTANCE::QueryProc(void)const __ptr64 +?QueryProc@PROC_INSTANCE@@QEBA_KXZ +; public: class NLS_STR * __ptr64 __cdecl ITER_SL_NLS_STR::QueryProp(void) __ptr64 +?QueryProp@ITER_SL_NLS_STR@@QEAAPEAVNLS_STR@@XZ +; public: class USER_BROWSER_LBI * __ptr64 __cdecl ITER_SL_USER_BROWSER_LBI::QueryProp(void) __ptr64 +?QueryProp@ITER_SL_USER_BROWSER_LBI@@QEAAPEAVUSER_BROWSER_LBI@@XZ +; public: unsigned short const * __ptr64 __cdecl IDRESOURCE::QueryPsz(void)const __ptr64 +?QueryPsz@IDRESOURCE@@QEBAPEBGXZ +; public: unsigned char * __ptr64 __cdecl BLT_SCRATCH::QueryPtr(void)const __ptr64 +?QueryPtr@BLT_SCRATCH@@QEBAPEAEXZ +; public: struct _POLICY_ACCOUNT_DOMAIN_INFO const * __ptr64 __cdecl LSA_ACCT_DOM_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_ACCT_DOM_INFO_MEM@@QEBAPEBU_POLICY_ACCOUNT_DOMAIN_INFO@@XZ +; public: struct _POLICY_PRIMARY_DOMAIN_INFO const * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEBU_POLICY_PRIMARY_DOMAIN_INFO@@XZ +; private: struct _LSA_TRUST_INFORMATION const * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_REF_DOMAIN_MEM@@AEBAPEBU_LSA_TRUST_INFORMATION@@XZ +; private: struct _LSA_TRANSLATED_NAME const * __ptr64 __cdecl LSA_TRANSLATED_NAME_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRANSLATED_NAME_MEM@@AEBAPEBU_LSA_TRANSLATED_NAME@@XZ +; private: struct _LSA_TRANSLATED_SID const * __ptr64 __cdecl LSA_TRANSLATED_SID_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRANSLATED_SID_MEM@@AEBAPEBU_LSA_TRANSLATED_SID@@XZ +; public: struct _LSA_TRUST_INFORMATION const * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@LSA_TRUST_INFO_MEM@@QEBAPEBU_LSA_TRUST_INFORMATION@@XZ +; public: struct _SAM_RID_ENUMERATION const * __ptr64 __cdecl SAM_RID_ENUMERATION_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@SAM_RID_ENUMERATION_MEM@@QEBAPEBU_SAM_RID_ENUMERATION@@XZ +; private: unsigned long const * __ptr64 __cdecl SAM_RID_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@SAM_RID_MEM@@AEBAPEBKXZ +; public: void * __ptr64 * __ptr64 __cdecl SAM_SID_MEM::QueryPtr(void)const __ptr64 +?QueryPtr@SAM_SID_MEM@@QEBAPEAPEAXXZ +; public: long __cdecl BROWSER_SUBJECT::QueryQualifiedName(class NLS_STR * __ptr64,class NLS_STR const * __ptr64,int)const __ptr64 +?QueryQualifiedName@BROWSER_SUBJECT@@QEBAJPEAVNLS_STR@@PEBV2@H@Z +; public: unsigned int __cdecl CONTROLVAL_CID_PAIR::QueryRBCID(void)const __ptr64 +?QueryRBCID@CONTROLVAL_CID_PAIR@@QEBAIXZ +; public: unsigned long __cdecl LSA_TRANSLATED_SID_MEM::QueryRID(unsigned long)const __ptr64 +?QueryRID@LSA_TRANSLATED_SID_MEM@@QEBAKK@Z +; public: unsigned int __cdecl NT_GROUP_ENUM_OBJ::QueryRID(void)const __ptr64 +?QueryRID@NT_GROUP_ENUM_OBJ@@QEBAIXZ +; public: unsigned long __cdecl SAM_RID_ENUMERATION_MEM::QueryRID(unsigned long)const __ptr64 +?QueryRID@SAM_RID_ENUMERATION_MEM@@QEBAKK@Z +; public: unsigned long __cdecl SAM_RID_MEM::QueryRID(unsigned long)const __ptr64 +?QueryRID@SAM_RID_MEM@@QEBAKK@Z +; public: unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryRange(void)const __ptr64 +?QueryRange@CHANGEABLE_SPIN_ITEM@@QEBAKXZ +; protected: class PUSH_BUTTON * __ptr64 __cdecl SLE_STRLB_GROUP::QueryRemoveButton(void)const __ptr64 +?QueryRemoveButton@SLE_STRLB_GROUP@@IEBAPEAVPUSH_BUTTON@@XZ +; public: unsigned int __cdecl KEY_EVENT::QueryRepeat(void)const __ptr64 +?QueryRepeat@KEY_EVENT@@QEBAIXZ +; public: int __cdecl XYRECT::QueryRight(void)const __ptr64 +?QueryRight@XYRECT@@QEBAHXZ +; protected: int __cdecl HEAP_BASE::QueryRightSibling(int)const __ptr64 +?QueryRightSibling@HEAP_BASE@@IEBAHH@Z +; public: virtual struct HWND__ * __ptr64 __cdecl CLIENT_WINDOW::QueryRobustHwnd(void)const __ptr64 +?QueryRobustHwnd@CLIENT_WINDOW@@UEBAPEAUHWND__@@XZ +; public: virtual struct HWND__ * __ptr64 __cdecl DIALOG_WINDOW::QueryRobustHwnd(void)const __ptr64 +?QueryRobustHwnd@DIALOG_WINDOW@@UEBAPEAUHWND__@@XZ +; public: virtual struct HWND__ * __ptr64 __cdecl DISPATCHER::QueryRobustHwnd(void)const __ptr64 +?QueryRobustHwnd@DISPATCHER@@UEBAPEAUHWND__@@XZ +; public: unsigned int __cdecl SET_OF_AUDIT_CATEGORIES::QuerySLTBaseCID(void) __ptr64 +?QuerySLTBaseCID@SET_OF_AUDIT_CATEGORIES@@QEAAIXZ +; public: unsigned int __cdecl LISTBOX::QueryScrollPos(void)const __ptr64 +?QueryScrollPos@LISTBOX@@QEBAIXZ +; public: int __cdecl BLT_TIME_SPIN_GROUP::QuerySec(void)const __ptr64 +?QuerySec@BLT_TIME_SPIN_GROUP@@QEBAHXZ +; public: int __cdecl WIN_TIME::QuerySecond(void)const __ptr64 +?QuerySecond@WIN_TIME@@QEBAHXZ +; public: long __cdecl ELAPSED_TIME_CONTROL::QuerySecondValue(void)const __ptr64 +?QuerySecondValue@ELAPSED_TIME_CONTROL@@QEBAJXZ +; public: int __cdecl LIST_CONTROL::QuerySelCount(void)const __ptr64 +?QuerySelCount@LIST_CONTROL@@QEBAHXZ +; public: long __cdecl LIST_CONTROL::QuerySelItems(int * __ptr64,int)const __ptr64 +?QuerySelItems@LIST_CONTROL@@QEBAJPEAHH@Z +; public: int __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::QuerySelected(void)const __ptr64 +?QuerySelected@GRAPHICAL_BUTTON_WITH_DISABLE@@QEBAHXZ +; public: unsigned int __cdecl MAGIC_GROUP::QuerySelection(void)const __ptr64 +?QuerySelection@MAGIC_GROUP@@QEBAIXZ +; public: unsigned int __cdecl RADIO_GROUP::QuerySelection(void)const __ptr64 +?QuerySelection@RADIO_GROUP@@QEBAIXZ +; public: class SLIST_OF_USER_BROWSER_LBI * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QuerySelectionCache(void) __ptr64 +?QuerySelectionCache@NT_USER_BROWSER_DIALOG@@QEAAPEAVSLIST_OF_USER_BROWSER_LBI@@XZ +; public: class SLIST_OF_USER_BROWSER_LBI * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QuerySelectionList(void) __ptr64 +?QuerySelectionList@NT_USER_BROWSER_DIALOG@@QEAAPEAVSLIST_OF_USER_BROWSER_LBI@@XZ +; public: unsigned short const * __ptr64 __cdecl ADMIN_AUTHORITY::QueryServer(void)const __ptr64 +?QueryServer@ADMIN_AUTHORITY@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl OLLB_ENTRY::QueryServer(void)const __ptr64 +?QueryServer@OLLB_ENTRY@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl OPEN_DIALOG_BASE::QueryServer(void)const __ptr64 +?QueryServer@OPEN_DIALOG_BASE@@QEBAPEBGXZ +; public: unsigned short const * __ptr64 __cdecl NT_USER_BROWSER_DIALOG::QueryServerResourceLivesOn(void)const __ptr64 +?QueryServerResourceLivesOn@NT_USER_BROWSER_DIALOG@@QEBAPEBGXZ +; public: class OS_SID const * __ptr64 __cdecl BROWSER_SUBJECT::QuerySid(void)const __ptr64 +?QuerySid@BROWSER_SUBJECT@@QEBAPEBVOS_SID@@XZ +; public: void * __ptr64 __cdecl OS_SID::QuerySid(void)const __ptr64 +?QuerySid@OS_SID@@QEBAPEAXXZ +; public: unsigned int __cdecl BLT_LISTBOX::QuerySingleLineHeight(void) __ptr64 +?QuerySingleLineHeight@BLT_LISTBOX@@QEAAIXZ +; public: unsigned int __cdecl BLT_SCRATCH::QuerySize(void)const __ptr64 +?QuerySize@BLT_SCRATCH@@QEBAIXZ +; public: class XYDIMENSION __cdecl SPIN_GROUP::QuerySize(void) __ptr64 +?QuerySize@SPIN_GROUP@@QEAA?AVXYDIMENSION@@XZ +; public: class XYDIMENSION __cdecl WINDOW::QuerySize(void)const __ptr64 +?QuerySize@WINDOW@@QEBA?AVXYDIMENSION@@XZ +; public: void __cdecl WINDOW::QuerySize(int * __ptr64,int * __ptr64)const __ptr64 +?QuerySize@WINDOW@@QEBAXPEAH0@Z +; public: virtual unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QuerySmallDecValue(void)const __ptr64 +?QuerySmallDecValue@CHANGEABLE_SPIN_ITEM@@UEBAKXZ +; public: virtual unsigned long __cdecl SPIN_SLE_VALID_SECOND::QuerySmallDecValue(void)const __ptr64 +?QuerySmallDecValue@SPIN_SLE_VALID_SECOND@@UEBAKXZ +; public: virtual unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QuerySmallIncValue(void)const __ptr64 +?QuerySmallIncValue@CHANGEABLE_SPIN_ITEM@@UEBAKXZ +; public: virtual unsigned long __cdecl SPIN_SLE_VALID_SECOND::QuerySmallIncValue(void)const __ptr64 +?QuerySmallIncValue@SPIN_SLE_VALID_SECOND@@UEBAKXZ +; protected: class NT_GROUP_BROWSER_DIALOG * __ptr64 __cdecl NT_GROUP_BROWSER_DIALOG::QuerySourceDialog(void) __ptr64 +?QuerySourceDialog@NT_GROUP_BROWSER_DIALOG@@IEAAPEAV1@XZ +; public: class USER_BROWSER_LB * __ptr64 __cdecl NT_FIND_ACCOUNT_DIALOG::QuerySourceListbox(void) __ptr64 +?QuerySourceListbox@NT_FIND_ACCOUNT_DIALOG@@QEAAPEAVUSER_BROWSER_LB@@XZ +; public: class USER_BROWSER_LB * __ptr64 __cdecl NT_GROUP_BROWSER_DIALOG::QuerySourceListbox(void) __ptr64 +?QuerySourceListbox@NT_GROUP_BROWSER_DIALOG@@QEAAPEAVUSER_BROWSER_LB@@XZ +; protected: unsigned int __cdecl STATE_BUTTON_CONTROL::QueryState(void)const __ptr64 +?QueryState@STATE_BUTTON_CONTROL@@IEBAIXZ +; public: int __cdecl STLBITEM::QueryState(void)const __ptr64 +?QueryState@STLBITEM@@QEBAHXZ +; private: enum _THREAD_STATE __cdecl WIN32_THREAD::QueryState(void)const __ptr64 +?QueryState@WIN32_THREAD@@AEBA?AW4_THREAD_STATE@@XZ +; protected: static unsigned short const * __ptr64 __cdecl CONTROL_WINDOW::QueryStaticClassName(void) +?QueryStaticClassName@CONTROL_WINDOW@@KAPEBGXZ +; public: class STRING_LISTBOX * __ptr64 __cdecl SLE_STRLB_GROUP::QueryStrLB(void)const __ptr64 +?QueryStrLB@SLE_STRLB_GROUP@@QEBAPEAVSTRING_LISTBOX@@XZ +; protected: virtual int __cdecl CONSOLE_ELLIPSIS::QueryStrLen(unsigned short const * __ptr64,int) __ptr64 +?QueryStrLen@CONSOLE_ELLIPSIS@@MEAAHPEBGH@Z +; protected: virtual int __cdecl CONSOLE_ELLIPSIS::QueryStrLen(class NLS_STR) __ptr64 +?QueryStrLen@CONSOLE_ELLIPSIS@@MEAAHVNLS_STR@@@Z +; protected: virtual int __cdecl WIN_ELLIPSIS::QueryStrLen(unsigned short const * __ptr64,int) __ptr64 +?QueryStrLen@WIN_ELLIPSIS@@MEAAHPEBGH@Z +; protected: virtual int __cdecl WIN_ELLIPSIS::QueryStrLen(class NLS_STR) __ptr64 +?QueryStrLen@WIN_ELLIPSIS@@MEAAHVNLS_STR@@@Z +; private: long __cdecl SPIN_SLE_STR::QueryStrNum(class NLS_STR const & __ptr64,long) __ptr64 +?QueryStrNum@SPIN_SLE_STR@@AEAAJAEBVNLS_STR@@J@Z +; public: long __cdecl ATOM_BASE::QueryString(unsigned short * __ptr64,unsigned int)const __ptr64 +?QueryString@ATOM_BASE@@QEBAJPEAGI@Z +; public: class NLS_STR * __ptr64 __cdecl STRING_BITSET_PAIR::QueryString(void) __ptr64 +?QueryString@STRING_BITSET_PAIR@@QEAAPEAVNLS_STR@@XZ +; public: enum ELLIPSIS_STYLE __cdecl BASE_ELLIPSIS::QueryStyle(void)const __ptr64 +?QueryStyle@BASE_ELLIPSIS@@QEBA?AW4ELLIPSIS_STYLE@@XZ +; public: unsigned long __cdecl WINDOW::QueryStyle(void)const __ptr64 +?QueryStyle@WINDOW@@QEBAKXZ +; public: struct HMENU__ * __ptr64 __cdecl MENU_BASE::QuerySubMenu(int)const __ptr64 +?QuerySubMenu@MENU_BASE@@QEBAPEAUHMENU__@@H@Z +; public: unsigned int __cdecl SET_OF_AUDIT_CATEGORIES::QuerySuccessBaseCID(void) __ptr64 +?QuerySuccessBaseCID@SET_OF_AUDIT_CATEGORIES@@QEAAIXZ +; protected: unsigned long __cdecl BASE_SET_FOCUS_DLG::QuerySuppliedHelpContext(void) __ptr64 +?QuerySuppliedHelpContext@BASE_SET_FOCUS_DLG@@IEAAKXZ +; protected: unsigned short const * __ptr64 __cdecl BASE_SET_FOCUS_DLG::QuerySuppliedHelpFile(void) __ptr64 +?QuerySuppliedHelpFile@BASE_SET_FOCUS_DLG@@IEAAPEBGXZ +; public: long __cdecl BASE_ELLIPSIS::QueryText(unsigned short * __ptr64,unsigned int)const __ptr64 +?QueryText@BASE_ELLIPSIS@@QEBAJPEAGI@Z +; public: long __cdecl BASE_ELLIPSIS::QueryText(class NLS_STR * __ptr64)const __ptr64 +?QueryText@BASE_ELLIPSIS@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl SLE_STRIP::QueryText(unsigned short * __ptr64,unsigned int,unsigned short const * __ptr64,unsigned short const * __ptr64)const __ptr64 +?QueryText@SLE_STRIP@@QEBAJPEAGIPEBG1@Z +; public: long __cdecl SLE_STRIP::QueryText(class NLS_STR * __ptr64,unsigned short const * __ptr64,unsigned short const * __ptr64)const __ptr64 +?QueryText@SLE_STRIP@@QEBAJPEAVNLS_STR@@PEBG1@Z +; public: long __cdecl SLT_ELLIPSIS::QueryText(unsigned short * __ptr64,unsigned int)const __ptr64 +?QueryText@SLT_ELLIPSIS@@QEBAJPEAGI@Z +; public: long __cdecl SLT_ELLIPSIS::QueryText(class NLS_STR * __ptr64)const __ptr64 +?QueryText@SLT_ELLIPSIS@@QEBAJPEAVNLS_STR@@@Z +; public: long __cdecl WINDOW::QueryText(unsigned short * __ptr64,unsigned int)const __ptr64 +?QueryText@WINDOW@@QEBAJPEAGI@Z +; public: long __cdecl WINDOW::QueryText(class NLS_STR * __ptr64)const __ptr64 +?QueryText@WINDOW@@QEBAJPEAVNLS_STR@@@Z +; public: class XYDIMENSION __cdecl DEVICE_CONTEXT::QueryTextExtent(class NLS_STR const & __ptr64)const __ptr64 +?QueryTextExtent@DEVICE_CONTEXT@@QEBA?AVXYDIMENSION@@AEBVNLS_STR@@@Z +; public: class XYDIMENSION __cdecl DEVICE_CONTEXT::QueryTextExtent(unsigned short const * __ptr64,unsigned int)const __ptr64 +?QueryTextExtent@DEVICE_CONTEXT@@QEBA?AVXYDIMENSION@@PEBGI@Z +; public: int __cdecl BASE_ELLIPSIS::QueryTextLength(void)const __ptr64 +?QueryTextLength@BASE_ELLIPSIS@@QEBAHXZ +; public: unsigned int __cdecl NLS_STR::QueryTextLength(void)const __ptr64 +?QueryTextLength@NLS_STR@@QEBAIXZ +; public: int __cdecl WINDOW::QueryTextLength(void)const __ptr64 +?QueryTextLength@WINDOW@@QEBAHXZ +; public: int __cdecl DEVICE_CONTEXT::QueryTextMetrics(struct tagTEXTMETRICW * __ptr64)const __ptr64 +?QueryTextMetrics@DEVICE_CONTEXT@@QEBAHPEAUtagTEXTMETRICW@@@Z +; public: int __cdecl BASE_ELLIPSIS::QueryTextSize(void)const __ptr64 +?QueryTextSize@BASE_ELLIPSIS@@QEBAHXZ +; public: int __cdecl WINDOW::QueryTextSize(void)const __ptr64 +?QueryTextSize@WINDOW@@QEBAHXZ +; public: int __cdecl DISPLAY_CONTEXT::QueryTextWidth(class NLS_STR const & __ptr64)const __ptr64 +?QueryTextWidth@DISPLAY_CONTEXT@@QEBAHAEBVNLS_STR@@@Z +; public: int __cdecl DISPLAY_CONTEXT::QueryTextWidth(unsigned short const * __ptr64,unsigned int)const __ptr64 +?QueryTextWidth@DISPLAY_CONTEXT@@QEBAHPEBGI@Z +; public: int __cdecl XYRECT::QueryTop(void)const __ptr64 +?QueryTop@XYRECT@@QEBAHXZ +; public: int __cdecl LIST_CONTROL::QueryTopIndex(void)const __ptr64 +?QueryTopIndex@LIST_CONTROL@@QEBAHXZ +; public: enum _SID_NAME_USE __cdecl BROWSER_SUBJECT::QueryType(void)const __ptr64 +?QueryType@BROWSER_SUBJECT@@QEBA?AW4_SID_NAME_USE@@XZ +; public: enum OUTLINE_LB_LEVEL __cdecl OLLB_ENTRY::QueryType(void)const __ptr64 +?QueryType@OLLB_ENTRY@@QEBA?AW4OUTLINE_LB_LEVEL@@XZ +; public: enum _SID_NAME_USE __cdecl USER_BROWSER_LBI::QueryType(void)const __ptr64 +?QueryType@USER_BROWSER_LBI@@QEBA?AW4_SID_NAME_USE@@XZ +; public: enum UI_SystemSid __cdecl USER_BROWSER_LBI::QueryUISysSid(void)const __ptr64 +?QueryUISysSid@USER_BROWSER_LBI@@QEBA?AW4UI_SystemSid@@XZ +; protected: struct _ULC_ENTRY * __ptr64 __cdecl USER_LBI_CACHE::QueryULCEntryPtr(int) __ptr64 +?QueryULCEntryPtr@USER_LBI_CACHE@@IEAAPEAU_ULC_ENTRY@@H@Z +; protected: int __cdecl USER_LBI_CACHE::QueryULCEntrySize(void) __ptr64 +?QueryULCEntrySize@USER_LBI_CACHE@@IEAAHXZ +; public: struct _UNICODE_STRING const * __ptr64 __cdecl NT_GROUP_ENUM_OBJ::QueryUnicodeComment(void)const __ptr64 +?QueryUnicodeComment@NT_GROUP_ENUM_OBJ@@QEBAPEBU_UNICODE_STRING@@XZ +; public: struct _UNICODE_STRING const * __ptr64 __cdecl NT_GROUP_ENUM_OBJ::QueryUnicodeGroup(void)const __ptr64 +?QueryUnicodeGroup@NT_GROUP_ENUM_OBJ@@QEBAPEBU_UNICODE_STRING@@XZ +; public: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_PRIMARY_DOM_INFO_MEM::QueryUnicodeName(void)const __ptr64 +?QueryUnicodeName@LSA_PRIMARY_DOM_INFO_MEM@@QEBAPEBU_UNICODE_STRING@@XZ +; private: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_REF_DOMAIN_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_REF_DOMAIN_MEM@@AEBAPEBU_UNICODE_STRING@@K@Z +; private: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_TRANSLATED_NAME_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_TRANSLATED_NAME_MEM@@AEBAPEBU_UNICODE_STRING@@K@Z +; public: struct _UNICODE_STRING const * __ptr64 __cdecl LSA_TRUST_INFO_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@LSA_TRUST_INFO_MEM@@QEBAPEBU_UNICODE_STRING@@K@Z +; public: struct _UNICODE_STRING const * __ptr64 __cdecl SAM_RID_ENUMERATION_MEM::QueryUnicodeName(unsigned long)const __ptr64 +?QueryUnicodeName@SAM_RID_ENUMERATION_MEM@@QEBAPEBU_UNICODE_STRING@@K@Z +; public: enum _SID_NAME_USE __cdecl LSA_TRANSLATED_NAME_MEM::QueryUse(unsigned long)const __ptr64 +?QueryUse@LSA_TRANSLATED_NAME_MEM@@QEBA?AW4_SID_NAME_USE@@K@Z +; public: enum _SID_NAME_USE __cdecl LSA_TRANSLATED_SID_MEM::QueryUse(unsigned long)const __ptr64 +?QueryUse@LSA_TRANSLATED_SID_MEM@@QEBA?AW4_SID_NAME_USE@@K@Z +; public: unsigned long __cdecl USER_BROWSER_LBI::QueryUserAccountFlags(void)const __ptr64 +?QueryUserAccountFlags@USER_BROWSER_LBI@@QEBAKXZ +; protected: class NT_USER_BROWSER_DIALOG * __ptr64 __cdecl NT_GROUP_BROWSER_DIALOG::QueryUserBrowserDialog(void) __ptr64 +?QueryUserBrowserDialog@NT_GROUP_BROWSER_DIALOG@@IEAAPEAVNT_USER_BROWSER_DIALOG@@XZ +; public: unsigned short const * __ptr64 __cdecl OPEN_LBI_BASE::QueryUserName(void)const __ptr64 +?QueryUserName@OPEN_LBI_BASE@@QEBAPEBGXZ +; public: long __cdecl SET_OF_AUDIT_CATEGORIES::QueryUserSelectedBits(class BITFIELD * __ptr64,class BITFIELD * __ptr64) __ptr64 +?QueryUserSelectedBits@SET_OF_AUDIT_CATEGORIES@@QEAAJPEAVBITFIELD@@0@Z +; public: unsigned __int64 __cdecl VKEY_EVENT::QueryVKey(void)const __ptr64 +?QueryVKey@VKEY_EVENT@@QEBA_KXZ +; public: unsigned long __cdecl CHANGEABLE_SPIN_ITEM::QueryValue(void)const __ptr64 +?QueryValue@CHANGEABLE_SPIN_ITEM@@QEBAKXZ +; public: static unsigned int __cdecl METALLIC_STR_DTE::QueryVerticalMargins(void) +?QueryVerticalMargins@METALLIC_STR_DTE@@SAIXZ +; public: unsigned __int64 __cdecl EVENT::QueryWParam(void)const __ptr64 +?QueryWParam@EVENT@@QEBA_KXZ +; public: static unsigned short const * __ptr64 __cdecl SLE_STRIP::QueryWhiteSpace(void) +?QueryWhiteSpace@SLE_STRIP@@SAPEBGXZ +; public: unsigned int __cdecl BIT_MAP::QueryWidth(void)const __ptr64 +?QueryWidth@BIT_MAP@@QEBAIXZ +; public: unsigned int __cdecl DISPLAY_MAP::QueryWidth(void)const __ptr64 +?QueryWidth@DISPLAY_MAP@@QEBAIXZ +; public: unsigned int __cdecl SIZE_EVENT::QueryWidth(void)const __ptr64 +?QueryWidth@SIZE_EVENT@@QEBAIXZ +; public: unsigned int __cdecl XYDIMENSION::QueryWidth(void)const __ptr64 +?QueryWidth@XYDIMENSION@@QEBAIXZ +; public: void __cdecl WINDOW::QueryWindowRect(struct tagRECT * __ptr64)const __ptr64 +?QueryWindowRect@WINDOW@@QEBAXPEAUtagRECT@@@Z +; public: void __cdecl WINDOW::QueryWindowRect(class XYRECT * __ptr64)const __ptr64 +?QueryWindowRect@WINDOW@@QEBAXPEAVXYRECT@@@Z +; public: int __cdecl CHANGEABLE_SPIN_ITEM::QueryWrap(void)const __ptr64 +?QueryWrap@CHANGEABLE_SPIN_ITEM@@QEBAHXZ +; public: int __cdecl XYPOINT::QueryX(void)const __ptr64 +?QueryX@XYPOINT@@QEBAHXZ +; public: unsigned int __cdecl LOGON_HOURS_CONTROL::QueryXForRow(int) __ptr64 +?QueryXForRow@LOGON_HOURS_CONTROL@@QEAAIH@Z +; public: int __cdecl XYPOINT::QueryY(void)const __ptr64 +?QueryY@XYPOINT@@QEBAHXZ +; public: int __cdecl BLT_DATE_SPIN_GROUP::QueryYear(void)const __ptr64 +?QueryYear@BLT_DATE_SPIN_GROUP@@QEBAHXZ +; public: int __cdecl WIN_TIME::QueryYear(void)const __ptr64 +?QueryYear@WIN_TIME@@QEBAHXZ +; public: int __cdecl INTL_PROFILE::QueryYearPos(void)const __ptr64 +?QueryYearPos@INTL_PROFILE@@QEBAHXZ +; protected: virtual enum FOCUS_CACHE_SETTING __cdecl BASE_SET_FOCUS_DLG::ReadFocusCache(unsigned short const * __ptr64)const __ptr64 +?ReadFocusCache@BASE_SET_FOCUS_DLG@@MEBA?AW4FOCUS_CACHE_SETTING@@PEBG@Z +; public: long __cdecl USER_LBI_CACHE::ReadUsers(class ADMIN_AUTHORITY * __ptr64,unsigned int,unsigned int,int,int * __ptr64) __ptr64 +?ReadUsers@USER_LBI_CACHE@@QEAAJPEAVADMIN_AUTHORITY@@IIHPEAH@Z +; public: long __cdecl DEVICE_COMBO::Refresh(void) __ptr64 +?Refresh@DEVICE_COMBO@@QEAAJXZ +; protected: void __cdecl OPEN_DIALOG_BASE::Refresh(void) __ptr64 +?Refresh@OPEN_DIALOG_BASE@@IEAAXXZ +; public: long __cdecl OPEN_LBOX_BASE::Refresh(void) __ptr64 +?Refresh@OPEN_LBOX_BASE@@QEAAJXZ +; protected: virtual void __cdecl HIER_LISTBOX::RefreshChildren(class HIER_LBI * __ptr64) __ptr64 +?RefreshChildren@HIER_LISTBOX@@MEAAXPEAVHIER_LBI@@@Z +; public: virtual void __cdecl UI_EXT_MGR::RefreshExtensions(struct HWND__ * __ptr64) __ptr64 +?RefreshExtensions@UI_EXT_MGR@@UEAAXPEAUHWND__@@@Z +; public: static long __cdecl BLT::RegisterHelpFile(struct HINSTANCE__ * __ptr64,long,unsigned long,unsigned long) +?RegisterHelpFile@BLT@@SAJPEAUHINSTANCE__@@JKK@Z +; public: long __cdecl WIN32_MUTEX::Release(void) __ptr64 +?Release@WIN32_MUTEX@@QEAAJXZ +; public: long __cdecl WIN32_SEMAPHORE::Release(long,long * __ptr64) __ptr64 +?Release@WIN32_SEMAPHORE@@QEAAJJPEAJ@Z +; private: virtual void __cdecl BLT_LISTBOX::ReleaseLBI(class LBI * __ptr64) __ptr64 +?ReleaseLBI@BLT_LISTBOX@@EEAAXPEAVLBI@@@Z +; private: virtual void __cdecl LAZY_LISTBOX::ReleaseLBI(class LBI * __ptr64) __ptr64 +?ReleaseLBI@LAZY_LISTBOX@@EEAAXPEAVLBI@@@Z +; public: void __cdecl CLIENT_WINDOW::ReleaseMouse(void) __ptr64 +?ReleaseMouse@CLIENT_WINDOW@@QEAAXXZ +; public: void __cdecl DISPATCHER::ReleaseMouse(void) __ptr64 +?ReleaseMouse@DISPATCHER@@QEAAXXZ +; public: virtual long __cdecl LB_COL_WIDTHS::ReloadColumnWidths(struct HWND__ * __ptr64,struct HINSTANCE__ * __ptr64,class IDRESOURCE const & __ptr64) __ptr64 +?ReloadColumnWidths@LB_COL_WIDTHS@@UEAAJPEAUHWND__@@PEAUHINSTANCE__@@AEBVIDRESOURCE@@@Z +; public: int __cdecl ARRAY_LIST_CONTROLVAL_CID_PAIR::Remove(class CONTROLVAL_CID_PAIR const & __ptr64) __ptr64 +?Remove@ARRAY_LIST_CONTROLVAL_CID_PAIR@@QEAAHAEBVCONTROLVAL_CID_PAIR@@@Z +; public: static void __cdecl HWND_DLGPTR_CACHE::Remove(struct HWND__ * __ptr64) +?Remove@HWND_DLGPTR_CACHE@@SAXPEAUHWND__@@@Z +; public: long __cdecl MENU_BASE::Remove(unsigned int,unsigned int)const __ptr64 +?Remove@MENU_BASE@@QEBAJII@Z +; public: class ASSOCHCFILE * __ptr64 __cdecl SLIST_OF_ASSOCHCFILE::Remove(class ITER_SL_ASSOCHCFILE & __ptr64) __ptr64 +?Remove@SLIST_OF_ASSOCHCFILE@@QEAAPEAVASSOCHCFILE@@AEAVITER_SL_ASSOCHCFILE@@@Z +; public: struct CLIENTDATA * __ptr64 __cdecl SLIST_OF_CLIENTDATA::Remove(class ITER_SL_CLIENTDATA & __ptr64) __ptr64 +?Remove@SLIST_OF_CLIENTDATA@@QEAAPEAUCLIENTDATA@@AEAVITER_SL_CLIENTDATA@@@Z +; public: class NLS_STR * __ptr64 __cdecl SLIST_OF_NLS_STR::Remove(class ITER_SL_NLS_STR & __ptr64) __ptr64 +?Remove@SLIST_OF_NLS_STR@@QEAAPEAVNLS_STR@@AEAVITER_SL_NLS_STR@@@Z +; public: class TIMER_BASE * __ptr64 __cdecl SLIST_OF_TIMER_BASE::Remove(class ITER_SL_TIMER_BASE & __ptr64) __ptr64 +?Remove@SLIST_OF_TIMER_BASE@@QEAAPEAVTIMER_BASE@@AEAVITER_SL_TIMER_BASE@@@Z +; public: class USER_BROWSER_LBI * __ptr64 __cdecl SLIST_OF_USER_BROWSER_LBI::Remove(class ITER_SL_USER_BROWSER_LBI & __ptr64) __ptr64 +?Remove@SLIST_OF_USER_BROWSER_LBI@@QEAAPEAVUSER_BROWSER_LBI@@AEAVITER_SL_USER_BROWSER_LBI@@@Z +; public: void __cdecl BLT_LISTBOX::RemoveAllItems(void) __ptr64 +?RemoveAllItems@BLT_LISTBOX@@QEAAXXZ +; public: static void __cdecl BLTIMP::RemoveClient(struct HINSTANCE__ * __ptr64) +?RemoveClient@BLTIMP@@SAXPEAUHINSTANCE__@@@Z +; public: int __cdecl CONTROL_TABLE::RemoveControl(class CONTROL_WINDOW * __ptr64) __ptr64 +?RemoveControl@CONTROL_TABLE@@QEAAHPEAVCONTROL_WINDOW@@@Z +; protected: void __cdecl ACCOUNT_NAMES_MLE::RemoveDuplicateAccountNames(class STRLIST * __ptr64) __ptr64 +?RemoveDuplicateAccountNames@ACCOUNT_NAMES_MLE@@IEAAXPEAVSTRLIST@@@Z +; public: static void __cdecl BLTIMP::RemoveHelpAssoc(struct HINSTANCE__ * __ptr64,unsigned long) +?RemoveHelpAssoc@BLTIMP@@SAXPEAUHINSTANCE__@@K@Z +; public: class LBI * __ptr64 __cdecl BLT_LISTBOX::RemoveItem(int) __ptr64 +?RemoveItem@BLT_LISTBOX@@QEAAPEAVLBI@@H@Z +; public: class LBI * __ptr64 __cdecl USER_BROWSER_LB::RemoveItem(int) __ptr64 +?RemoveItem@USER_BROWSER_LB@@QEAAPEAVLBI@@H@Z +; public: virtual class LBI * __ptr64 __cdecl USER_BROWSER_LBI_CACHE::RemoveItem(int) __ptr64 +?RemoveItem@USER_BROWSER_LBI_CACHE@@UEAAPEAVLBI@@H@Z +; public: virtual class LBI * __ptr64 __cdecl USER_LBI_CACHE::RemoveItem(int) __ptr64 +?RemoveItem@USER_LBI_CACHE@@UEAAPEAVLBI@@H@Z +; public: void __cdecl LIST_CONTROL::RemoveSelection(void) __ptr64 +?RemoveSelection@LIST_CONTROL@@QEAAXXZ +; public: void __cdecl BLT_MASTER_TIMER::RemoveTimer(class TIMER_BASE * __ptr64) __ptr64 +?RemoveTimer@BLT_MASTER_TIMER@@QEAAXPEAVTIMER_BASE@@@Z +; public: class LBI * __ptr64 __cdecl LBI_HEAP::RemoveTopItem(void) __ptr64 +?RemoveTopItem@LBI_HEAP@@QEAAPEAVLBI@@XZ +; public: void __cdecl WINDOW::RepaintNow(void) __ptr64 +?RepaintNow@WINDOW@@QEAAXXZ +; protected: long __cdecl ACCOUNT_NAMES_MLE::ReplaceDomainIfBuiltIn(class NLS_STR * __ptr64,int * __ptr64) __ptr64 +?ReplaceDomainIfBuiltIn@ACCOUNT_NAMES_MLE@@IEAAJPEAVNLS_STR@@PEAH@Z +; public: long __cdecl BLT_LISTBOX::ReplaceItem(int,class LBI * __ptr64,class LBI * __ptr64 * __ptr64) __ptr64 +?ReplaceItem@BLT_LISTBOX@@QEAAJHPEAVLBI@@PEAPEAV2@@Z +; protected: void __cdecl BASE::ReportError(long) __ptr64 +?ReportError@BASE@@IEAAXJ@Z +; protected: void __cdecl CONTROL_TABLE::ReportError(void) __ptr64 +?ReportError@CONTROL_TABLE@@IEAAXXZ +; protected: void __cdecl CONTROL_WINDOW::ReportError(long) __ptr64 +?ReportError@CONTROL_WINDOW@@IEAAXJ@Z +; protected: void __cdecl FORWARDING_BASE::ReportError(long) __ptr64 +?ReportError@FORWARDING_BASE@@IEAAXJ@Z +; protected: void __cdecl SLT_ELLIPSIS::ReportError(long) __ptr64 +?ReportError@SLT_ELLIPSIS@@IEAAXJ@Z +; public: long __cdecl BROWSER_DOMAIN::RequestAccountData(void) __ptr64 +?RequestAccountData@BROWSER_DOMAIN@@QEAAJXZ +; public: long __cdecl DOMAIN_FILL_THREAD::RequestAccountData(void) __ptr64 +?RequestAccountData@DOMAIN_FILL_THREAD@@QEAAJXZ +; public: long __cdecl BROWSER_DOMAIN::RequestAndWaitForUsers(void) __ptr64 +?RequestAndWaitForUsers@BROWSER_DOMAIN@@QEAAJXZ +; public: long __cdecl DOMAIN_FILL_THREAD::RequestAndWaitForUsers(void) __ptr64 +?RequestAndWaitForUsers@DOMAIN_FILL_THREAD@@QEAAJXZ +; private: virtual class LBI * __ptr64 __cdecl BLT_LISTBOX::RequestLBI(struct tagDRAWITEMSTRUCT const * __ptr64) __ptr64 +?RequestLBI@BLT_LISTBOX@@EEAAPEAVLBI@@PEBUtagDRAWITEMSTRUCT@@@Z +; private: virtual class LBI * __ptr64 __cdecl LAZY_LISTBOX::RequestLBI(struct tagDRAWITEMSTRUCT const * __ptr64) __ptr64 +?RequestLBI@LAZY_LISTBOX@@EEAAPEAVLBI@@PEBUtagDRAWITEMSTRUCT@@@Z +; public: void __cdecl BROWSE_DOMAIN_ENUM::Reset(void) __ptr64 +?Reset@BROWSE_DOMAIN_ENUM@@QEAAXXZ +; public: void __cdecl ITER_CTRL::Reset(void) __ptr64 +?Reset@ITER_CTRL@@QEAAXXZ +; public: long __cdecl WIN32_EVENT::Reset(void) __ptr64 +?Reset@WIN32_EVENT@@QEAAJXZ +; public: static void __cdecl POPUP::ResetCaption(void) +?ResetCaption@POPUP@@SAXXZ +; protected: void __cdecl WINDOW::ResetCreator(void) __ptr64 +?ResetCreator@WINDOW@@IEAAXXZ +; protected: void __cdecl BASE::ResetError(void) __ptr64 +?ResetError@BASE@@IEAAXXZ +; protected: void __cdecl CONTROL_WINDOW::ResetError(void) __ptr64 +?ResetError@CONTROL_WINDOW@@IEAAXXZ +; protected: void __cdecl FORWARDING_BASE::ResetError(void) __ptr64 +?ResetError@FORWARDING_BASE@@IEAAXXZ +; protected: void __cdecl SLT_ELLIPSIS::ResetError(void) __ptr64 +?ResetError@SLT_ELLIPSIS@@IEAAXXZ +; public: void __cdecl BLT_MASTER_TIMER::ResetIterator(void) __ptr64 +?ResetIterator@BLT_MASTER_TIMER@@QEAAXXZ +; public: void __cdecl SLT_ELLIPSIS::ResetStyle(enum ELLIPSIS_STYLE) __ptr64 +?ResetStyle@SLT_ELLIPSIS@@QEAAXW4ELLIPSIS_STYLE@@@Z +; public: int __cdecl ARRAY_CONTROLVAL_CID_PAIR::Resize(unsigned int,int) __ptr64 +?Resize@ARRAY_CONTROLVAL_CID_PAIR@@QEAAHIH@Z +; public: long __cdecl BLT_LISTBOX::Resort(void) __ptr64 +?Resort@BLT_LISTBOX@@QEAAJXZ +; protected: virtual void __cdecl BLT_DATE_SPIN_GROUP::RestoreValue(int) __ptr64 +?RestoreValue@BLT_DATE_SPIN_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl BLT_TIME_SPIN_GROUP::RestoreValue(int) __ptr64 +?RestoreValue@BLT_TIME_SPIN_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl COMBOBOX::RestoreValue(int) __ptr64 +?RestoreValue@COMBOBOX@@MEAAXH@Z +; protected: virtual void __cdecl CONTROL_VALUE::RestoreValue(int) __ptr64 +?RestoreValue@CONTROL_VALUE@@MEAAXH@Z +; protected: virtual void __cdecl EDIT_CONTROL::RestoreValue(int) __ptr64 +?RestoreValue@EDIT_CONTROL@@MEAAXH@Z +; protected: virtual void __cdecl LIST_CONTROL::RestoreValue(int) __ptr64 +?RestoreValue@LIST_CONTROL@@MEAAXH@Z +; protected: virtual void __cdecl MAGIC_GROUP::RestoreValue(int) __ptr64 +?RestoreValue@MAGIC_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl RADIO_GROUP::RestoreValue(int) __ptr64 +?RestoreValue@RADIO_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl SLT::RestoreValue(int) __ptr64 +?RestoreValue@SLT@@MEAAXH@Z +; public: virtual void __cdecl SPIN_GROUP::RestoreValue(int) __ptr64 +?RestoreValue@SPIN_GROUP@@UEAAXH@Z +; protected: virtual void __cdecl STATE_BUTTON_CONTROL::RestoreValue(int) __ptr64 +?RestoreValue@STATE_BUTTON_CONTROL@@MEAAXH@Z +; public: long __cdecl WIN32_THREAD::Resume(void) __ptr64 +?Resume@WIN32_THREAD@@QEAAJXZ +; protected: virtual int __cdecl APPLICATION::Run(void) __ptr64 +?Run@APPLICATION@@MEAAHXZ +; protected: unsigned __int64 __cdecl HAS_MESSAGE_PUMP::RunMessagePump(void) __ptr64 +?RunMessagePump@HAS_MESSAGE_PUMP@@IEAA_KXZ +; public: virtual long __cdecl CHANGEABLE_SPIN_ITEM::SaveCurrentData(void) __ptr64 +?SaveCurrentData@CHANGEABLE_SPIN_ITEM@@UEAAJXZ +; public: virtual long __cdecl SPIN_SLE_NUM::SaveCurrentData(void) __ptr64 +?SaveCurrentData@SPIN_SLE_NUM@@UEAAJXZ +; public: virtual long __cdecl SPIN_SLE_STR::SaveCurrentData(void) __ptr64 +?SaveCurrentData@SPIN_SLE_STR@@UEAAJXZ +; protected: virtual void __cdecl BLT_DATE_SPIN_GROUP::SaveValue(int) __ptr64 +?SaveValue@BLT_DATE_SPIN_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl BLT_TIME_SPIN_GROUP::SaveValue(int) __ptr64 +?SaveValue@BLT_TIME_SPIN_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl COMBOBOX::SaveValue(int) __ptr64 +?SaveValue@COMBOBOX@@MEAAXH@Z +; protected: virtual void __cdecl CONTROL_VALUE::SaveValue(int) __ptr64 +?SaveValue@CONTROL_VALUE@@MEAAXH@Z +; protected: virtual void __cdecl EDIT_CONTROL::SaveValue(int) __ptr64 +?SaveValue@EDIT_CONTROL@@MEAAXH@Z +; protected: virtual void __cdecl LIST_CONTROL::SaveValue(int) __ptr64 +?SaveValue@LIST_CONTROL@@MEAAXH@Z +; protected: virtual void __cdecl MAGIC_GROUP::SaveValue(int) __ptr64 +?SaveValue@MAGIC_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl RADIO_GROUP::SaveValue(int) __ptr64 +?SaveValue@RADIO_GROUP@@MEAAXH@Z +; protected: virtual void __cdecl SLT::SaveValue(int) __ptr64 +?SaveValue@SLT@@MEAAXH@Z +; public: virtual void __cdecl SPIN_GROUP::SaveValue(int) __ptr64 +?SaveValue@SPIN_GROUP@@UEAAXH@Z +; protected: virtual void __cdecl STATE_BUTTON_CONTROL::SaveValue(int) __ptr64 +?SaveValue@STATE_BUTTON_CONTROL@@MEAAXH@Z +; public: void __cdecl XYPOINT::ScreenToClient(struct HWND__ * __ptr64) __ptr64 +?ScreenToClient@XYPOINT@@QEAAXPEAUHWND__@@@Z +; public: struct HBITMAP__ * __ptr64 __cdecl DEVICE_CONTEXT::SelectBitmap(struct HBITMAP__ * __ptr64) __ptr64 +?SelectBitmap@DEVICE_CONTEXT@@QEAAPEAUHBITMAP__@@PEAU2@@Z +; public: struct HBRUSH__ * __ptr64 __cdecl DEVICE_CONTEXT::SelectBrush(struct HBRUSH__ * __ptr64) __ptr64 +?SelectBrush@DEVICE_CONTEXT@@QEAAPEAUHBRUSH__@@PEAU2@@Z +; public: struct HFONT__ * __ptr64 __cdecl DEVICE_CONTEXT::SelectFont(struct HFONT__ * __ptr64) __ptr64 +?SelectFont@DEVICE_CONTEXT@@QEAAPEAUHFONT__@@PEAU2@@Z +; public: void __cdecl BROWSER_DOMAIN_CB::SelectItem(class BROWSER_DOMAIN * __ptr64) __ptr64 +?SelectItem@BROWSER_DOMAIN_CB@@QEAAXPEAVBROWSER_DOMAIN@@@Z +; public: void __cdecl LIST_CONTROL::SelectItem(int,int) __ptr64 +?SelectItem@LIST_CONTROL@@QEAAXHH@Z +; public: void __cdecl LIST_CONTROL::SelectItems(int * __ptr64,int,int) __ptr64 +?SelectItems@LIST_CONTROL@@QEAAXPEAHHH@Z +; private: void __cdecl BASE_SET_FOCUS_DLG::SelectNetPathString(void) __ptr64 +?SelectNetPathString@BASE_SET_FOCUS_DLG@@AEAAXXZ +; protected: void * __ptr64 __cdecl DEVICE_CONTEXT::SelectObject(void * __ptr64) __ptr64 +?SelectObject@DEVICE_CONTEXT@@IEAAPEAXPEAX@Z +; public: struct HPEN__ * __ptr64 __cdecl DEVICE_CONTEXT::SelectPen(struct HPEN__ * __ptr64) __ptr64 +?SelectPen@DEVICE_CONTEXT@@QEAAPEAUHPEN__@@PEAU2@@Z +; public: void __cdecl COMBOBOX::SelectString(void) __ptr64 +?SelectString@COMBOBOX@@QEAAXXZ +; public: void __cdecl EDIT_CONTROL::SelectString(void) __ptr64 +?SelectString@EDIT_CONTROL@@QEAAXXZ +; public: __int64 __cdecl EVENT::SendTo(struct HWND__ * __ptr64)const __ptr64 +?SendTo@EVENT@@QEBA_JPEAUHWND__@@@Z +; public: static struct HICON__ * __ptr64 __cdecl CURSOR::Set(struct HICON__ * __ptr64) +?Set@CURSOR@@SAPEAUHICON__@@PEAU2@@Z +; public: long __cdecl WIN32_EVENT::Set(void) __ptr64 +?Set@WIN32_EVENT@@QEAAJXZ +; public: long __cdecl SPIN_ITEM::SetAccKey(class NLS_STR const & __ptr64) __ptr64 +?SetAccKey@SPIN_ITEM@@QEAAJAEBVNLS_STR@@@Z +; public: long __cdecl SPIN_ITEM::SetAccKey(long) __ptr64 +?SetAccKey@SPIN_ITEM@@QEAAJJ@Z +; public: long __cdecl NT_USER_BROWSER_DIALOG::SetAndFillErrorText(long,int) __ptr64 +?SetAndFillErrorText@NT_USER_BROWSER_DIALOG@@QEAAJJH@Z +; protected: void __cdecl SPIN_GROUP::SetArrowButtonStatus(void) __ptr64 +?SetArrowButtonStatus@SPIN_GROUP@@IEAAXXZ +; public: long __cdecl BROWSER_DOMAIN::SetAsTargetDomain(void) __ptr64 +?SetAsTargetDomain@BROWSER_DOMAIN@@QEAAJXZ +; protected: void __cdecl HEAP_BASE::SetAutoReadjust(int) __ptr64 +?SetAutoReadjust@HEAP_BASE@@IEAAXH@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetBigDecValue(unsigned long) __ptr64 +?SetBigDecValue@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetBigIncValue(unsigned long) __ptr64 +?SetBigIncValue@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl BIT_MAP::SetBitmap(struct HBITMAP__ * __ptr64) __ptr64 +?SetBitmap@BIT_MAP@@QEAAXPEAUHBITMAP__@@@Z +; private: void __cdecl DISPLAY_MAP::SetBitmapBits(unsigned char * __ptr64,int,int,unsigned int) __ptr64 +?SetBitmapBits@DISPLAY_MAP@@AEAAXPEAEHHI@Z +; public: unsigned long __cdecl DEVICE_CONTEXT::SetBkColor(unsigned long) __ptr64 +?SetBkColor@DEVICE_CONTEXT@@QEAAKK@Z +; public: int __cdecl DEVICE_CONTEXT::SetBkMode(int) __ptr64 +?SetBkMode@DEVICE_CONTEXT@@QEAAHH@Z +; protected: long __cdecl GET_FNAME_BASE_DLG::SetBuffer(class BUFFER * __ptr64,class STRLIST & __ptr64) __ptr64 +?SetBuffer@GET_FNAME_BASE_DLG@@IEAAJPEAVBUFFER@@AEAVSTRLIST@@@Z +; protected: void __cdecl ENUM_OBJ_BASE::SetBufferPtr(unsigned char const * __ptr64) __ptr64 +?SetBufferPtr@ENUM_OBJ_BASE@@IEAAXPEBE@Z +; public: void __cdecl ORDER_GROUP::SetButton(void) __ptr64 +?SetButton@ORDER_GROUP@@QEAAXXZ +; public: static void __cdecl POPUP::SetCaption(long) +?SetCaption@POPUP@@SAXJ@Z +; public: void __cdecl LIST_CONTROL::SetCaretIndex(int,int) __ptr64 +?SetCaretIndex@LIST_CONTROL@@QEAAXHH@Z +; public: void __cdecl MENUITEM::SetCheck(int) __ptr64 +?SetCheck@MENUITEM@@QEAAXH@Z +; private: void __cdecl RADIO_BUTTON::SetCheck(int) __ptr64 +?SetCheck@RADIO_BUTTON@@AEAAXH@Z +; public: void __cdecl STATE2_BUTTON_CONTROL::SetCheck(int) __ptr64 +?SetCheck@STATE2_BUTTON_CONTROL@@QEAAXH@Z +; public: long __cdecl SET_OF_AUDIT_CATEGORIES::SetCheckBoxNames(class MASK_MAP * __ptr64) __ptr64 +?SetCheckBoxNames@SET_OF_AUDIT_CATEGORIES@@QEAAJPEAVMASK_MAP@@@Z +; protected: static void __cdecl WINDOW::SetClientGeneratedMsgFlag(int) +?SetClientGeneratedMsgFlag@WINDOW@@KAXH@Z +; public: void __cdecl METER::SetComplete(int) __ptr64 +?SetComplete@METER@@QEAAXH@Z +; protected: virtual void __cdecl BLT_DATE_SPIN_GROUP::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@BLT_DATE_SPIN_GROUP@@MEAAXXZ +; protected: virtual void __cdecl BLT_TIME_SPIN_GROUP::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@BLT_TIME_SPIN_GROUP@@MEAAXXZ +; public: virtual void __cdecl CONTROL_VALUE::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@CONTROL_VALUE@@UEAAXXZ +; public: virtual void __cdecl CONTROL_WINDOW::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@CONTROL_WINDOW@@UEAAXXZ +; protected: virtual void __cdecl EDIT_CONTROL::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@EDIT_CONTROL@@MEAAXXZ +; public: virtual void __cdecl MAGIC_GROUP::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@MAGIC_GROUP@@UEAAXXZ +; public: virtual void __cdecl RADIO_GROUP::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@RADIO_GROUP@@UEAAXXZ +; public: virtual void __cdecl SPIN_GROUP::SetControlValueFocus(void) __ptr64 +?SetControlValueFocus@SPIN_GROUP@@UEAAXXZ +; public: void __cdecl LAZY_LISTBOX::SetCount(unsigned int) __ptr64 +?SetCount@LAZY_LISTBOX@@QEAAXI@Z +; public: void __cdecl USER_BROWSER_LB::SetCurrentCache(class USER_BROWSER_LBI_CACHE * __ptr64) __ptr64 +?SetCurrentCache@USER_BROWSER_LB@@QEAAXPEAVUSER_BROWSER_LBI_CACHE@@@Z +; public: long __cdecl BLT_DATE_SPIN_GROUP::SetCurrentDay(void) __ptr64 +?SetCurrentDay@BLT_DATE_SPIN_GROUP@@QEAAJXZ +; public: void __cdecl NT_USER_BROWSER_DIALOG::SetCurrentDomainFocus(class BROWSER_DOMAIN * __ptr64) __ptr64 +?SetCurrentDomainFocus@NT_USER_BROWSER_DIALOG@@QEAAXPEAVBROWSER_DOMAIN@@@Z +; protected: void __cdecl SPIN_GROUP::SetCurrentField(class SPIN_ITEM * __ptr64) __ptr64 +?SetCurrentField@SPIN_GROUP@@IEAAXPEAVSPIN_ITEM@@@Z +; public: long __cdecl BLT_TIME_SPIN_GROUP::SetCurrentTime(void) __ptr64 +?SetCurrentTime@BLT_TIME_SPIN_GROUP@@QEAAJXZ +; public: long __cdecl GET_FNAME_BASE_DLG::SetCustomFilter(class STRLIST & __ptr64,unsigned long) __ptr64 +?SetCustomFilter@GET_FNAME_BASE_DLG@@QEAAJAEAVSTRLIST@@K@Z +; public: void __cdecl DISK_SPACE_SUBCLASS::SetDSFieldName(long) __ptr64 +?SetDSFieldName@DISK_SPACE_SUBCLASS@@QEAAXJ@Z +; public: void __cdecl BLT_DATE_SPIN_GROUP::SetDay(int) __ptr64 +?SetDay@BLT_DATE_SPIN_GROUP@@QEAAXH@Z +; private: static void __cdecl HIER_LBI::SetDestroyable(int) +?SetDestroyable@HIER_LBI@@CAXH@Z +; public: void __cdecl OWNER_WINDOW::SetDialogFocus(class CONTROL_WINDOW & __ptr64) __ptr64 +?SetDialogFocus@OWNER_WINDOW@@QEAAXAEAVCONTROL_WINDOW@@@Z +; protected: void __cdecl NT_USER_BROWSER_DIALOG::SetDomainComboDropFlag(int) __ptr64 +?SetDomainComboDropFlag@NT_USER_BROWSER_DIALOG@@IEAAXH@Z +; public: void __cdecl OUTLINE_LISTBOX::SetDomainExpanded(int,int) __ptr64 +?SetDomainExpanded@OUTLINE_LISTBOX@@QEAAXHH@Z +; public: long __cdecl BASE_ELLIPSIS::SetEllipsis(unsigned short * __ptr64) __ptr64 +?SetEllipsis@BASE_ELLIPSIS@@QEAAJPEAG@Z +; public: long __cdecl BASE_ELLIPSIS::SetEllipsis(class NLS_STR * __ptr64) __ptr64 +?SetEllipsis@BASE_ELLIPSIS@@QEAAJPEAVNLS_STR@@@Z +; protected: long __cdecl BASE_ELLIPSIS::SetEllipsisCenter(class NLS_STR * __ptr64) __ptr64 +?SetEllipsisCenter@BASE_ELLIPSIS@@IEAAJPEAVNLS_STR@@@Z +; protected: long __cdecl BASE_ELLIPSIS::SetEllipsisLeft(class NLS_STR * __ptr64) __ptr64 +?SetEllipsisLeft@BASE_ELLIPSIS@@IEAAJPEAVNLS_STR@@@Z +; protected: long __cdecl BASE_ELLIPSIS::SetEllipsisPath(class NLS_STR * __ptr64) __ptr64 +?SetEllipsisPath@BASE_ELLIPSIS@@IEAAJPEAVNLS_STR@@@Z +; protected: long __cdecl BASE_ELLIPSIS::SetEllipsisRight(class NLS_STR * __ptr64) __ptr64 +?SetEllipsisRight@BASE_ELLIPSIS@@IEAAJPEAVNLS_STR@@@Z +; protected: void __cdecl GET_FNAME_BASE_DLG::SetEnableHook(int) __ptr64 +?SetEnableHook@GET_FNAME_BASE_DLG@@IEAAXH@Z +; public: void __cdecl HIER_LBI::SetExpanded(int) __ptr64 +?SetExpanded@HIER_LBI@@QEAAXH@Z +; private: void __cdecl OLLB_ENTRY::SetExpanded(int) __ptr64 +?SetExpanded@OLLB_ENTRY@@AEAAXH@Z +; public: int __cdecl SPIN_GROUP::SetFieldMinMax(unsigned short) __ptr64 +?SetFieldMinMax@SPIN_GROUP@@QEAAHG@Z +; public: long __cdecl SPIN_SLE_NUM_VALID::SetFieldName(long) __ptr64 +?SetFieldName@SPIN_SLE_NUM_VALID@@QEAAJJ@Z +; public: long __cdecl GET_FNAME_BASE_DLG::SetFileExtension(class NLS_STR const & __ptr64) __ptr64 +?SetFileExtension@GET_FNAME_BASE_DLG@@QEAAJAEBVNLS_STR@@@Z +; public: long __cdecl GET_FNAME_BASE_DLG::SetFilter(class STRLIST & __ptr64,unsigned long) __ptr64 +?SetFilter@GET_FNAME_BASE_DLG@@QEAAJAEAVSTRLIST@@K@Z +; public: void __cdecl MLE::SetFmtLines(int) __ptr64 +?SetFmtLines@MLE@@QEAAXH@Z +; public: void __cdecl OWNER_WINDOW::SetFocus(unsigned int) __ptr64 +?SetFocus@OWNER_WINDOW@@QEAAXI@Z +; public: void __cdecl CONTROL_WINDOW::SetFont(struct HFONT__ * __ptr64,int) __ptr64 +?SetFont@CONTROL_WINDOW@@QEAAXPEAUHFONT__@@H@Z +; public: long __cdecl FONT::SetFont(struct tagLOGFONTW const & __ptr64) __ptr64 +?SetFont@FONT@@QEAAJAEBUtagLOGFONTW@@@Z +; public: long __cdecl FONT::SetFont(struct HFONT__ * __ptr64) __ptr64 +?SetFont@FONT@@QEAAJPEAUHFONT__@@@Z +; public: void __cdecl CONTROL_VALUE::SetGroup(class CONTROL_GROUP * __ptr64) __ptr64 +?SetGroup@CONTROL_VALUE@@QEAAXPEAVCONTROL_GROUP@@@Z +; protected: void __cdecl MENU_BASE::SetHandle(struct HMENU__ * __ptr64) __ptr64 +?SetHandle@MENU_BASE@@IEAAXPEAUHMENU__@@@Z +; protected: void __cdecl WIN32_HANDLE::SetHandle(void * __ptr64) __ptr64 +?SetHandle@WIN32_HANDLE@@IEAAXPEAX@Z +; public: void __cdecl XYDIMENSION::SetHeight(unsigned int) __ptr64 +?SetHeight@XYDIMENSION@@QEAAXI@Z +; public: void __cdecl GET_FNAME_BASE_DLG::SetHelpActive(int) __ptr64 +?SetHelpActive@GET_FNAME_BASE_DLG@@QEAAXH@Z +; public: static unsigned long __cdecl POPUP::SetHelpContextBase(unsigned long) +?SetHelpContextBase@POPUP@@SAKK@Z +; public: void __cdecl GET_FNAME_BASE_DLG::SetHookProc(unsigned __int64) __ptr64 +?SetHookProc@GET_FNAME_BASE_DLG@@QEAAX_K@Z +; public: void __cdecl LISTBOX::SetHorizontalExtent(unsigned int) __ptr64 +?SetHorizontalExtent@LISTBOX@@QEAAXI@Z +; public: void __cdecl BLT_TIME_SPIN_GROUP::SetHour(int) __ptr64 +?SetHour@BLT_TIME_SPIN_GROUP@@QEAAXH@Z +; public: long __cdecl LOGON_HOURS_CONTROL::SetHours(class LOGON_HOURS_SETTING const * __ptr64) __ptr64 +?SetHours@LOGON_HOURS_CONTROL@@QEAAJPEBVLOGON_HOURS_SETTING@@@Z +; protected: void __cdecl WINDOW::SetHwnd(struct HWND__ * __ptr64) __ptr64 +?SetHwnd@WINDOW@@IEAAXPEAUHWND__@@@Z +; public: int __cdecl APP_WINDOW::SetIcon(class IDRESOURCE const & __ptr64) __ptr64 +?SetIcon@APP_WINDOW@@QEAAHAEBVIDRESOURCE@@@Z +; public: long __cdecl ICON_CONTROL::SetIcon(class IDRESOURCE const & __ptr64) __ptr64 +?SetIcon@ICON_CONTROL@@QEAAJAEBVIDRESOURCE@@@Z +; protected: void __cdecl CANCEL_TASK_DIALOG::SetInTimer(int) __ptr64 +?SetInTimer@CANCEL_TASK_DIALOG@@IEAAXH@Z +; public: void __cdecl USER_BROWSER_LBI_CACHE::SetIncludeUsers(int) __ptr64 +?SetIncludeUsers@USER_BROWSER_LBI_CACHE@@QEAAXH@Z +; private: void __cdecl HIER_LBI::SetIndentLevel(void) __ptr64 +?SetIndentLevel@HIER_LBI@@AEAAXXZ +; public: long __cdecl GET_FNAME_BASE_DLG::SetInitialDir(class NLS_STR const & __ptr64) __ptr64 +?SetInitialDir@GET_FNAME_BASE_DLG@@QEAAJAEBVNLS_STR@@@Z +; private: void __cdecl BLT_LISTBOX::SetItem(int,class LBI * __ptr64) __ptr64 +?SetItem@BLT_LISTBOX@@AEAAXHPEAVLBI@@@Z +; protected: int __cdecl LIST_CONTROL::SetItemData(int,void * __ptr64) __ptr64 +?SetItemData@LIST_CONTROL@@IEAAHHPEAX@Z +; public: int __cdecl DEVICE_CONTEXT::SetMapMode(int) __ptr64 +?SetMapMode@DEVICE_CONTEXT@@QEAAHH@Z +; private: void __cdecl DISPLAY_MAP::SetMaskBits(unsigned char * __ptr64,int,int,unsigned int) __ptr64 +?SetMaskBits@DISPLAY_MAP@@AEAAXPEAEHHI@Z +; private: void __cdecl SPIN_SLE_NUM::SetMaxInput(void) __ptr64 +?SetMaxInput@SPIN_SLE_NUM@@AEAAXXZ +; public: int __cdecl COMBOBOX::SetMaxLength(unsigned int) __ptr64 +?SetMaxLength@COMBOBOX@@QEAAHI@Z +; public: void __cdecl EDIT_CONTROL::SetMaxLength(unsigned int) __ptr64 +?SetMaxLength@EDIT_CONTROL@@QEAAXI@Z +; public: int __cdecl APP_WINDOW::SetMenu(class IDRESOURCE const & __ptr64) __ptr64 +?SetMenu@APP_WINDOW@@QEAAHAEBVIDRESOURCE@@@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetMin(unsigned long) __ptr64 +?SetMin@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl SPIN_SLE_NUM::SetMin(unsigned long) __ptr64 +?SetMin@SPIN_SLE_NUM@@QEAAXK@Z +; public: void __cdecl BLT_TIME_SPIN_GROUP::SetMinute(int) __ptr64 +?SetMinute@BLT_TIME_SPIN_GROUP@@QEAAXH@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetMinuteFieldName(long) __ptr64 +?SetMinuteFieldName@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetMinuteMin(long) __ptr64 +?SetMinuteMin@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetMinuteRange(long) __ptr64 +?SetMinuteRange@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetMinuteValue(long) __ptr64 +?SetMinuteValue@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl SPIN_GROUP::SetModified(int) __ptr64 +?SetModified@SPIN_GROUP@@QEAAXH@Z +; public: void __cdecl BLT_DATE_SPIN_GROUP::SetMonth(int) __ptr64 +?SetMonth@BLT_DATE_SPIN_GROUP@@QEAAXH@Z +; public: static void __cdecl POPUP::SetMsgMapTable(struct _MSGMAPENTRY * __ptr64) +?SetMsgMapTable@POPUP@@SAXPEAU_MSGMAPENTRY@@@Z +; protected: virtual long __cdecl BASE_SET_FOCUS_DLG::SetNetworkFocus(struct HWND__ * __ptr64,unsigned short const * __ptr64,enum FOCUS_CACHE_SETTING) __ptr64 +?SetNetworkFocus@BASE_SET_FOCUS_DLG@@MEAAJPEAUHWND__@@PEBGW4FOCUS_CACHE_SETTING@@@Z +; protected: virtual long __cdecl STANDALONE_SET_FOCUS_DLG::SetNetworkFocus(struct HWND__ * __ptr64,unsigned short const * __ptr64,enum FOCUS_CACHE_SETTING) __ptr64 +?SetNetworkFocus@STANDALONE_SET_FOCUS_DLG@@MEAAJPEAUHWND__@@PEBGW4FOCUS_CACHE_SETTING@@@Z +; private: void __cdecl TIMER_BASE::SetNewTimeDue(void) __ptr64 +?SetNewTimeDue@TIMER_BASE@@AEAAXXZ +; public: long __cdecl BASE_ELLIPSIS::SetOriginalStr(unsigned short const * __ptr64) __ptr64 +?SetOriginalStr@BASE_ELLIPSIS@@QEAAJPEBG@Z +; protected: void __cdecl DM_DTE::SetPdm(class DISPLAY_MAP * __ptr64) __ptr64 +?SetPdm@DM_DTE@@IEAAXPEAVDISPLAY_MAP@@@Z +; public: virtual void __cdecl HIER_LBI::SetPelIndent(unsigned int) __ptr64 +?SetPelIndent@HIER_LBI@@UEAAXI@Z +; public: long __cdecl APP_WINDOW::SetPlacement(struct tagWINDOWPLACEMENT const * __ptr64)const __ptr64 +?SetPlacement@APP_WINDOW@@QEBAJPEBUtagWINDOWPLACEMENT@@@Z +; public: static void __cdecl CURSOR::SetPos(class XYPOINT const & __ptr64) +?SetPos@CURSOR@@SAXAEBVXYPOINT@@@Z +; public: void __cdecl SCROLLBAR::SetPos(unsigned int) __ptr64 +?SetPos@SCROLLBAR@@QEAAXI@Z +; public: void __cdecl WINDOW::SetPos(class XYPOINT,int,class WINDOW * __ptr64) __ptr64 +?SetPos@WINDOW@@QEAAXVXYPOINT@@HPEAV1@@Z +; public: long __cdecl ICON_CONTROL::SetPredefinedIcon(class IDRESOURCE const & __ptr64) __ptr64 +?SetPredefinedIcon@ICON_CONTROL@@QEAAJAEBVIDRESOURCE@@@Z +; public: long __cdecl WIN32_THREAD::SetPriority(int) __ptr64 +?SetPriority@WIN32_THREAD@@QEAAJH@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetRange(unsigned long) __ptr64 +?SetRange@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl SCROLLBAR::SetRange(unsigned int,unsigned int) __ptr64 +?SetRange@SCROLLBAR@@QEAAXII@Z +; public: void __cdecl SPIN_SLE_NUM::SetRange(unsigned long) __ptr64 +?SetRange@SPIN_SLE_NUM@@QEAAXK@Z +; public: void __cdecl SPIN_SLE_STR::SetRange(long) __ptr64 +?SetRange@SPIN_SLE_STR@@QEAAXJ@Z +; public: void __cdecl WINDOW::SetRedraw(int) __ptr64 +?SetRedraw@WINDOW@@QEAAXH@Z +; public: long __cdecl EDIT_CONTROL::SetSaveValue(unsigned short const * __ptr64) __ptr64 +?SetSaveValue@EDIT_CONTROL@@QEAAJPEBG@Z +; public: long __cdecl SPIN_SLE_NUM::SetSaveValue(unsigned long) __ptr64 +?SetSaveValue@SPIN_SLE_NUM@@QEAAJK@Z +; public: void __cdecl LISTBOX::SetScrollPos(unsigned int) __ptr64 +?SetScrollPos@LISTBOX@@QEAAXI@Z +; public: void __cdecl BLT_TIME_SPIN_GROUP::SetSecond(int) __ptr64 +?SetSecond@BLT_TIME_SPIN_GROUP@@QEAAXH@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetSecondFieldName(long) __ptr64 +?SetSecondFieldName@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetSecondMin(long) __ptr64 +?SetSecondMin@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetSecondRange(long) __ptr64 +?SetSecondRange@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl ELAPSED_TIME_CONTROL::SetSecondValue(long) __ptr64 +?SetSecondValue@ELAPSED_TIME_CONTROL@@QEAAXJ@Z +; public: void __cdecl GRAPHICAL_BUTTON_WITH_DISABLE::SetSelected(int) __ptr64 +?SetSelected@GRAPHICAL_BUTTON_WITH_DISABLE@@QEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::SetSelectedCells(int) __ptr64 +?SetSelectedCells@LOGON_HOURS_CONTROL@@AEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::SetSelection(int) __ptr64 +?SetSelection@LOGON_HOURS_CONTROL@@AEAAXH@Z +; private: void __cdecl LOGON_HOURS_CONTROL::SetSelection(int,int) __ptr64 +?SetSelection@LOGON_HOURS_CONTROL@@AEAAXHH@Z +; public: void __cdecl MAGIC_GROUP::SetSelection(unsigned int) __ptr64 +?SetSelection@MAGIC_GROUP@@QEAAXI@Z +; public: void __cdecl RADIO_GROUP::SetSelection(unsigned int) __ptr64 +?SetSelection@RADIO_GROUP@@QEAAXI@Z +; protected: void __cdecl RADIO_GROUP::SetSelectionDontNotifyGroups(unsigned int) __ptr64 +?SetSelectionDontNotifyGroups@RADIO_GROUP@@IEAAXI@Z +; public: void __cdecl CONSOLE_ELLIPSIS::SetSize(int) __ptr64 +?SetSize@CONSOLE_ELLIPSIS@@QEAAXH@Z +; public: void __cdecl SLT_ELLIPSIS::SetSize(int,int,int) __ptr64 +?SetSize@SLT_ELLIPSIS@@QEAAXHHH@Z +; public: void __cdecl WINDOW::SetSize(int,int,int) __ptr64 +?SetSize@WINDOW@@QEAAXHHH@Z +; public: void __cdecl WINDOW::SetSize(class XYDIMENSION,int) __ptr64 +?SetSize@WINDOW@@QEAAXVXYDIMENSION@@H@Z +; public: void __cdecl WIN_ELLIPSIS::SetSize(int,int) __ptr64 +?SetSize@WIN_ELLIPSIS@@QEAAXHH@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetSmallDecValue(unsigned long) __ptr64 +?SetSmallDecValue@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetSmallIncValue(unsigned long) __ptr64 +?SetSmallIncValue@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; protected: void __cdecl NT_GROUP_BROWSER_DIALOG::SetSourceDialog(class NT_GROUP_BROWSER_DIALOG * __ptr64) __ptr64 +?SetSourceDialog@NT_GROUP_BROWSER_DIALOG@@IEAAXPEAV1@@Z +; private: long __cdecl ELAPSED_TIME_CONTROL::SetSpinItemAccKey(class SPIN_ITEM * __ptr64,class SLT & __ptr64,int) __ptr64 +?SetSpinItemAccKey@ELAPSED_TIME_CONTROL@@AEAAJPEAVSPIN_ITEM@@AEAVSLT@@H@Z +; protected: void __cdecl SLE_STRLB_GROUP::SetState(void)const __ptr64 +?SetState@SLE_STRLB_GROUP@@IEBAXXZ +; protected: void __cdecl STATE_BUTTON_CONTROL::SetState(unsigned int) __ptr64 +?SetState@STATE_BUTTON_CONTROL@@IEAAXI@Z +; public: int __cdecl STLBITEM::SetState(int) __ptr64 +?SetState@STLBITEM@@QEAAHH@Z +; private: void __cdecl WIN32_THREAD::SetState(enum _THREAD_STATE) __ptr64 +?SetState@WIN32_THREAD@@AEAAXW4_THREAD_STATE@@@Z +; public: void __cdecl GRAPHICAL_BUTTON::SetStatus(unsigned int) __ptr64 +?SetStatus@GRAPHICAL_BUTTON@@QEAAXI@Z +; public: void __cdecl GRAPHICAL_BUTTON::SetStatus(struct HBITMAP__ * __ptr64) __ptr64 +?SetStatus@GRAPHICAL_BUTTON@@QEAAXPEAUHBITMAP__@@@Z +; private: void __cdecl SPIN_SLE_STR::SetStr(long) __ptr64 +?SetStr@SPIN_SLE_STR@@AEAAXJ@Z +; private: long __cdecl GET_FNAME_BASE_DLG::SetStringField(unsigned short * __ptr64 * __ptr64,class NLS_STR const & __ptr64) __ptr64 +?SetStringField@GET_FNAME_BASE_DLG@@AEAAJPEAPEAGAEBVNLS_STR@@@Z +; public: void __cdecl BASE_ELLIPSIS::SetStyle(enum ELLIPSIS_STYLE) __ptr64 +?SetStyle@BASE_ELLIPSIS@@QEAAXW4ELLIPSIS_STYLE@@@Z +; public: void __cdecl WINDOW::SetStyle(unsigned long) __ptr64 +?SetStyle@WINDOW@@QEAAXK@Z +; protected: virtual void __cdecl CONTROL_VALUE::SetTabStop(int) __ptr64 +?SetTabStop@CONTROL_VALUE@@MEAAXH@Z +; protected: virtual void __cdecl CONTROL_WINDOW::SetTabStop(int) __ptr64 +?SetTabStop@CONTROL_WINDOW@@MEAAXH@Z +; public: long __cdecl ACCOUNT_NAMES_MLE::SetTargetDomain(unsigned short const * __ptr64) __ptr64 +?SetTargetDomain@ACCOUNT_NAMES_MLE@@QEAAJPEBG@Z +; public: long __cdecl GET_FNAME_BASE_DLG::SetText(class NLS_STR const & __ptr64) __ptr64 +?SetText@GET_FNAME_BASE_DLG@@QEAAJAEBVNLS_STR@@@Z +; public: int __cdecl MENUITEM::SetText(unsigned short const * __ptr64) __ptr64 +?SetText@MENUITEM@@QEAAHPEBG@Z +; public: long __cdecl SLT_ELLIPSIS::SetText(class NLS_STR const & __ptr64) __ptr64 +?SetText@SLT_ELLIPSIS@@QEAAJAEBVNLS_STR@@@Z +; public: long __cdecl SLT_ELLIPSIS::SetText(unsigned short const * __ptr64) __ptr64 +?SetText@SLT_ELLIPSIS@@QEAAJPEBG@Z +; public: void __cdecl WINDOW::SetText(class NLS_STR const & __ptr64) __ptr64 +?SetText@WINDOW@@QEAAXAEBVNLS_STR@@@Z +; public: void __cdecl WINDOW::SetText(unsigned short const * __ptr64) __ptr64 +?SetText@WINDOW@@QEAAXPEBG@Z +; public: unsigned int __cdecl DEVICE_CONTEXT::SetTextAlign(unsigned int) __ptr64 +?SetTextAlign@DEVICE_CONTEXT@@QEAAII@Z +; public: unsigned long __cdecl DEVICE_CONTEXT::SetTextColor(unsigned long) __ptr64 +?SetTextColor@DEVICE_CONTEXT@@QEAAKK@Z +; public: void __cdecl LIST_CONTROL::SetTopIndex(int) __ptr64 +?SetTopIndex@LIST_CONTROL@@QEAAXH@Z +; public: long __cdecl BROWSER_SUBJECT::SetUserBrowserLBI(class USER_BROWSER_LBI * __ptr64) __ptr64 +?SetUserBrowserLBI@BROWSER_SUBJECT@@QEAAJPEAVUSER_BROWSER_LBI@@@Z +; public: void __cdecl CHANGEABLE_SPIN_ITEM::SetValue(unsigned long) __ptr64 +?SetValue@CHANGEABLE_SPIN_ITEM@@QEAAXK@Z +; public: void __cdecl DEC_SLT::SetValue(long) __ptr64 +?SetValue@DEC_SLT@@QEAAXJ@Z +; public: void __cdecl DEC_SLT::SetValue(unsigned long) __ptr64 +?SetValue@DEC_SLT@@QEAAXK@Z +; public: void __cdecl XYDIMENSION::SetWidth(unsigned int) __ptr64 +?SetWidth@XYDIMENSION@@QEAAXI@Z +; public: void __cdecl XYPOINT::SetX(int) __ptr64 +?SetX@XYPOINT@@QEAAXH@Z +; public: void __cdecl XYPOINT::SetY(int) __ptr64 +?SetY@XYPOINT@@QEAAXH@Z +; public: void __cdecl BLT_DATE_SPIN_GROUP::SetYear(int) __ptr64 +?SetYear@BLT_DATE_SPIN_GROUP@@QEAAXH@Z +; public: static void __cdecl CURSOR::Show(int) +?Show@CURSOR@@SAXH@Z +; public: int __cdecl POPUP::Show(void) __ptr64 +?Show@POPUP@@QEAAHXZ +; public: int __cdecl WINDOW::Show(int) __ptr64 +?Show@WINDOW@@QEAAHH@Z +; protected: void __cdecl BASE_SET_FOCUS_DLG::ShowArea(int) __ptr64 +?ShowArea@BASE_SET_FOCUS_DLG@@IEAAXH@Z +; protected: void __cdecl EXPANDABLE_DIALOG::ShowArea(int) __ptr64 +?ShowArea@EXPANDABLE_DIALOG@@IEAAXH@Z +; private: void __cdecl H_SPLITTER_BAR::ShowDragBar(class XYPOINT const & __ptr64) __ptr64 +?ShowDragBar@H_SPLITTER_BAR@@AEAAXAEBVXYPOINT@@@Z +; public: void __cdecl WINDOW::ShowFirst(void) __ptr64 +?ShowFirst@WINDOW@@QEAAXXZ +; private: void __cdecl H_SPLITTER_BAR::ShowSpecialCursor(int) __ptr64 +?ShowSpecialCursor@H_SPLITTER_BAR@@AEAAXH@Z +; public: void __cdecl WIN32_THREAD::Sleep(unsigned int) __ptr64 +?Sleep@WIN32_THREAD@@QEAAXI@Z +; public: void __cdecl USER_LBI_CACHE::Sort(void) __ptr64 +?Sort@USER_LBI_CACHE@@QEAAXXZ +; private: static unsigned long __cdecl WIN32_THREAD::StartThread(void * __ptr64) +?StartThread@WIN32_THREAD@@CAKPEAX@Z +; private: long __cdecl LB_COL_WIDTHS::StretchForFonts(struct HWND__ * __ptr64,unsigned short const * __ptr64) __ptr64 +?StretchForFonts@LB_COL_WIDTHS@@AEAAJPEAUHWND__@@PEBG@Z +; public: long __cdecl MASK_MAP::StringToBits(class NLS_STR const & __ptr64,class BITFIELD * __ptr64,int,unsigned int * __ptr64) __ptr64 +?StringToBits@MASK_MAP@@QEAAJAEBVNLS_STR@@PEAVBITFIELD@@HPEAI@Z +; protected: long __cdecl ACCOUNT_NAMES_MLE::StripDomainIfWellKnown(class NLS_STR * __ptr64) __ptr64 +?StripDomainIfWellKnown@ACCOUNT_NAMES_MLE@@IEAAJPEAVNLS_STR@@@Z +; protected: __int64 __cdecl CUSTOM_CONTROL::SubClassWndProc(class EVENT const & __ptr64) __ptr64 +?SubClassWndProc@CUSTOM_CONTROL@@IEAA_JAEBVEVENT@@@Z +; public: long __cdecl WIN32_THREAD::Suspend(void) __ptr64 +?Suspend@WIN32_THREAD@@QEAAJXZ +; public: static void __cdecl BASE_ELLIPSIS::Term(void) +?Term@BASE_ELLIPSIS@@SAXXZ +; public: static void __cdecl BLT::Term(struct HINSTANCE__ * __ptr64) +?Term@BLT@@SAXPEAUHINSTANCE__@@@Z +; public: static void __cdecl BLTIMP::Term(void) +?Term@BLTIMP@@SAXXZ +; public: static void __cdecl BLT_MASTER_TIMER::Term(void) +?Term@BLT_MASTER_TIMER@@SAXXZ +; public: static void __cdecl CLIENT_WINDOW::Term(void) +?Term@CLIENT_WINDOW@@SAXXZ +; public: static void __cdecl POPUP::Term(void) +?Term@POPUP@@SAXXZ +; public: static void __cdecl BLT::TermDLL(void) +?TermDLL@BLT@@SAXXZ +; public: long __cdecl WIN32_THREAD::Terminate(unsigned int) __ptr64 +?Terminate@WIN32_THREAD@@QEAAJI@Z +; public: int __cdecl DEVICE_CONTEXT::TextOutW(class NLS_STR const & __ptr64,class XYPOINT)const __ptr64 +?TextOutW@DEVICE_CONTEXT@@QEBAHAEBVNLS_STR@@VXYPOINT@@@Z +; public: int __cdecl DEVICE_CONTEXT::TextOutW(class NLS_STR const & __ptr64,class XYPOINT,struct tagRECT const * __ptr64)const __ptr64 +?TextOutW@DEVICE_CONTEXT@@QEBAHAEBVNLS_STR@@VXYPOINT@@PEBUtagRECT@@@Z +; public: int __cdecl DEVICE_CONTEXT::TextOutW(unsigned short const * __ptr64,int,int,int)const __ptr64 +?TextOutW@DEVICE_CONTEXT@@QEBAHPEBGHHH@Z +; public: int __cdecl DEVICE_CONTEXT::TextOutW(unsigned short const * __ptr64,int,int,int,struct tagRECT const * __ptr64)const __ptr64 +?TextOutW@DEVICE_CONTEXT@@QEBAHPEBGHHHPEBUtagRECT@@@Z +; public: int __cdecl CHECKBOX::Toggle(void) __ptr64 +?Toggle@CHECKBOX@@QEAAHXZ +; public: long __cdecl LM_OLLB::ToggleDomain(int) __ptr64 +?ToggleDomain@LM_OLLB@@QEAAJH@Z +; public: long __cdecl POPUP_MENU::Track(class PWND2HWND const & __ptr64,unsigned int,int,int,struct tagRECT const * __ptr64)const __ptr64 +?Track@POPUP_MENU@@QEBAJAEBVPWND2HWND@@IHHPEBUtagRECT@@@Z +; public: int __cdecl ACCELTABLE::Translate(class WINDOW const * __ptr64,struct tagMSG * __ptr64)const __ptr64 +?Translate@ACCELTABLE@@QEBAHPEBVWINDOW@@PEAUtagMSG@@@Z +; public: void __cdecl TIMER_BASE::TriggerNow(void) __ptr64 +?TriggerNow@TIMER_BASE@@QEAAXXZ +; long __cdecl TrimLeading(class NLS_STR * __ptr64,unsigned short const * __ptr64) +?TrimLeading@@YAJPEAVNLS_STR@@PEBG@Z +; long __cdecl TrimTrailing(class NLS_STR * __ptr64,unsigned short const * __ptr64) +?TrimTrailing@@YAJPEAVNLS_STR@@PEBG@Z +; public: void __cdecl AUTO_CURSOR::TurnOff(void) __ptr64 +?TurnOff@AUTO_CURSOR@@QEAAXXZ +; public: void __cdecl AUTO_CURSOR::TurnOn(void) __ptr64 +?TurnOn@AUTO_CURSOR@@QEAAXXZ +; public: long __cdecl BROWSER_DOMAIN::UnRequestAccountData(void) __ptr64 +?UnRequestAccountData@BROWSER_DOMAIN@@QEAAJXZ +; public: long __cdecl DOMAIN_FILL_THREAD::UnRequestAccountData(void) __ptr64 +?UnRequestAccountData@DOMAIN_FILL_THREAD@@QEAAJXZ +; public: virtual void __cdecl UI_EXT_MGR::UnloadExtensions(void) __ptr64 +?UnloadExtensions@UI_EXT_MGR@@UEAAXXZ +; private: void __cdecl LOGON_HOURS_CONTROL::UnloadLabels(void) __ptr64 +?UnloadLabels@LOGON_HOURS_CONTROL@@AEAAXXZ +; protected: virtual void __cdecl USER_LBI_CACHE::UnlockCache(void) __ptr64 +?UnlockCache@USER_LBI_CACHE@@MEAAXXZ +; private: static void __cdecl BLTIMP::Unwind(enum BLT_CTOR_STATE) +?Unwind@BLTIMP@@CAXW4BLT_CTOR_STATE@@@Z +; public: virtual void __cdecl CHANGEABLE_SPIN_ITEM::Update(void) __ptr64 +?Update@CHANGEABLE_SPIN_ITEM@@UEAAXXZ +; public: virtual void __cdecl SPIN_SLE_NUM::Update(void) __ptr64 +?Update@SPIN_SLE_NUM@@UEAAXXZ +; public: virtual void __cdecl SPIN_SLE_STR::Update(void) __ptr64 +?Update@SPIN_SLE_STR@@UEAAXXZ +; protected: void __cdecl NT_FIND_ACCOUNT_DIALOG::UpdateButtonState(void) __ptr64 +?UpdateButtonState@NT_FIND_ACCOUNT_DIALOG@@IEAAXXZ +; protected: virtual void __cdecl NT_GROUP_BROWSER_DIALOG::UpdateButtonState(void) __ptr64 +?UpdateButtonState@NT_GROUP_BROWSER_DIALOG@@MEAAXXZ +; protected: virtual void __cdecl NT_LOCALGROUP_BROWSER_DIALOG::UpdateButtonState(void) __ptr64 +?UpdateButtonState@NT_LOCALGROUP_BROWSER_DIALOG@@MEAAXXZ +; protected: void __cdecl NT_USER_BROWSER_DIALOG::UpdateButtonState(void) __ptr64 +?UpdateButtonState@NT_USER_BROWSER_DIALOG@@IEAAXXZ +; private: void __cdecl BASE_SET_FOCUS_DLG::UpdateRasMode(void) __ptr64 +?UpdateRasMode@BASE_SET_FOCUS_DLG@@AEAAXXZ +; public: virtual long __cdecl CONTROL_WINDOW::Validate(void) __ptr64 +?Validate@CONTROL_WINDOW@@UEAAJXZ +; private: long __cdecl DIALOG_WINDOW::Validate(void) __ptr64 +?Validate@DIALOG_WINDOW@@AEAAJXZ +; public: virtual long __cdecl ICANON_SLE::Validate(void) __ptr64 +?Validate@ICANON_SLE@@UEAAJXZ +; public: virtual long __cdecl SPIN_SLE_NUM::Validate(void) __ptr64 +?Validate@SPIN_SLE_NUM@@UEAAJXZ +; protected: virtual long __cdecl SLE_STRLB_GROUP::W_Add(unsigned short const * __ptr64) __ptr64 +?W_Add@SLE_STRLB_GROUP@@MEAAJPEBG@Z +; private: virtual unsigned short __cdecl GLOBAL_ATOM::W_AddAtom(unsigned short const * __ptr64)const __ptr64 +?W_AddAtom@GLOBAL_ATOM@@EEBAGPEBG@Z +; private: virtual unsigned short __cdecl LOCAL_ATOM::W_AddAtom(unsigned short const * __ptr64)const __ptr64 +?W_AddAtom@LOCAL_ATOM@@EEBAGPEBG@Z +; protected: long __cdecl MENU_BASE::W_Append(void const * __ptr64,unsigned __int64,unsigned int)const __ptr64 +?W_Append@MENU_BASE@@IEBAJPEBX_KI@Z +; private: long __cdecl UI_MENU_EXT::W_BiasMenuIds(struct HMENU__ * __ptr64,unsigned long) __ptr64 +?W_BiasMenuIds@UI_MENU_EXT@@AEAAJPEAUHMENU__@@K@Z +; private: class LBI * __ptr64 __cdecl USER_LBI_CACHE::W_GetLBI(int) __ptr64 +?W_GetLBI@USER_LBI_CACHE@@AEAAPEAVLBI@@H@Z +; private: int __cdecl USER_LBI_CACHE::W_GrowCache(int) __ptr64 +?W_GrowCache@USER_LBI_CACHE@@AEAAHH@Z +; protected: long __cdecl MENU_BASE::W_Insert(void const * __ptr64,unsigned int,unsigned __int64,unsigned int)const __ptr64 +?W_Insert@MENU_BASE@@IEBAJPEBXI_KI@Z +; protected: virtual class UI_EXT * __ptr64 __cdecl UI_EXT_MGR::W_LoadExtension(unsigned short const * __ptr64,unsigned long) __ptr64 +?W_LoadExtension@UI_EXT_MGR@@MEAAPEAVUI_EXT@@PEBGK@Z +; protected: long __cdecl MENU_BASE::W_Modify(void const * __ptr64,unsigned int,unsigned __int64,unsigned int)const __ptr64 +?W_Modify@MENU_BASE@@IEBAJPEBXI_KI@Z +; public: void __cdecl BROWSER_DOMAIN_LBI::W_Paint(class BROWSER_DOMAIN_CB * __ptr64,class LISTBOX * __ptr64,struct HDC__ * __ptr64,struct tagRECT const * __ptr64,struct GUILTT_INFO * __ptr64)const __ptr64 +?W_Paint@BROWSER_DOMAIN_LBI@@QEBAXPEAVBROWSER_DOMAIN_CB@@PEAVLISTBOX@@PEAUHDC__@@PEBUtagRECT@@PEAUGUILTT_INFO@@@Z +; protected: int __cdecl MENU_BASE::W_QueryItemText(unsigned short * __ptr64,unsigned int,unsigned int,unsigned int)const __ptr64 +?W_QueryItemText@MENU_BASE@@IEBAHPEAGIII@Z +; private: virtual long __cdecl GLOBAL_ATOM::W_QueryString(unsigned short * __ptr64,unsigned int)const __ptr64 +?W_QueryString@GLOBAL_ATOM@@EEBAJPEAGI@Z +; private: virtual long __cdecl LOCAL_ATOM::W_QueryString(unsigned short * __ptr64,unsigned int)const __ptr64 +?W_QueryString@LOCAL_ATOM@@EEBAJPEAGI@Z +; private: long __cdecl ICON_CONTROL::W_SetIcon(class IDRESOURCE const & __ptr64,int) __ptr64 +?W_SetIcon@ICON_CONTROL@@AEAAJAEBVIDRESOURCE@@H@Z +; public: long __cdecl WIN32_SYNC_BASE::Wait(unsigned int) __ptr64 +?Wait@WIN32_SYNC_BASE@@QEAAJI@Z +; public: long __cdecl BROWSER_DOMAIN::WaitForAdminAuthority(unsigned long,int * __ptr64)const __ptr64 +?WaitForAdminAuthority@BROWSER_DOMAIN@@QEBAJKPEAH@Z +; public: long __cdecl DOMAIN_FILL_THREAD::WaitForAdminAuthority(unsigned long,int * __ptr64)const __ptr64 +?WaitForAdminAuthority@DOMAIN_FILL_THREAD@@QEBAJKPEAH@Z +; private: int __cdecl OPEN_DIALOG_BASE::WarnCloseMulti(void) __ptr64 +?WarnCloseMulti@OPEN_DIALOG_BASE@@AEAAHXZ +; private: int __cdecl OPEN_DIALOG_BASE::WarnCloseSingle(class OPEN_LBI_BASE * __ptr64) __ptr64 +?WarnCloseSingle@OPEN_DIALOG_BASE@@AEAAHPEAVOPEN_LBI_BASE@@@Z +; private: int __cdecl ARRAY_CONTROLVAL_CID_PAIR::WithinRange(unsigned int)const __ptr64 +?WithinRange@ARRAY_CONTROLVAL_CID_PAIR@@AEBAHI@Z +; public: static __int64 __cdecl CLIENT_WINDOW::WndProc(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?WndProc@CLIENT_WINDOW@@SA_JPEAUHWND__@@I_K_J@Z +; public: static __int64 __cdecl CUSTOM_CONTROL::WndProc(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?WndProc@CUSTOM_CONTROL@@SA_JPEAUHWND__@@I_K_J@Z +; int __cdecl max(int,int) +?max@@YAHHH@Z +; int __cdecl min(int,int) +?min@@YAHHH@Z +; public: unsigned long (__cdecl*__cdecl GET_FNAME_BASE_DLG::pfExtendedError(void)const __ptr64)(void) +?pfExtendedError@GET_FNAME_BASE_DLG@@QEBAP6AKXZXZ +; public: int (__cdecl*__cdecl GET_FNAME_BASE_DLG::pfGetOpenFileName(void)const __ptr64)(struct tagOFNW * __ptr64) +?pfGetOpenFileName@GET_FNAME_BASE_DLG@@QEBAP6AHPEAUtagOFNW@@@ZXZ +; public: int (__cdecl*__cdecl GET_FNAME_BASE_DLG::pfGetSaveFileName(void)const __ptr64)(struct tagOFNW * __ptr64) +?pfGetSaveFileName@GET_FNAME_BASE_DLG@@QEBAP6AHPEAUtagOFNW@@@ZXZ +BltCCWndProc +BltDlgProc +BltWndProc +CloseUserBrowser +EnumUserBrowserSelection +LongToHandle +OpenUserBrowser +PtrToUlong +ShellDlgProc +UIntToPtr diff --git a/lib/libc/mingw/lib64/nntpapi.def b/lib/libc/mingw/lib64/nntpapi.def new file mode 100644 index 0000000000..24c7c2b376 --- /dev/null +++ b/lib/libc/mingw/lib64/nntpapi.def @@ -0,0 +1,34 @@ +; +; Exports of file NNTPAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NNTPAPI.dll +EXPORTS +NntpAddExpire +NntpAddFeed +NntpCancelMessageID +NntpClearStatistics +NntpCreateNewsgroup +NntpDeleteExpire +NntpDeleteFeed +NntpDeleteNewsgroup +NntpEnableFeed +NntpEnumerateExpires +NntpEnumerateFeeds +NntpEnumerateSessions +NntpFindNewsgroup +NntpGetAdminInformation +NntpGetBuildStatus +NntpGetExpireInformation +NntpGetFeedInformation +NntpGetNewsgroup +NntpGetVRootWin32Error +NntpQueryStatistics +NntpSetAdminInformation +NntpSetExpireInformation +NntpSetFeedInformation +NntpSetNewsgroup +NntpStartRebuild +NntpTerminateSession diff --git a/lib/libc/mingw/lib64/npptools.def b/lib/libc/mingw/lib64/npptools.def new file mode 100644 index 0000000000..9f762e8330 --- /dev/null +++ b/lib/libc/mingw/lib64/npptools.def @@ -0,0 +1,73 @@ +; +; Exports of file NPPTools.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NPPTools.dll +EXPORTS +ClearEventData +ReleaseEventSystem +SendEvent +ConvertHexStringToWString +ConvertWStringToHexString +CreateBlob +CreateNPPInterface +DestroyBlob +DuplicateBlob +FilterNPPBlob +FindOneOf +FindUnknownBlobCategories +FindUnknownBlobTags +GetBoolFromBlob +GetClassIDFromBlob +GetDwordFromBlob +GetMacAddressFromBlob +GetNPPAddress2FilterFromBlob +GetNPPAddressFilterFromBlob +GetNPPBlobFromUI +GetNPPBlobTable +GetNPPEtypeSapFilter +GetNPPMacTypeAsNumber +GetNPPPatternFilterFromBlob +GetNPPTriggerFromBlob +GetNetworkInfoFromBlob +GetStringFromBlob +GetStringsFromBlob +GetWStringFromBlob +IsRemoteNPP +LockBlob +MarshalBlob +MergeBlob +NmAddUsedEntry +NmHeapAllocate +NmHeapFree +NmHeapReallocate +NmHeapSetMaxSize +NmHeapSize +NmRemoveUsedEntry +RaiseNMEvent +ReadBlobFromFile +RegCreateBlobKey +RegOpenBlobKey +RemoveFromBlob +SelectNPPBlobFromTable +SetBoolInBlob +SetClassIDInBlob +SetDwordInBlob +SetMacAddressInBlob +SetNPPAddress2FilterInBlob +SetNPPAddressFilterInBlob +SetNPPEtypeSapFilter +SetNPPPatternFilterInBlob +SetNPPTriggerInBlob +SetNetworkInfoInBlob +SetStringInBlob +SetWStringInBlob +SubkeyExists +UnMarshalBlob +UnlockBlob +WriteBlobToFile +WriteCrackedBlobToFile +recursiveDeleteKey +setKeyAndValue diff --git a/lib/libc/mingw/lib64/nshipsec.def b/lib/libc/mingw/lib64/nshipsec.def new file mode 100644 index 0000000000..a7d110662a --- /dev/null +++ b/lib/libc/mingw/lib64/nshipsec.def @@ -0,0 +1,11 @@ +; +; Exports of file NSHIPSEC.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NSHIPSEC.DLL +EXPORTS +GetIpsecLastError +GetResourceString +InitHelperDll diff --git a/lib/libc/mingw/lib64/ntdsbcli.def b/lib/libc/mingw/lib64/ntdsbcli.def new file mode 100644 index 0000000000..8945550fc7 --- /dev/null +++ b/lib/libc/mingw/lib64/ntdsbcli.def @@ -0,0 +1,36 @@ +; +; Exports of file ntdsbcli.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ntdsbcli.dll +EXPORTS +DsBackupClose +DsBackupEnd +DsBackupFree +DsBackupGetBackupLogsA +DsBackupGetBackupLogsW +DsBackupGetDatabaseNamesA +DsBackupGetDatabaseNamesW +DsBackupOpenFileA +DsBackupOpenFileW +DsBackupPrepareA +DsBackupPrepareW +DsBackupRead +DsBackupTruncateLogs +DsIsNTDSOnlineA +DsIsNTDSOnlineW +DsRestoreCheckExpiryToken +DsRestoreEnd +DsRestoreGetDatabaseLocationsA +DsRestoreGetDatabaseLocationsW +DsRestorePrepareA +DsRestorePrepareW +DsRestoreRegisterA +DsRestoreRegisterComplete +DsRestoreRegisterW +DsSetAuthIdentityA +DsSetAuthIdentityW +DsSetCurrentBackupLogA +DsSetCurrentBackupLogW diff --git a/lib/libc/mingw/lib64/ntlanui.def b/lib/libc/mingw/lib64/ntlanui.def new file mode 100644 index 0000000000..8b80f75485 --- /dev/null +++ b/lib/libc/mingw/lib64/ntlanui.def @@ -0,0 +1,18 @@ +; +; Exports of file NTLANUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NTLANUI.dll +EXPORTS +ShareAsDialogA0 +StopShareDialogA0 +DllMain +I_SystemFocusDialog +NPGetPropertyText +NPPropertyDialog +ServerBrowseDialogA0 +ShareCreate +ShareManage +ShareStop diff --git a/lib/libc/mingw/lib64/ntlsapi.def b/lib/libc/mingw/lib64/ntlsapi.def new file mode 100644 index 0000000000..4ad7f1d076 --- /dev/null +++ b/lib/libc/mingw/lib64/ntlsapi.def @@ -0,0 +1,11 @@ +; +; Exports of file ntlsapi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ntlsapi.dll +EXPORTS +NtLSFreeHandle +NtLicenseRequestA +NtLicenseRequestW diff --git a/lib/libc/mingw/lib64/ntmarta.def b/lib/libc/mingw/lib64/ntmarta.def new file mode 100644 index 0000000000..b714c0142f --- /dev/null +++ b/lib/libc/mingw/lib64/ntmarta.def @@ -0,0 +1,51 @@ +; +; Exports of file NTMARTA.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NTMARTA.dll +EXPORTS +AccFreeIndexArray +AccGetInheritanceSource +AccProvHandleGrantAccessRights +AccRewriteGetExplicitEntriesFromAcl +AccRewriteGetHandleRights +AccRewriteGetNamedRights +AccRewriteSetEntriesInAcl +AccRewriteSetHandleRights +AccRewriteSetNamedRights +AccTreeResetNamedSecurityInfo +AccConvertAccessMaskToActrlAccess +AccConvertAccessToSD +AccConvertAccessToSecurityDescriptor +AccConvertAclToAccess +AccConvertSDToAccess +AccGetAccessForTrustee +AccGetExplicitEntries +AccLookupAccountName +AccLookupAccountSid +AccLookupAccountTrustee +AccProvCancelOperation +AccProvGetAccessInfoPerObjectType +AccProvGetAllRights +AccProvGetCapabilities +AccProvGetOperationResults +AccProvGetTrusteesAccess +AccProvGrantAccessRights +AccProvHandleGetAccessInfoPerObjectType +AccProvHandleGetAllRights +AccProvHandleGetTrusteesAccess +AccProvHandleIsAccessAudited +AccProvHandleIsObjectAccessible +AccProvHandleRevokeAccessRights +AccProvHandleRevokeAuditRights +AccProvHandleSetAccessRights +AccProvIsAccessAudited +AccProvIsObjectAccessible +AccProvRevokeAccessRights +AccProvRevokeAuditRights +AccProvSetAccessRights +AccSetEntriesInAList +EventGuidToName +EventNameFree diff --git a/lib/libc/mingw/lib64/ntmsapi.def b/lib/libc/mingw/lib64/ntmsapi.def new file mode 100644 index 0000000000..930d4fbc40 --- /dev/null +++ b/lib/libc/mingw/lib64/ntmsapi.def @@ -0,0 +1,83 @@ +; +; Exports of file NTMSAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NTMSAPI.dll +EXPORTS +AccessNtmsLibraryDoor +AddNtmsMediaType +AllocateNtmsMedia +BeginNtmsDeviceChangeDetection +CancelNtmsLibraryRequest +CancelNtmsOperatorRequest +ChangeNtmsMediaType +CleanNtmsDrive +CloseNtmsNotification +CloseNtmsSession +CreateNtmsMediaA +CreateNtmsMediaPoolA +CreateNtmsMediaPoolW +CreateNtmsMediaW +DeallocateNtmsMedia +DecommissionNtmsMedia +DeleteNtmsDrive +DeleteNtmsLibrary +DeleteNtmsMedia +DeleteNtmsMediaPool +DeleteNtmsMediaType +DeleteNtmsRequests +DisableNtmsObject +DismountNtmsDrive +DismountNtmsMedia +DoEjectFromSADriveW +EjectDiskFromSADriveA +EjectDiskFromSADriveW +EjectNtmsCleaner +EjectNtmsMedia +EnableNtmsObject +EndNtmsDeviceChangeDetection +EnumerateNtmsObject +ExportNtmsDatabase +GetNtmsMediaPoolNameA +GetNtmsMediaPoolNameW +GetNtmsObjectAttributeA +GetNtmsObjectAttributeW +GetNtmsObjectInformationA +GetNtmsObjectInformationW +GetNtmsObjectSecurity +GetNtmsRequestOrder +GetNtmsUIOptionsA +GetNtmsUIOptionsW +GetVolumesFromDriveA +GetVolumesFromDriveW +IdentifyNtmsSlot +ImportNtmsDatabase +InjectNtmsCleaner +InjectNtmsMedia +InventoryNtmsLibrary +MountNtmsMedia +MoveToNtmsMediaPool +OpenNtmsNotification +OpenNtmsSessionA +OpenNtmsSessionW +ReleaseNtmsCleanerSlot +ReserveNtmsCleanerSlot +SatisfyNtmsOperatorRequest +SetNtmsDeviceChangeDetection +SetNtmsMediaComplete +SetNtmsObjectAttributeA +SetNtmsObjectAttributeW +SetNtmsObjectInformationA +SetNtmsObjectInformationW +SetNtmsObjectSecurity +SetNtmsRequestOrder +SetNtmsUIOptionsA +SetNtmsUIOptionsW +SubmitNtmsOperatorRequestA +SubmitNtmsOperatorRequestW +SwapNtmsMedia +UpdateNtmsOmidInfo +WaitForNtmsNotification +WaitForNtmsOperatorRequest diff --git a/lib/libc/mingw/lib64/ntoc.def b/lib/libc/mingw/lib64/ntoc.def new file mode 100644 index 0000000000..11dcad8ab4 --- /dev/null +++ b/lib/libc/mingw/lib64/ntoc.def @@ -0,0 +1,9 @@ +; +; Exports of file NTOC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NTOC.dll +EXPORTS +NtOcSetupProc diff --git a/lib/libc/mingw/lib64/ntoskrnl.def b/lib/libc/mingw/lib64/ntoskrnl.def new file mode 100644 index 0000000000..61207473ee --- /dev/null +++ b/lib/libc/mingw/lib64/ntoskrnl.def @@ -0,0 +1,2137 @@ +; +; Definition file of ntoskrnl.exe +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "ntoskrnl.exe" +EXPORTS +AlpcGetHeaderSize +AlpcGetMessageAttribute +AlpcInitializeMessageAttribute +CcCanIWrite +CcCoherencyFlushAndPurgeCache +CcCopyRead +CcCopyWrite +CcCopyWriteWontFlush +CcDeferWrite +CcFastCopyRead +CcFastCopyWrite +CcFastMdlReadWait DATA +CcFastReadNotPossible DATA +CcFastReadWait DATA +CcFlushCache +CcGetDirtyPages +CcGetFileObjectFromBcb +CcGetFileObjectFromSectionPtrs +CcGetFileObjectFromSectionPtrsRef +CcGetFlushedValidData +CcGetLsnForFileObject +CcInitializeCacheMap +CcIsThereDirtyData +CcIsThereDirtyDataEx +CcMapData +CcMdlRead +CcMdlReadComplete +CcMdlWriteAbort +CcMdlWriteComplete +CcPinMappedData +CcPinRead +CcPrepareMdlWrite +CcPreparePinWrite +CcPurgeCacheSection +CcRemapBcb +CcRepinBcb +CcScheduleReadAhead +CcSetAdditionalCacheAttributes +CcSetBcbOwnerPointer +CcSetDirtyPageThreshold +CcSetDirtyPinnedData +CcSetFileSizes +CcSetFileSizesEx +CcSetLogHandleForFile +CcSetParallelFlushFile +CcSetReadAheadGranularity +CcTestControl +CcUninitializeCacheMap +CcUnpinData +CcUnpinDataForThread +CcUnpinRepinnedBcb +CcWaitForCurrentLazyWriterActivity +CcZeroData +CmCallbackGetKeyObjectID +CmGetBoundTransaction +CmGetCallbackVersion +CmKeyObjectType DATA +CmRegisterCallback +CmRegisterCallbackEx +CmSetCallbackObjectContext +CmUnRegisterCallback +DbgBreakPoint +DbgBreakPointWithStatus +DbgCommandString +DbgLoadImageSymbols +DbgPrint +DbgPrintEx +DbgPrintReturnControlC +DbgPrompt +DbgQueryDebugFilterState +DbgSetDebugFilterState +DbgSetDebugPrintCallback +DbgkLkmdRegisterCallback +DbgkLkmdUnregisterCallback +EmClientQueryRuleState +EmClientRuleDeregisterNotification +EmClientRuleEvaluate +EmClientRuleRegisterNotification +EmProviderDeregister +EmProviderDeregisterEntry +EmProviderRegister +EmProviderRegisterEntry +EmpProviderRegister +EtwActivityIdControl +EtwEnableTrace +EtwEventEnabled +EtwProviderEnabled +EtwRegister +EtwRegisterClassicProvider +EtwSendTraceBuffer +EtwUnregister +EtwWrite +EtwWriteEndScenario +EtwWriteEx +EtwWriteStartScenario +EtwWriteString +EtwWriteTransfer +ExAcquireCacheAwarePushLockExclusive +ExAcquireFastMutex +ExAcquireFastMutexUnsafe +ExAcquireResourceExclusiveLite +ExAcquireResourceSharedLite +ExAcquireRundownProtection +ExAcquireRundownProtectionCacheAware +ExAcquireRundownProtectionCacheAwareEx +ExAcquireRundownProtectionEx +ExAcquireSharedStarveExclusive +ExAcquireSharedWaitForExclusive +ExAcquireSpinLockExclusive +ExAcquireSpinLockExclusiveAtDpcLevel +ExAcquireSpinLockShared +ExAcquireSpinLockSharedAtDpcLevel +ExAllocateCacheAwarePushLock +ExAllocateCacheAwareRundownProtection +ExAllocateFromPagedLookasideList +ExAllocatePool +ExAllocatePoolWithQuota +ExAllocatePoolWithQuotaTag +ExAllocatePoolWithTag +ExAllocatePoolWithTagPriority +ExConvertExclusiveToSharedLite +ExCreateCallback +ExDeleteLookasideListEx +ExDeleteNPagedLookasideList +ExDeletePagedLookasideList +ExDeleteResourceLite +ExDesktopObjectType DATA +ExDisableResourceBoostLite +ExEnterCriticalRegionAndAcquireFastMutexUnsafe +ExEnterCriticalRegionAndAcquireResourceExclusive +ExEnterCriticalRegionAndAcquireResourceShared +ExEnterCriticalRegionAndAcquireSharedWaitForExclusive +ExEnterPriorityRegionAndAcquireResourceExclusive +ExEnterPriorityRegionAndAcquireResourceShared +ExEnumHandleTable +ExEventObjectType DATA +ExExtendZone +ExFetchLicenseData +ExFlushLookasideListEx +ExFreeCacheAwarePushLock +ExFreeCacheAwareRundownProtection +ExFreePool +ExFreePoolWithTag +ExFreeToPagedLookasideList +ExGetCurrentProcessorCounts +ExGetCurrentProcessorCpuUsage +ExGetExclusiveWaiterCount +ExGetLicenseTamperState +ExGetPreviousMode +ExGetSharedWaiterCount +ExInitializeLookasideListEx +ExInitializeNPagedLookasideList +ExInitializePagedLookasideList +ExInitializePushLock +ExInitializeResourceLite +ExInitializeRundownProtection +ExInitializeRundownProtectionCacheAware +ExInitializeZone +ExInterlockedAddLargeInteger +ExInterlockedAddUlong +ExInterlockedExtendZone +ExInterlockedInsertHeadList +ExInterlockedInsertTailList +ExInterlockedPopEntryList +ExInterlockedPushEntryList +ExInterlockedRemoveHeadList +ExIsProcessorFeaturePresent +ExIsResourceAcquiredExclusiveLite +ExIsResourceAcquiredSharedLite +ExLocalTimeToSystemTime +ExNotifyCallback +ExQueryAttributeInformation +ExQueryDepthSList +ExQueryPoolBlockSize +ExQueueWorkItem +ExRaiseAccessViolation +ExRaiseDatatypeMisalignment +ExRaiseException +ExRaiseHardError +ExRaiseStatus +ExReInitializeRundownProtection +ExReInitializeRundownProtectionCacheAware +ExRegisterAttributeInformationCallback +ExRegisterCallback +ExRegisterExtension +ExReinitializeResourceLite +ExReleaseCacheAwarePushLockExclusive +ExReleaseFastMutex +ExReleaseFastMutexUnsafe +ExReleaseFastMutexUnsafeAndLeaveCriticalRegion +ExReleaseResourceAndLeaveCriticalRegion +ExReleaseResourceAndLeavePriorityRegion +ExReleaseResourceForThreadLite +ExReleaseResourceLite +ExReleaseRundownProtection +ExReleaseRundownProtectionCacheAware +ExReleaseRundownProtectionCacheAwareEx +ExReleaseRundownProtectionEx +ExReleaseSpinLockExclusive +ExReleaseSpinLockExclusiveFromDpcLevel +ExReleaseSpinLockShared +ExReleaseSpinLockSharedFromDpcLevel +ExRundownCompleted +ExRundownCompletedCacheAware +ExSemaphoreObjectType DATA +ExSetLicenseTamperState +ExSetResourceOwnerPointer +ExSetResourceOwnerPointerEx +ExSetTimerResolution +ExSizeOfRundownProtectionCacheAware +ExSystemExceptionFilter +ExSystemTimeToLocalTime +ExTryConvertSharedSpinLockExclusive +ExTryToAcquireFastMutex +ExUnregisterAttributeInformationCallback +ExUnregisterCallback +ExUnregisterExtension +ExUpdateLicenseData +ExUuidCreate +ExVerifySuite +ExWaitForRundownProtectionRelease +ExWaitForRundownProtectionReleaseCacheAware +ExWindowStationObjectType DATA +ExfAcquirePushLockExclusive +ExfAcquirePushLockShared +ExfReleasePushLock +ExfReleasePushLockExclusive +ExfReleasePushLockShared +ExfTryAcquirePushLockShared +ExfTryToWakePushLock +ExfUnblockPushLock +ExpInterlockedFlushSList +ExpInterlockedPopEntrySList +ExpInterlockedPushEntrySList +FirstEntrySList +FsRtlAcknowledgeEcp +FsRtlAcquireFileExclusive +FsRtlAddBaseMcbEntry +FsRtlAddBaseMcbEntryEx +FsRtlAddLargeMcbEntry +FsRtlAddMcbEntry +FsRtlAddToTunnelCache +FsRtlAllocateExtraCreateParameter +FsRtlAllocateExtraCreateParameterFromLookasideList +FsRtlAllocateExtraCreateParameterList +FsRtlAllocateFileLock +FsRtlAllocatePool +FsRtlAllocatePoolWithQuota +FsRtlAllocatePoolWithQuotaTag +FsRtlAllocatePoolWithTag +FsRtlAllocateResource +FsRtlAreNamesEqual +FsRtlAreThereCurrentOrInProgressFileLocks +FsRtlAreVolumeStartupApplicationsComplete +FsRtlBalanceReads +FsRtlCancellableWaitForMultipleObjects +FsRtlCancellableWaitForSingleObject +FsRtlChangeBackingFileObject +FsRtlCheckLockForReadAccess +FsRtlCheckLockForWriteAccess +FsRtlCheckOplock +FsRtlCheckOplockEx +FsRtlCopyRead +FsRtlCopyWrite +FsRtlCreateSectionForDataScan +FsRtlCurrentBatchOplock +FsRtlCurrentOplock +FsRtlCurrentOplockH +FsRtlDeleteExtraCreateParameterLookasideList +FsRtlDeleteKeyFromTunnelCache +FsRtlDeleteTunnelCache +FsRtlDeregisterUncProvider +FsRtlDissectDbcs +FsRtlDissectName +FsRtlDoesDbcsContainWildCards +FsRtlDoesNameContainWildCards +FsRtlFastCheckLockForRead +FsRtlFastCheckLockForWrite +FsRtlFastUnlockAll +FsRtlFastUnlockAllByKey +FsRtlFastUnlockSingle +FsRtlFindExtraCreateParameter +FsRtlFindInTunnelCache +FsRtlFreeExtraCreateParameter +FsRtlFreeExtraCreateParameterList +FsRtlFreeFileLock +FsRtlGetEcpListFromIrp +FsRtlGetFileSize +FsRtlGetNextBaseMcbEntry +FsRtlGetNextExtraCreateParameter +FsRtlGetNextFileLock +FsRtlGetNextLargeMcbEntry +FsRtlGetNextMcbEntry +FsRtlGetVirtualDiskNestingLevel +FsRtlIncrementCcFastMdlReadWait +FsRtlIncrementCcFastReadNoWait +FsRtlIncrementCcFastReadNotPossible +FsRtlIncrementCcFastReadResourceMiss +FsRtlIncrementCcFastReadWait +FsRtlInitExtraCreateParameterLookasideList +FsRtlInitializeBaseMcb +FsRtlInitializeBaseMcbEx +FsRtlInitializeExtraCreateParameter +FsRtlInitializeExtraCreateParameterList +FsRtlInitializeFileLock +FsRtlInitializeLargeMcb +FsRtlInitializeMcb +FsRtlInitializeOplock +FsRtlInitializeTunnelCache +FsRtlInsertExtraCreateParameter +FsRtlInsertPerFileContext +FsRtlInsertPerFileObjectContext +FsRtlInsertPerStreamContext +FsRtlIsDbcsInExpression +FsRtlIsEcpAcknowledged +FsRtlIsEcpFromUserMode +FsRtlIsFatDbcsLegal +FsRtlIsHpfsDbcsLegal +FsRtlIsNameInExpression +FsRtlIsNtstatusExpected +FsRtlIsPagingFile +FsRtlIsTotalDeviceFailure +FsRtlLegalAnsiCharacterArray DATA +FsRtlLogCcFlushError +FsRtlLookupBaseMcbEntry +FsRtlLookupLargeMcbEntry +FsRtlLookupLastBaseMcbEntry +FsRtlLookupLastBaseMcbEntryAndIndex +FsRtlLookupLastLargeMcbEntry +FsRtlLookupLastLargeMcbEntryAndIndex +FsRtlLookupLastMcbEntry +FsRtlLookupMcbEntry +FsRtlLookupPerFileContext +FsRtlLookupPerFileObjectContext +FsRtlLookupPerStreamContextInternal +FsRtlMdlRead +FsRtlMdlReadComplete +FsRtlMdlReadCompleteDev +FsRtlMdlReadDev +FsRtlMdlWriteComplete +FsRtlMdlWriteCompleteDev +FsRtlMupGetProviderIdFromName +FsRtlMupGetProviderInfoFromFileObject +FsRtlNormalizeNtstatus +FsRtlNotifyChangeDirectory +FsRtlNotifyCleanup +FsRtlNotifyCleanupAll +FsRtlNotifyFilterChangeDirectory +FsRtlNotifyFilterReportChange +FsRtlNotifyFullChangeDirectory +FsRtlNotifyFullReportChange +FsRtlNotifyInitializeSync +FsRtlNotifyReportChange +FsRtlNotifyUninitializeSync +FsRtlNotifyVolumeEvent +FsRtlNotifyVolumeEventEx +FsRtlNumberOfRunsInBaseMcb +FsRtlNumberOfRunsInLargeMcb +FsRtlNumberOfRunsInMcb +FsRtlOplockBreakH +FsRtlOplockBreakToNone +FsRtlOplockBreakToNoneEx +FsRtlOplockFsctrl +FsRtlOplockFsctrlEx +FsRtlOplockIsFastIoPossible +FsRtlOplockIsSharedRequest +FsRtlOplockKeysEqual +FsRtlPostPagingFileStackOverflow +FsRtlPostStackOverflow +FsRtlPrepareMdlWrite +FsRtlPrepareMdlWriteDev +FsRtlPrivateLock +FsRtlProcessFileLock +FsRtlQueryMaximumVirtualDiskNestingLevel +FsRtlRegisterFileSystemFilterCallbacks +FsRtlRegisterFltMgrCalls +FsRtlRegisterMupCalls +FsRtlRegisterUncProvider +FsRtlRegisterUncProviderEx +FsRtlReleaseFile +FsRtlRemoveBaseMcbEntry +FsRtlRemoveDotsFromPath +FsRtlRemoveExtraCreateParameter +FsRtlRemoveLargeMcbEntry +FsRtlRemoveMcbEntry +FsRtlRemovePerFileContext +FsRtlRemovePerFileObjectContext +FsRtlRemovePerStreamContext +FsRtlResetBaseMcb +FsRtlResetLargeMcb +FsRtlSetEcpListIntoIrp +FsRtlSplitBaseMcb +FsRtlSplitLargeMcb +FsRtlSyncVolumes +FsRtlTeardownPerFileContexts +FsRtlTeardownPerStreamContexts +FsRtlTruncateBaseMcb +FsRtlTruncateLargeMcb +FsRtlTruncateMcb +FsRtlUninitializeBaseMcb +FsRtlUninitializeFileLock +FsRtlUninitializeLargeMcb +FsRtlUninitializeMcb +FsRtlUninitializeOplock +FsRtlValidateReparsePointBuffer +HalDispatchTable DATA +HalExamineMBR +HalPrivateDispatchTable DATA +HeadlessDispatch +HvlQueryConnection +InbvAcquireDisplayOwnership +InbvCheckDisplayOwnership +InbvDisplayString +InbvEnableBootDriver +InbvEnableDisplayString +InbvInstallDisplayStringFilter +InbvIsBootDriverInstalled +InbvNotifyDisplayOwnershipLost +InbvResetDisplay +InbvSetScrollRegion +InbvSetTextColor +InbvSolidColorFill +InitSafeBootMode DATA +InitializeSListHead +IoAcquireCancelSpinLock +IoAcquireRemoveLockEx +IoAcquireVpbSpinLock +IoAdapterObjectType DATA +IoAdjustStackSizeForRedirection +IoAllocateAdapterChannel +IoAllocateController +IoAllocateDriverObjectExtension +IoAllocateErrorLogEntry +IoAllocateIrp +IoAllocateMdl +IoAllocateMiniCompletionPacket +IoAllocateSfioStreamIdentifier +IoAllocateWorkItem +IoAssignDriveLetters +IoApplyPriorityInfoThread +IoAssignResources +IoAttachDevice +IoAttachDeviceByPointer +IoAttachDeviceToDeviceStack +IoAttachDeviceToDeviceStackSafe +IoBuildAsynchronousFsdRequest +IoBuildDeviceIoControlRequest +IoBuildPartialMdl +IoBuildSynchronousFsdRequest +IoCallDriver +IoCancelFileOpen +IoCancelIrp +IoCheckDesiredAccess +IoCheckEaBufferValidity +IoCheckFunctionAccess +IoCheckQuerySetFileInformation +IoCheckQuerySetVolumeInformation +IoCheckQuotaBufferValidity +IoCheckShareAccess +IoCheckShareAccessEx +IoClearDependency +IoClearIrpExtraCreateParameter +IoCompleteRequest +IoConnectInterrupt +IoConnectInterruptEx +IoCreateArcName +IoCreateController +IoCreateDevice +IoCreateDisk +IoCreateDriver +IoCreateFile +IoCreateFileEx +IoCreateFileSpecifyDeviceObjectHint +IoCreateNotificationEvent +IoCreateStreamFileObject +IoCreateStreamFileObjectEx +IoCreateStreamFileObjectLite +IoCreateSymbolicLink +IoCreateSynchronizationEvent +IoCreateUnprotectedSymbolicLink +IoCsqInitialize +IoCsqInitializeEx +IoCsqInsertIrp +IoCsqInsertIrpEx +IoCsqRemoveIrp +IoCsqRemoveNextIrp +IoDeleteAllDependencyRelations +IoDeleteController +IoDeleteDevice +IoDeleteDriver +IoDeleteSymbolicLink +IoDetachDevice +IoDeviceHandlerObjectSize DATA +IoDeviceHandlerObjectType DATA +IoDeviceObjectType DATA +IoDisconnectInterrupt +IoDisconnectInterruptEx +IoDriverObjectType DATA +IoDuplicateDependency +IoEnqueueIrp +IoEnumerateDeviceObjectList +IoEnumerateRegisteredFiltersList +IoFastQueryNetworkAttributes +IoFileObjectType DATA +IoForwardAndCatchIrp +IoForwardIrpSynchronously +IoFreeController +IoFreeErrorLogEntry +IoFreeIrp +IoFreeMdl +IoFreeMiniCompletionPacket +IoFreeSfioStreamIdentifier +IoFreeWorkItem +IoGetAffinityInterrupt +IoGetAttachedDevice +IoGetAttachedDeviceReference +IoGetBaseFileSystemDeviceObject +IoGetBootDiskInformation +IoGetBootDiskInformationLite +IoGetConfigurationInformation +IoGetContainerInformation +IoGetCurrentProcess +IoGetDeviceAttachmentBaseRef +IoGetDeviceInterfaceAlias +IoGetDeviceInterfaces +IoGetDeviceNumaNode +IoGetDeviceObjectPointer +IoGetDeviceProperty +IoGetDevicePropertyData +IoGetDeviceToVerify +IoGetDiskDeviceObject +IoGetDmaAdapter +IoGetDriverObjectExtension +IoGetFileObjectGenericMapping +IoGetInitialStack +IoGetIoPriorityHint +IoGetIrpExtraCreateParameter +IoGetLowerDeviceObject +IoGetOplockKeyContext +IoGetPagingIoPriority +IoGetRelatedDeviceObject +IoGetRequestorProcess +IoGetRequestorProcessId +IoGetRequestorSessionId +IoGetSfioStreamIdentifier +IoGetStackLimits +IoGetSymlinkSupportInformation +IoGetTopLevelIrp +IoGetTransactionParameterBlock +IoInitializeIrp +IoInitializeRemoveLockEx +IoInitializeTimer +IoInitializeWorkItem +IoInvalidateDeviceRelations +IoInvalidateDeviceState +IoIs32bitProcess +IoIsFileObjectIgnoringSharing +IoIsFileOriginRemote +IoIsOperationSynchronous +IoIsSystemThread +IoIsValidNameGraftingBuffer +IoIsWdmVersionAvailable +IoMakeAssociatedIrp +IoOpenDeviceInterfaceRegistryKey +IoOpenDeviceRegistryKey +IoPageRead +IoPnPDeliverServicePowerNotification +IoQueryDeviceDescription +IoQueryFileDosDeviceName +IoQueryFileInformation +IoQueryVolumeInformation +IoQueueThreadIrp +IoQueueWorkItem +IoQueueWorkItemEx +IoRaiseHardError +IoRaiseInformationalHardError +IoReadDiskSignature +IoReadOperationCount DATA +IoReadPartitionTable +IoReadPartitionTableEx +IoReadTransferCount DATA +IoRegisterBootDriverReinitialization +IoRegisterContainerNotification +IoRegisterDeviceInterface +IoRegisterDriverReinitialization +IoRegisterFileSystem +IoRegisterFsRegistrationChange +IoRegisterFsRegistrationChangeMountAware +IoRegisterLastChanceShutdownNotification +IoRegisterPlugPlayNotification +IoRegisterPriorityCallback +IoRegisterShutdownNotification +IoReleaseCancelSpinLock +IoReleaseRemoveLockAndWaitEx +IoReleaseRemoveLockEx +IoReleaseVpbSpinLock +IoRemoveShareAccess +IoReplaceFileObjectName +IoReplacePartitionUnit +IoReportDetectedDevice +IoReportHalResourceUsage +IoReportResourceForDetection +IoReportResourceUsage +IoReportRootDevice +IoReportTargetDeviceChange +IoReportTargetDeviceChangeAsynchronous +IoRequestDeviceEject +IoRequestDeviceEjectEx +IoRetrievePriorityInfo +IoReuseIrp +IoSetCompletionRoutineEx +IoSetDependency +IoSetDeviceInterfaceState +IoSetDevicePropertyData +IoSetDeviceToVerify +IoSetFileObjectIgnoreSharing +IoSetFileOrigin +IoSetHardErrorOrVerifyDevice +IoSetInformation +IoSetIoCompletion +IoSetIoCompletionEx +IoSetIoPriorityHint +IoSetIoPriorityHintIntoFileObject +IoSetIoPriorityHintIntoThread +IoSetIrpExtraCreateParameter +IoSetOplockKeyContext +IoSetPartitionInformation +IoSetPartitionInformationEx +IoSetShareAccess +IoSetShareAccessEx +IoSetStartIoAttributes +IoSetSystemPartition +IoSetThreadHardErrorMode +IoSetTopLevelIrp +IoSizeofWorkItem +IoStartNextPacket +IoStartNextPacketByKey +IoStartPacket +IoStartTimer +IoStatisticsLock DATA +IoStopTimer +IoSynchronousInvalidateDeviceRelations +IoSynchronousPageWrite +IoThreadToProcess +IoTranslateBusAddress +IoUninitializeWorkItem +IoUnregisterContainerNotification +IoUnregisterFileSystem +IoUnregisterFsRegistrationChange +IoUnregisterPlugPlayNotification +IoUnregisterPlugPlayNotificationEx +IoUnregisterPriorityCallback +IoUnregisterShutdownNotification +IoUpdateShareAccess +IoValidateDeviceIoControlAccess +IoVerifyPartitionTable +IoVerifyVolume +IoVolumeDeviceToDosName +IoWMIAllocateInstanceIds +IoWMIDeviceObjectToInstanceName +IoWMIDeviceObjectToProviderId +IoWMIExecuteMethod +IoWMIHandleToInstanceName +IoWMIOpenBlock +IoWMIQueryAllData +IoWMIQueryAllDataMultiple +IoWMIQuerySingleInstance +IoWMIQuerySingleInstanceMultiple +IoWMIRegistrationControl +IoWMISetNotificationCallback +IoWMISetSingleInstance +IoWMISetSingleItem +IoWMISuggestInstanceName +IoWMIWriteEvent +IoWithinStackLimits +IoWriteErrorLogEntry +IoWriteOperationCount DATA +IoWritePartitionTable +IoWritePartitionTableEx +IoWriteTransferCount DATA +IofCallDriver +IofCompleteRequest +KdChangeOption +KdDebuggerEnabled DATA +KdDebuggerNotPresent DATA +KdDisableDebugger +KdEnableDebugger +KdEnteredDebugger DATA +KdPollBreakIn +KdPowerTransition +KdRefreshDebuggerNotPresent +KdSystemDebugControl +KeAcquireGuardedMutex +KeAcquireGuardedMutexUnsafe +KeAcquireInStackQueuedSpinLock +KeAcquireInStackQueuedSpinLockAtDpcLevel +KeAcquireInStackQueuedSpinLockForDpc +KeAcquireInStackQueuedSpinLockRaiseToSynch +KeAcquireInterruptSpinLock +KeAcquireQueuedSpinLock +KeAcquireQueuedSpinLockRaiseToSynch +KeAcquireSpinLockAtDpcLevel +KeAcquireSpinLockForDpc +KeAcquireSpinLockRaiseToDpc +KeAcquireSpinLockRaiseToSynch +KeAddGroupAffinityEx +KeAddProcessorAffinityEx +KeAddProcessorGroupAffinity +KeAddSystemServiceTable +KeAlertThread +KeAllocateCalloutStack +KeAllocateCalloutStackEx +KeAndAffinityEx +KeAndGroupAffinityEx +KeAreAllApcsDisabled +KeAreApcsDisabled +KeAttachProcess +KeBugCheck +KeBugCheckEx +KeCancelTimer +KeCapturePersistentThreadState +KeCheckProcessorAffinityEx +KeCheckProcessorGroupAffinity +KeClearEvent +KeConnectInterrupt +KeComplementAffinityEx +KeCopyAffinityEx +KeCountSetBitsAffinityEx +KeCountSetBitsGroupAffinity +KeDelayExecutionThread +KeDeregisterBugCheckCallback +KeDeregisterBugCheckReasonCallback +KeDeregisterNmiCallback +KeDeregisterProcessorChangeCallback +KeDetachProcess +KeDisconnectInterrupt +KeEnterCriticalRegion +KeEnterGuardedRegion +KeEnterKernelDebugger +KeEnumerateNextProcessor +KeExpandKernelStackAndCallout +KeExpandKernelStackAndCalloutEx +KeFindConfigurationEntry +KeFindConfigurationNextEntry +KeFindFirstSetLeftAffinityEx +KeFindFirstSetLeftGroupAffinity +KeFindFirstSetRightGroupAffinity +KeFirstGroupAffinityEx +KeFlushEntireTb +KeFlushQueuedDpcs +KeFreeCalloutStack +KeGenericCallDpc +KeGetCurrentIrql +KeGetCurrentNodeNumber +KeGetCurrentProcessorNumberEx +KeGetCurrentThread +KeGetProcessorIndexFromNumber +KeGetProcessorNumberFromIndex +KeGetRecommendedSharedDataAlignment +KeGetXSaveFeatureFlags +KeInitializeAffinityEx +KeInitializeApc +KeInitializeCrashDumpHeader +KeInitializeDeviceQueue +KeInitializeDpc +KeInitializeEnumerationContext +KeInitializeEnumerationContextFromGroup +KeInitializeEvent +KeInitializeGuardedMutex +KeInitializeInterrupt +KeInitializeMutant +KeInitializeMutex +KeInitializeQueue +KeInitializeSemaphore +KeInitializeThreadedDpc +KeInitializeTimer +KeInitializeTimerEx +KeInsertByKeyDeviceQueue +KeInsertDeviceQueue +KeInsertHeadQueue +KeInsertQueue +KeInsertQueueApc +KeInsertQueueDpc +KeInterlockedClearProcessorAffinityEx +KeInterlockedSetProcessorAffinityEx +KeInvalidateAllCaches +KeInvalidateRangeAllCaches +KeIpiGenericCall +KeIsAttachedProcess +KeIsEmptyAffinityEx +KeIsEqualAffinityEx +KeIsExecutingDpc +KeIsSingleGroupAffinityEx +KeIsSubsetAffinityEx +KeIsWaitListEmpty +KeLastBranchMSR DATA +KeLeaveCriticalRegion +KeLeaveGuardedRegion +KeLoaderBlock DATA +KeLowerIrql +KeNumberProcessors DATA +KeOrAffinityEx +KeProcessorGroupAffinity +KeProfileInterruptWithSource +KePulseEvent +KeQueryActiveGroupCount +KeQueryActiveProcessorAffinity +KeQueryActiveProcessorCount +KeQueryActiveProcessorCountEx +KeQueryActiveProcessors +KeQueryMultiThreadProcessorSet +KeQueryDpcWatchdogInformation +KeQueryGroupAffinity +KeQueryGroupAffinityEx +KeQueryHardwareCounterConfiguration +KeQueryHighestNodeNumber +KeQueryLogicalProcessorRelationship +KeQueryMaximumGroupCount +KeQueryMaximumProcessorCount +KeQueryMaximumProcessorCountEx +KeQueryNodeActiveAffinity +KeQueryNodeMaximumProcessorCount +KeQueryPrcbAddress +KeQueryPriorityThread +KeQueryRuntimeThread +KeQueryTimeIncrement +KeQueryUnbiasedInterruptTime +KeRaiseIrqlToDpcLevel +KeRaiseUserException +KeReadStateEvent +KeReadStateMutant +KeReadStateMutex +KeReadStateQueue +KeReadStateSemaphore +KeReadStateTimer +KeRegisterBugCheckCallback +KeRegisterBugCheckReasonCallback +KeRegisterNmiCallback +KeRegisterProcessorChangeCallback +KeReleaseGuardedMutex +KeReleaseGuardedMutexUnsafe +KeReleaseInStackQueuedSpinLock +KeReleaseInStackQueuedSpinLockForDpc +KeReleaseInStackQueuedSpinLockFromDpcLevel +KeReleaseInterruptSpinLock +KeReleaseMutant +KeReleaseMutex +KeReleaseQueuedSpinLock +KeReleaseSemaphore +KeReleaseSpinLock +KeReleaseSpinLockForDpc +KeReleaseSpinLockFromDpcLevel +KeRemoveByKeyDeviceQueue +KeRemoveByKeyDeviceQueueIfBusy +KeRemoveDeviceQueue +KeRemoveEntryDeviceQueue +KeRemoveGroupAffinityEx +KeRemoveProcessorAffinityEx +KeRemoveProcessorGroupAffinity +KeRemoveQueue +KeRemoveQueueDpc +KeRemoveQueueEx +KeRemoveSystemServiceTable +KeResetEvent +KeRestoreExtendedProcessorState +KeRestoreFloatingPointState +KeRevertToUserAffinityThread +KeRevertToUserAffinityThreadEx +KeRevertToUserGroupAffinityThread +KeRundownQueue +KeSaveExtendedProcessorState +KeSaveFloatingPointState +KeSaveStateForHibernate +KeSetActualBasePriorityThread +KeSetAffinityThread +KeSetBasePriorityThread +KeSetCoalescableTimer +KeSetDmaIoCoherency +KeSetEvent +KeSetEventBoostPriority +KeSetHardwareCounterConfiguration +KeSetIdealProcessorThread +KeSetImportanceDpc +KeSetKernelStackSwapEnable +KeSetPriorityThread +KeSetProfileIrql +KeSetSystemAffinityThread +KeSetSystemAffinityThreadEx +KeSetSystemGroupAffinityThread +KeSetTargetProcessorDpc +KeSetTargetProcessorDpcEx +KeSetTimeIncrement +KeSetTimer +KeSetTimerEx +KeSignalCallDpcDone +KeSignalCallDpcSynchronize +KeStackAttachProcess +KeStartDynamicProcessor +KeSubtractAffinityEx +KeSynchronizeExecution +KeTerminateThread +KeTestAlertThread +KeTestSpinLock +KeTryToAcquireGuardedMutex +KeTryToAcquireQueuedSpinLock +KeTryToAcquireQueuedSpinLockRaiseToSynch +KeTryToAcquireSpinLockAtDpcLevel +KeUnstackDetachProcess +KeUpdateRunTime +KeUpdateSystemTime +KeUserModeCallback +KeWaitForMultipleObjects +KeWaitForMutexObject +KeWaitForSingleObject +KfRaiseIrql +KiBugCheckData DATA +KiCheckForKernelApcDelivery +KiCpuId +LdrAccessResource +LdrEnumResources +LdrFindResourceDirectory_U +LdrFindResourceEx_U +LdrFindResource_U +LdrResFindResource +LdrResFindResourceDirectory +LdrResSearchResource +LpcPortObjectType DATA +LpcReplyWaitReplyPort +LpcRequestPort +LpcRequestWaitReplyPort +LpcRequestWaitReplyPortEx +LpcSendWaitReceivePort +LsaCallAuthenticationPackage +LsaDeregisterLogonProcess +LsaFreeReturnBuffer +LsaLogonUser +LsaLookupAuthenticationPackage +LsaRegisterLogonProcess +Mm64BitPhysicalAddress DATA +MmAddPhysicalMemory +MmAddVerifierThunks +MmAdjustWorkingSetSize +MmAdvanceMdl +MmAllocateContiguousMemory +MmAllocateContiguousMemorySpecifyCache +MmAllocateContiguousMemorySpecifyCacheNode +MmAllocateMappingAddress +MmAllocateNonCachedMemory +MmAllocatePagesForMdl +MmAllocatePagesForMdlEx +MmBadPointer DATA +MmBuildMdlForNonPagedPool +MmCanFileBeTruncated +MmCommitSessionMappedView +MmCopyVirtualMemory +MmCreateMdl +MmCreateMirror +MmCreateSection +MmDisableModifiedWriteOfSection +MmDoesFileHaveUserWritableReferences +MmFlushImageSection +MmForceSectionClosed +MmFreeContiguousMemory +MmFreeContiguousMemorySpecifyCache +MmFreeMappingAddress +MmFreeNonCachedMemory +MmFreePagesFromMdl +MmGetPhysicalAddress +MmGetPhysicalMemoryRanges +MmGetSystemRoutineAddress +MmGetVirtualForPhysical +MmGrowKernelStack +MmHighestUserAddress DATA +MmIsAddressValid +MmIsDriverVerifying +MmIsDriverVerifyingByAddress +MmIsIoSpaceActive +MmIsNonPagedSystemAddressValid +MmIsRecursiveIoFault +MmIsThisAnNtAsSystem +MmIsVerifierEnabled +MmLockPagableDataSection +MmLockPagableImageSection +MmLockPagableSectionByHandle +MmMapIoSpace +MmMapLockedPages +MmMapLockedPagesSpecifyCache +MmMapLockedPagesWithReservedMapping +MmMapMemoryDumpMdl +MmMapUserAddressesToPage +MmMapVideoDisplay +MmMapViewInSessionSpace +MmMapViewInSystemSpace +MmMapViewOfSection +MmMarkPhysicalMemoryAsBad +MmMarkPhysicalMemoryAsGood +MmPageEntireDriver +MmPrefetchPages +MmProbeAndLockPages +MmProbeAndLockProcessPages +MmProbeAndLockSelectedPages +MmProtectMdlSystemAddress +MmQuerySystemSize +MmRemovePhysicalMemory +MmResetDriverPaging +MmRotatePhysicalView +MmSectionObjectType DATA +MmSecureVirtualMemory +MmSetAddressRangeModified +MmSetBankedSection +MmSizeOfMdl +MmSystemRangeStart DATA +MmTrimAllSystemPagableMemory +MmUnlockPagableImageSection +MmUnlockPages +MmUnmapIoSpace +MmUnmapLockedPages +MmUnmapReservedMapping +MmUnmapVideoDisplay +MmUnmapViewInSessionSpace +MmUnmapViewInSystemSpace +MmUnmapViewOfSection +MmUnsecureVirtualMemory +MmUserProbeAddress DATA +NlsAnsiCodePage DATA +NlsLeadByteInfo DATA +NlsMbCodePageTag DATA +NlsMbOemCodePageTag DATA +NlsOemCodePage DATA +NlsOemLeadByteInfo DATA +NtAddAtom +NtAdjustPrivilegesToken +NtAllocateLocallyUniqueId +NtAllocateUuids +NtAllocateVirtualMemory +NtBuildGUID DATA +NtBuildLab DATA +NtBuildNumber DATA +NtClose +NtCommitComplete +NtCommitEnlistment +NtCommitTransaction +NtConnectPort +NtCreateEnlistment +NtCreateEvent +NtCreateFile +NtCreateResourceManager +NtCreateSection +NtCreateTransaction +NtCreateTransactionManager +NtDeleteAtom +NtDeleteFile +NtDeviceIoControlFile +NtDuplicateObject +NtDuplicateToken +NtEnumerateTransactionObject +NtFindAtom +NtFreeVirtualMemory +NtFreezeTransactions +NtFsControlFile +NtGetEnvironmentVariableEx +NtGetNotificationResourceManager +NtGlobalFlag DATA +NtLockFile +NtMakePermanentObject +NtMapViewOfSection +NtNotifyChangeDirectoryFile +NtOpenEnlistment +NtOpenFile +NtOpenProcess +NtOpenProcessToken +NtOpenProcessTokenEx +NtOpenResourceManager +NtOpenThread +NtOpenThreadToken +NtOpenThreadTokenEx +NtOpenTransaction +NtOpenTransactionManager +NtPrePrepareComplete +NtPrePrepareEnlistment +NtPrepareComplete +NtPrepareEnlistment +NtPropagationComplete +NtPropagationFailed +NtQueryDirectoryFile +NtQueryEaFile +NtQueryEnvironmentVariableInfoEx +NtQueryInformationAtom +NtQueryInformationEnlistment +NtQueryInformationFile +NtQueryInformationProcess +NtQueryInformationResourceManager +NtQueryInformationThread +NtQueryInformationToken +NtQueryInformationTransaction +NtQueryInformationTransactionManager +NtQueryQuotaInformationFile +NtQuerySecurityAttributesToken +NtQuerySecurityObject +NtQuerySystemInformation +NtQuerySystemInformationEx +NtQueryVolumeInformationFile +NtReadFile +NtReadOnlyEnlistment +NtRecoverEnlistment +NtRecoverResourceManager +NtRecoverTransactionManager +NtRequestPort +NtRequestWaitReplyPort +NtRollbackComplete +NtRollbackEnlistment +NtRollbackTransaction +NtSetEaFile +NtSetEvent +NtSetInformationEnlistment +NtSetInformationFile +NtSetInformationProcess +NtSetInformationResourceManager +NtSetInformationThread +NtSetInformationToken +NtSetInformationTransaction +NtSetQuotaInformationFile +NtSetSecurityObject +NtSetVolumeInformationFile +NtShutdownSystem +NtThawTransactions +NtTraceControl +NtTraceEvent +NtUnlockFile +NtVdmControl +NtWaitForSingleObject +NtWriteFile +ObAssignSecurity +ObCheckCreateObjectAccess +ObCheckObjectAccess +ObCloseHandle +ObCreateObject +ObCreateObjectType +ObDeleteCapturedInsertInfo +ObDereferenceObject +ObDereferenceObjectDeferDelete +ObDereferenceObjectDeferDeleteWithTag +ObDereferenceSecurityDescriptor +ObFindHandleForObject +ObGetFilterVersion +ObGetObjectSecurity +ObGetObjectType +ObInsertObject +ObIsDosDeviceLocallyMapped +ObIsKernelHandle +ObLogSecurityDescriptor +ObMakeTemporaryObject +ObOpenObjectByName +ObOpenObjectByPointer +ObOpenObjectByPointerWithTag +ObQueryNameInfo +ObQueryNameString +ObQueryObjectAuditingByHandle +ObReferenceObjectByHandle +ObReferenceObjectByHandleWithTag +ObReferenceObjectByName +ObReferenceObjectByPointer +ObReferenceObjectByPointerWithTag +ObReferenceSecurityDescriptor +ObRegisterCallbacks +ObReleaseObjectSecurity +ObSetHandleAttributes +ObSetSecurityDescriptorInfo +ObSetSecurityObjectByPointer +ObUnRegisterCallbacks +ObfDereferenceObject +ObfDereferenceObjectWithTag +ObfReferenceObject +ObfReferenceObjectWithTag +POGOBuffer DATA +PcwAddInstance +PcwCloseInstance +PcwCreateInstance +PcwRegister +PcwUnregister +PfFileInfoNotify +PfxFindPrefix +PfxInitialize +PfxInsertPrefix +PfxRemovePrefix +PoCallDriver +PoCancelDeviceNotify +PoClearPowerRequest +PoCreatePowerRequest +PoDeletePowerRequest +PoDisableSleepStates +PoEndDeviceBusy +PoGetSystemWake +PoQueryWatchdogTime +PoQueueShutdownWorkItem +PoReenableSleepStates +PoRegisterDeviceForIdleDetection +PoRegisterDeviceNotify +PoRegisterPowerSettingCallback +PoRegisterSystemState +PoRequestPowerIrp +PoRequestShutdownEvent +PoSetDeviceBusyEx +PoSetFixedWakeSource +PoSetHiberRange +PoSetPowerRequest +PoSetPowerState +PoSetSystemState +PoSetSystemWake +PoShutdownBugCheck +PoStartDeviceBusy +PoStartNextPowerIrp +PoUnregisterPowerSettingCallback +PoUnregisterSystemState +PoUserShutdownInitiated +ProbeForRead +ProbeForWrite +PsAcquireProcessExitSynchronization +PsAssignImpersonationToken +PsChargePoolQuota +PsChargeProcessNonPagedPoolQuota +PsChargeProcessPagedPoolQuota +PsChargeProcessPoolQuota +PsCreateSystemProcess +PsCreateSystemThread +PsDereferenceImpersonationToken +PsDereferencePrimaryToken +PsDisableImpersonation +PsEnterPriorityRegion +PsEstablishWin32Callouts +PsGetContextThread +PsGetCurrentProcess +PsGetCurrentProcessId +PsGetCurrentProcessSessionId +PsGetCurrentProcessWin32Process +PsGetCurrentProcessWow64Process +PsGetCurrentThread +PsGetCurrentThreadId +PsGetCurrentThreadPreviousMode +PsGetCurrentThreadProcess +PsGetCurrentThreadProcessId +PsGetCurrentThreadStackBase +PsGetCurrentThreadStackLimit +PsGetCurrentThreadTeb +PsGetCurrentThreadWin32Thread +PsGetCurrentThreadWin32ThreadAndEnterCriticalRegion +PsGetJobLock +PsGetJobSessionId +PsGetJobUIRestrictionsClass +PsGetProcessCreateTimeQuadPart +PsGetProcessDebugPort +PsGetProcessExitProcessCalled +PsGetProcessExitStatus +PsGetProcessExitTime +PsGetProcessId +PsGetProcessImageFileName +PsGetProcessInheritedFromUniqueProcessId +PsGetProcessJob +PsGetProcessPeb +PsGetProcessPriorityClass +PsGetProcessSectionBaseAddress +PsGetProcessSecurityPort +PsGetProcessSessionId +PsGetProcessSessionIdEx +PsGetProcessWin32Process +PsGetProcessWin32WindowStation +PsGetProcessWow64Process +PsGetThreadFreezeCount +PsGetThreadHardErrorsAreDisabled +PsGetThreadId +PsGetThreadProcess +PsGetThreadProcessId +PsGetThreadSessionId +PsGetThreadTeb +PsGetThreadWin32Thread +PsGetVersion +PsImpersonateClient +PsInitialSystemProcess DATA +PsIsCurrentThreadPrefetching +PsIsProcessBeingDebugged +PsIsProtectedProcess +PsIsSystemProcess +PsIsSystemThread +PsIsThreadImpersonating +PsIsThreadTerminating +PsJobType DATA +PsLeavePriorityRegion +PsLookupProcessByProcessId +PsLookupProcessThreadByCid +PsLookupThreadByThreadId +PsProcessType DATA +PsQueryProcessExceptionFlags +PsReferenceImpersonationToken +PsReferencePrimaryToken +PsReferenceProcessFilePointer +PsReleaseProcessExitSynchronization +PsRemoveCreateThreadNotifyRoutine +PsRemoveLoadImageNotifyRoutine +PsRestoreImpersonation +PsResumeProcess +PsReturnPoolQuota +PsReturnProcessNonPagedPoolQuota +PsReturnProcessPagedPoolQuota +PsRevertThreadToSelf +PsRevertToSelf +PsSetContextThread +PsSetCreateProcessNotifyRoutine +PsSetCreateProcessNotifyRoutineEx +PsSetCreateThreadNotifyRoutine +PsSetCurrentThreadPrefetching +PsSetJobUIRestrictionsClass +PsSetLegoNotifyRoutine +PsSetLoadImageNotifyRoutine +PsSetProcessPriorityByClass +PsSetProcessPriorityClass +PsSetProcessSecurityPort +PsSetProcessWin32Process +PsSetProcessWindowStation +PsSetThreadHardErrorsAreDisabled +PsSetThreadWin32Thread +PsSuspendProcess +PsTerminateSystemThread +PsThreadType DATA +PsUILanguageComitted DATA +PsWrapApcWow64Thread +RtlAbsoluteToSelfRelativeSD +RtlAddAccessAllowedAce +RtlAddAccessAllowedAceEx +RtlAddAce +RtlAddAtomToAtomTable +RtlAddRange +RtlAllocateHeap +RtlAnsiCharToUnicodeChar +RtlAnsiStringToUnicodeSize +RtlAnsiStringToUnicodeString +RtlAppendAsciizToString +RtlAppendStringToString +RtlAppendUnicodeStringToString +RtlAppendUnicodeToString +RtlAreAllAccessesGranted +RtlAreAnyAccessesGranted +RtlAreBitsClear +RtlAreBitsSet +RtlAssert +RtlCaptureContext +RtlCaptureStackBackTrace +RtlCharToInteger +RtlCheckRegistryKey +RtlClearAllBits +RtlClearBit +RtlClearBits +RtlCmDecodeMemIoResource +RtlCmEncodeMemIoResource +RtlCompareAltitudes +RtlCompareMemory +RtlCompareMemoryUlong +RtlCompareString +RtlCompareUnicodeString +RtlCompareUnicodeStrings +RtlCompressBuffer +RtlCompressChunks +RtlComputeCrc32 +RtlContractHashTable +RtlConvertSidToUnicodeString +RtlCopyLuid +RtlCopyLuidAndAttributesArray +RtlCopyMemory +RtlCopyMemoryNonTemporal +RtlCopyRangeList +RtlCopySid +RtlCopySidAndAttributesArray +RtlCopyString +RtlCopyUnicodeString +RtlCreateAcl +RtlCreateAtomTable +RtlCreateHashTable +RtlCreateHeap +RtlCreateRegistryKey +RtlCreateSecurityDescriptor +RtlCreateSystemVolumeInformationFolder +RtlCreateUnicodeString +RtlCustomCPToUnicodeN +RtlDecompressBuffer +RtlDecompressChunks +RtlDecompressFragment +RtlDelete +RtlDeleteAce +RtlDeleteAtomFromAtomTable +RtlDeleteElementGenericTable +RtlDeleteElementGenericTableAvl +RtlDeleteHashTable +RtlDeleteNoSplay +RtlDeleteOwnersRanges +RtlDeleteRange +RtlDeleteRegistryValue +RtlDescribeChunk +RtlDestroyAtomTable +RtlDestroyHeap +RtlDowncaseUnicodeChar +RtlDowncaseUnicodeString +RtlDuplicateUnicodeString +RtlEmptyAtomTable +RtlEndEnumerationHashTable +RtlEndWeakEnumerationHashTable +RtlEnumerateEntryHashTable +RtlEnumerateGenericTable +RtlEnumerateGenericTableAvl +RtlEnumerateGenericTableLikeADirectory +RtlEnumerateGenericTableWithoutSplaying +RtlEnumerateGenericTableWithoutSplayingAvl +RtlEqualLuid +RtlEqualSid +RtlEqualString +RtlEqualUnicodeString +RtlEthernetAddressToStringA +RtlEthernetAddressToStringW +RtlEthernetStringToAddressA +RtlEthernetStringToAddressW +RtlExpandHashTable +RtlFillMemory +RtlFindAceByType +RtlFindClearBits +RtlFindClearBitsAndSet +RtlFindClearRuns +RtlFindClosestEncodableLength +RtlFindFirstRunClear +RtlFindLastBackwardRunClear +RtlFindLeastSignificantBit +RtlFindLongestRunClear +RtlFindMessage +RtlFindMostSignificantBit +RtlFindNextForwardRunClear +RtlFindRange +RtlFindSetBits +RtlFindSetBitsAndClear +RtlFindUnicodePrefix +RtlFormatCurrentUserKeyPath +RtlFormatMessage +RtlFreeAnsiString +RtlFreeHeap +RtlFreeOemString +RtlFreeRangeList +RtlFreeUnicodeString +RtlGUIDFromString +RtlGenerate8dot3Name +RtlGetAce +RtlGetCallersAddress +RtlGetCompressionWorkSpaceSize +RtlGetDaclSecurityDescriptor +RtlGetDefaultCodePage +RtlGetElementGenericTable +RtlGetElementGenericTableAvl +RtlGetEnabledExtendedFeatures +RtlGetFirstRange +RtlGetGroupSecurityDescriptor +RtlGetIntegerAtom +RtlGetLastRange +RtlGetNextEntryHashTable +RtlGetNextRange +RtlGetNtGlobalFlags +RtlGetOwnerSecurityDescriptor +RtlGetProductInfo +RtlGetSaclSecurityDescriptor +RtlGetSetBootStatusData +RtlGetThreadLangIdByIndex +RtlGetVersion +RtlHashUnicodeString +RtlIdnToAscii +RtlIdnToNameprepUnicode +RtlIdnToUnicode +RtlImageDirectoryEntryToData +RtlImageNtHeader +RtlInitAnsiString +RtlInitAnsiStringEx +RtlInitCodePageTable +RtlInitEnumerationHashTable +RtlInitString +RtlInitUnicodeString +RtlInitUnicodeStringEx +RtlInitWeakEnumerationHashTable +RtlInitializeBitMap +RtlInitializeGenericTable +RtlInitializeGenericTableAvl +RtlInitializeRangeList +RtlInitializeSid +RtlInitializeUnicodePrefix +RtlInsertElementGenericTable +RtlInsertElementGenericTableAvl +RtlInsertElementGenericTableFull +RtlInsertElementGenericTableFullAvl +RtlInsertEntryHashTable +RtlInsertUnicodePrefix +RtlInt64ToUnicodeString +RtlIntegerToChar +RtlIntegerToUnicode +RtlIntegerToUnicodeString +RtlInvertRangeList +RtlInvertRangeListEx +RtlIoDecodeMemIoResource +RtlIoEncodeMemIoResource +RtlIpv4AddressToStringA +RtlIpv4AddressToStringExA +RtlIpv4AddressToStringExW +RtlIpv4AddressToStringW +RtlIpv4StringToAddressA +RtlIpv4StringToAddressExA +RtlIpv4StringToAddressExW +RtlIpv4StringToAddressW +RtlIpv6AddressToStringA +RtlIpv6AddressToStringExA +RtlIpv6AddressToStringExW +RtlIpv6AddressToStringW +RtlIpv6StringToAddressA +RtlIpv6StringToAddressExA +RtlIpv6StringToAddressExW +RtlIpv6StringToAddressW +RtlIsGenericTableEmpty +RtlIsGenericTableEmptyAvl +RtlIsNameLegalDOS8Dot3 +RtlIsNormalizedString +RtlIsNtDdiVersionAvailable +RtlIsRangeAvailable +RtlIsServicePackVersionInstalled +RtlIsValidOemCharacter +RtlLengthRequiredSid +RtlLengthSecurityDescriptor +RtlLengthSid +RtlLoadString +RtlLocalTimeToSystemTime +RtlLockBootStatusData +RtlLookupAtomInAtomTable +RtlLookupElementGenericTable +RtlLookupElementGenericTableAvl +RtlLookupElementGenericTableFull +RtlLookupElementGenericTableFullAvl +RtlLookupEntryHashTable +RtlLookupFirstMatchingElementGenericTableAvl +RtlLookupFunctionEntry +RtlMapGenericMask +RtlMapSecurityErrorToNtStatus +RtlMergeRangeLists +RtlMoveMemory +RtlMultiByteToUnicodeN +RtlMultiByteToUnicodeSize +RtlNextUnicodePrefix +RtlNormalizeString +RtlNtStatusToDosError +RtlNtStatusToDosErrorNoTeb +RtlNumberGenericTableElements +RtlNumberGenericTableElementsAvl +RtlNumberOfClearBits +RtlNumberOfSetBits +RtlNumberOfSetBitsUlongPtr +RtlOemStringToCountedUnicodeString +RtlOemStringToUnicodeSize +RtlOemStringToUnicodeString +RtlOemToUnicodeN +RtlOwnerAcesPresent +RtlPcToFileHeader +RtlPinAtomInAtomTable +RtlPrefetchMemoryNonTemporal +RtlPrefixString +RtlPrefixUnicodeString +RtlQueryAtomInAtomTable +RtlQueryDynamicTimeZoneInformation +RtlQueryElevationFlags +RtlQueryModuleInformation +RtlQueryRegistryValues +RtlQueryTimeZoneInformation +RtlRaiseException +RtlRandom +RtlRandomEx +RtlRealPredecessor +RtlRealSuccessor +RtlRemoveEntryHashTable +RtlRemoveUnicodePrefix +RtlReplaceSidInSd +RtlReserveChunk +RtlRestoreContext +RtlRunOnceBeginInitialize +RtlRunOnceComplete +RtlRunOnceExecuteOnce +RtlRunOnceInitialize +RtlSecondsSince1970ToTime +RtlSecondsSince1980ToTime +RtlSelfRelativeToAbsoluteSD +RtlSelfRelativeToAbsoluteSD2 +RtlSetAllBits +RtlSetBit +RtlSetBits +RtlSetDaclSecurityDescriptor +RtlSetDynamicTimeZoneInformation +RtlSetGroupSecurityDescriptor +RtlSetOwnerSecurityDescriptor +RtlSetSaclSecurityDescriptor +RtlSetTimeZoneInformation +RtlSidHashInitialize +RtlSidHashLookup +RtlSizeHeap +RtlSplay +RtlStringFromGUID +RtlSubAuthorityCountSid +RtlSubAuthoritySid +RtlSubtreePredecessor +RtlSubtreeSuccessor +RtlSystemTimeToLocalTime +RtlTestBit +RtlTimeFieldsToTime +RtlTimeToElapsedTimeFields +RtlTimeToSecondsSince1970 +RtlTimeToSecondsSince1980 +RtlTimeToTimeFields +RtlTraceDatabaseAdd +RtlTraceDatabaseCreate +RtlTraceDatabaseDestroy +RtlTraceDatabaseEnumerate +RtlTraceDatabaseFind +RtlTraceDatabaseLock +RtlTraceDatabaseUnlock +RtlTraceDatabaseValidate +RtlUTF8ToUnicodeN +RtlUnicodeStringToAnsiSize +RtlUnicodeStringToAnsiString +RtlUnicodeStringToCountedOemString +RtlUnicodeStringToInteger +RtlUnicodeStringToOemSize +RtlUnicodeStringToOemString +RtlUnicodeToCustomCPN +RtlUnicodeToMultiByteN +RtlUnicodeToMultiByteSize +RtlUnicodeToOemN +RtlUnicodeToUTF8N +RtlUnlockBootStatusData +RtlUnwind +RtlUnwindEx +RtlUpcaseUnicodeChar +RtlUpcaseUnicodeString +RtlUpcaseUnicodeStringToAnsiString +RtlUpcaseUnicodeStringToCountedOemString +RtlUpcaseUnicodeStringToOemString +RtlUpcaseUnicodeToCustomCPN +RtlUpcaseUnicodeToMultiByteN +RtlUpcaseUnicodeToOemN +RtlUpperChar +RtlUpperString +RtlValidRelativeSecurityDescriptor +RtlValidSecurityDescriptor +RtlValidSid +RtlValidateUnicodeString +RtlVerifyVersionInfo +RtlVirtualUnwind +RtlVolumeDeviceToDosName +RtlWalkFrameChain +RtlWeaklyEnumerateEntryHashTable +RtlWriteRegistryValue +RtlZeroHeap +RtlZeroMemory +RtlxAnsiStringToUnicodeSize +RtlxOemStringToUnicodeSize +RtlxUnicodeStringToAnsiSize +RtlxUnicodeStringToOemSize +SeAccessCheck +SeAccessCheckEx +SeAccessCheckFromState +SeAccessCheckWithHint +SeAppendPrivileges +SeAssignSecurity +SeAssignSecurityEx +SeAuditHardLinkCreation +SeAuditHardLinkCreationWithTransaction +eAuditTransactionStateChange +SeAuditingAnyFileEventsWithContext +SeAuditingFileEvents +SeAuditingFileEventsWithContext +SeAuditingFileOrGlobalEvents +SeAuditingHardLinkEvents +SeAuditingHardLinkEventsWithContext +SeAuditingWithTokenForSubcategory +SeCaptureSecurityDescriptor +SeCaptureSubjectContext +SeCaptureSubjectContextEx +SeCloseObjectAuditAlarm +SeCloseObjectAuditAlarmForNonObObject +SeComputeAutoInheritByObjectType +SeCreateAccessState +SeCreateAccessStateEx +SeCreateClientSecurity +SeCreateClientSecurityFromSubjectContext +SeDeassignSecurity +SeDeleteAccessState +SeDeleteObjectAuditAlarm +SeDeleteObjectAuditAlarmWithTransaction +SeExamineSacl +SeExports DATA +SeFilterToken +SeFreePrivileges +SeGetLinkedToken +SeImpersonateClient +SeImpersonateClientEx +SeLocateProcessImageName +SeLockSubjectContext +SeMarkLogonSessionForTerminationNotification +SeOpenObjectAuditAlarm +SeOpenObjectAuditAlarmForNonObObject +SeOpenObjectAuditAlarmWithTransaction +SeOpenObjectForDeleteAuditAlarm +SeOpenObjectForDeleteAuditAlarmWithTransaction +SePrivilegeCheck +SePrivilegeObjectAuditAlarm +SePublicDefaultDacl DATA +SeQueryAuthenticationIdToken +SeQueryInformationToken +SeQuerySecurityAttributesToken +SeQuerySecurityDescriptorInfo +SeQuerySessionIdToken +SeRegisterLogonSessionTerminatedRoutine +SeReleaseSecurityDescriptor +SeReleaseSubjectContext +SeReportSecurityEvent +SeReportSecurityEventWithSubCategory +SeSetAccessStateGenericMapping +SeSetAuditParameter +SeSetSecurityAttributesToken +SeSetSecurityDescriptorInfo +SeSetSecurityDescriptorInfoEx +SeSinglePrivilegeCheck +SeSrpAccessCheck +SeSystemDefaultDacl DATA +SeTokenImpersonationLevel +SeTokenIsAdmin +SeTokenIsRestricted +SeTokenIsWriteRestricted +SeTokenObjectType DATA +SeTokenType +SeUnlockSubjectContext +SeUnregisterLogonSessionTerminatedRoutine +SeValidSecurityDescriptor +TmCancelPropagationRequest +TmCommitComplete +TmCommitEnlistment +TmCommitTransaction +TmCreateEnlistment +TmCurrentTransaction +TmDereferenceEnlistmentKey +TmEnableCallbacks +TmEndPropagationRequest +TmEnlistmentObjectType DATA +TmFreezeTransactions +TmGetTransactionId +TmInitSystem +TmInitSystemPhase2 +TmInitializeResourceManager +TmInitializeTransaction +TmIsTransactionActive +TmPrePrepareComplete +TmPrePrepareEnlistment +TmPrepareComplete +TmPrepareEnlistment +TmPropagationComplete +TmPropagationFailed +TmReadOnlyEnlistment +TmRecoverEnlistment +TmRecoverResourceManager +TmRecoverTransactionManager +TmReferenceEnlistmentKey +TmRequestOutcomeEnlistment +TmResourceManagerObjectType DATA +TmRollbackComplete +TmRollbackEnlistment +TmRollbackTransaction +TmSetCurrentTransaction +TmThawTransactions +TmTransactionManagerObjectType DATA +TmTransactionObjectType DATA +TmpIsKTMCommitCoordinator +VerSetConditionMask +VfFailDeviceNode +VfFailDriver +VfFailSystemBIOS +VfIsVerificationEnabled +WmiFlushTrace +WheaAddErrorSource +WheaAttemptPhysicalPageOffline +WheaConfigureErrorSource +WheaDeferredRecoveryService +WheaGetErrorSource +WheaInitializeDeferredRecoveryObject +WheaInitializeRecordHeader +WheaReportHwError +WheaRequestDeferredRecovery +WmiGetClock +WmiQueryTrace +WmiQueryTraceInformation +WmiStartTrace +WmiStopTrace +WmiTraceFastEvent +WmiTraceMessage +WmiTraceMessageVa +WmiUpdateTrace +XIPDispatch +ZwAccessCheckAndAuditAlarm +ZwAddBootEntry +ZwAddDriverEntry +ZwAdjustPrivilegesToken +ZwAlertThread +ZwAllocateLocallyUniqueId +ZwAllocateVirtualMemory +ZwAlpcAcceptConnectPort +ZwAlpcCancelMessage +ZwAlpcConnectPort +ZwAlpcCreatePort +ZwAlpcCreatePortSection +ZwAlpcCreateResourceReserve +ZwAlpcCreateSectionView +ZwAlpcCreateSecurityContext +ZwAlpcDeletePortSection +ZwAlpcDeleteResourceReserve +ZwAlpcDeleteSectionView +ZwAlpcDeleteSecurityContext +ZwAlpcDisconnectPort +ZwAlpcQueryInformation +ZwAlpcSendWaitReceivePort +ZwAlpcSetInformation +ZwAssignProcessToJobObject +ZwCancelIoFile +ZwCancelTimer +ZwClearEvent +ZwClose +ZwCloseObjectAuditAlarm +ZwCommitComplete +ZwCommitEnlistment +ZwCommitTransaction +ZwConnectPort +ZwCreateDirectoryObject +ZwCreateEnlistment +ZwCreateEvent +ZwCreateFile +ZwCreateIoCompletion +ZwCreateJobObject +ZwCreateKey +ZwCreateKeyTransacted +ZwCreateResourceManager +ZwCreateSection +ZwCreateSymbolicLinkObject +ZwCreateTimer +ZwCreateTransaction +ZwCreateTransactionManager +ZwDeleteBootEntry +ZwDeleteDriverEntry +ZwDeleteFile +ZwDeleteKey +ZwDeleteValueKey +ZwDeviceIoControlFile +ZwDisplayString +ZwDuplicateObject +ZwDuplicateToken +ZwEnumerateBootEntries +ZwEnumerateDriverEntries +ZwEnumerateKey +ZwEnumerateTransactionObject +ZwEnumerateValueKey +ZwFlushBuffersFile +ZwFlushInstructionCache +ZwFlushKey +ZwFlushVirtualMemory +ZwFreeVirtualMemory +ZwFsControlFile +ZwGetNotificationResourceManager +ZwImpersonateAnonymousToken +ZwInitiatePowerAction +ZwIsProcessInJob +ZwLoadDriver +ZwLoadKey +ZwLoadKeyEx +ZwLockFile +ZwLockProductActivationKeys +ZwMakeTemporaryObject +ZwMapViewOfSection +ZwModifyBootEntry +ZwModifyDriverEntry +ZwNotifyChangeKey +ZwNotifyChangeSession +ZwOpenDirectoryObject +ZwOpenEnlistment +ZwOpenEvent +ZwOpenFile +ZwOpenJobObject +ZwOpenKey +ZwOpenKeyEx +ZwOpenKeyTransacted +ZwOpenKeyTransactedEx +ZwOpenProcess +ZwOpenProcessToken +ZwOpenProcessTokenEx +ZwOpenResourceManager +ZwOpenSection +ZwOpenSession +ZwOpenSymbolicLinkObject +ZwOpenThread +ZwOpenThreadToken +ZwOpenThreadTokenEx +ZwOpenTimer +ZwOpenTransaction +ZwOpenTransactionManager +ZwPowerInformation +ZwPrePrepareComplete +ZwPrePrepareEnlistment +ZwPrepareComplete +ZwPrepareEnlistment +ZwPropagationComplete +ZwPropagationFailed +ZwPulseEvent +ZwQueryBootEntryOrder +ZwQueryBootOptions +ZwQueryDefaultLocale +ZwQueryDefaultUILanguage +ZwQueryDirectoryFile +ZwQueryDirectoryObject +ZwQueryDriverEntryOrder +ZwQueryEaFile +ZwQueryFullAttributesFile +ZwQueryInformationEnlistment +ZwQueryInformationFile +ZwQueryInformationJobObject +ZwQueryInformationProcess +ZwQueryInformationResourceManager +ZwQueryInformationThread +ZwQueryInformationToken +ZwQueryInformationTransaction +ZwQueryInformationTransactionManager +ZwQueryInstallUILanguage +ZwQueryKey +ZwQueryLicenseValue +ZwQueryObject +ZwQueryQuotaInformationFile +ZwQuerySection +ZwQuerySecurityAttributesToken +ZwQuerySecurityObject +ZwQuerySymbolicLinkObject +ZwQuerySystemInformation +ZwQueryValueKey +ZwQueryVirtualMemory +ZwQueryVolumeInformationFile +ZwReadFile +ZwReadOnlyEnlistment +ZwRecoverEnlistment +ZwRecoverResourceManager +ZwRecoverTransactionManager +ZwRemoveIoCompletion +ZwRemoveIoCompletionEx +ZwReplaceKey +ZwRequestPort +ZwRequestWaitReplyPort +ZwResetEvent +ZwRestoreKey +ZwRollbackComplete +ZwRollbackEnlistment +ZwRollbackTransaction +ZwSaveKey +ZwSaveKeyEx +ZwSecureConnectPort +ZwSetBootEntryOrder +ZwSetBootOptions +ZwSetDefaultLocale +ZwSetDefaultUILanguage +ZwSetDriverEntryOrder +ZwSetEaFile +ZwSetEvent +ZwSetInformationEnlistment +ZwSetInformationFile +ZwSetInformationJobObject +ZwSetInformationObject +ZwSetInformationProcess +ZwSetInformationResourceManager +ZwSetInformationThread +ZwSetInformationToken +ZwSetInformationTransaction +ZwSetQuotaInformationFile +ZwSetSecurityObject +ZwSetSystemInformation +ZwSetSystemTime +ZwSetTimer +ZwSetTimerEx +ZwSetValueKey +ZwSetVolumeInformationFile +ZwTerminateJobObject +ZwTerminateProcess +ZwTraceEvent +ZwTranslateFilePath +ZwUnloadDriver +ZwUnloadKey +ZwUnloadKeyEx +ZwUnlockFile +ZwUnmapViewOfSection +ZwWaitForMultipleObjects +ZwWaitForSingleObject +ZwWriteFile +ZwYieldExecution +__C_specific_handler +;__chkstk +__misaligned_access +_i64toa_s +_i64tow_s +_itoa +_itoa_s +_itow +_itow_s +_local_unwind +_ltoa_s +_ltow_s +_makepath_s +_purecall +_setjmp +_setjmpex +_snprintf +_snprintf_s +_snscanf_s +_snwprintf +_snwprintf_s +_snwscanf_s +_splitpath_s +_stricmp +_strlwr +strlwr == _strlwr +_strnicmp +_strnset +_strnset_s +_strrev +_strset +_strset_s +_strtoui64 +_strupr +_swprintf +_ui64toa_s +_ui64tow_s +_ultoa_s +_ultow_s +_vsnprintf +_vsnprintf_s +_vsnwprintf +_vsnwprintf_s +_vswprintf +_wcsicmp +_wcslwr +wcslwr == _wcslwr +_wcsnicmp +_wcsnset +_wcsnset_s +_wcsrev +_wcsset_s +_wcsupr +_wmakepath_s +_wsplitpath_s +_wtoi +_wtol +atoi +atol +bsearch +isdigit +islower +isprint +isspace +isupper +isxdigit +longjmp +mbstowcs +mbtowc +memchr +memcmp +memcpy +memcpy_s +memmove +memmove_s +memset +psMUITest DATA +qsort +rand +sprintf +sprintf_s +srand +sscanf_s +strcat +strcat_s +strchr +strcmp +strcpy +strcpy_s +strlen +strncat +strncat_s +strncmp +strncpy +strncpy_s +strnlen +strrchr +strspn +strstr +strtok_s +swprintf +swprintf_s +swscanf_s +tolower +toupper +towlower +towupper +vDbgPrintEx +vDbgPrintExWithPrefix +vsprintf +vsprintf_s +vswprintf_s +wcscat +wcscat_s +wcschr +wcscmp +wcscpy +wcscpy_s +wcscspn +wcslen +wcsncat +wcsncat_s +wcsncmp +wcsncpy +wcsncpy_s +wcsnlen +wcsrchr +wcsspn +wcsstr +wcstombs +wcstoul +wctomb diff --git a/lib/libc/mingw/lib64/ntprint.def b/lib/libc/mingw/lib64/ntprint.def new file mode 100644 index 0000000000..3c19cbc33e --- /dev/null +++ b/lib/libc/mingw/lib64/ntprint.def @@ -0,0 +1,51 @@ +; +; Exports of file NTPRINT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NTPRINT.dll +EXPORTS +IppOcEntry +PSetupUpgradeClusterDriversW +ServerInstallW +SetupInetPrint +ClassInstall32 +PSetupAssociateICMProfiles +PSetupBuildDriversFromPath +PSetupCreateDrvSetupPage +PSetupCreateMonitorInfo +PSetupCreatePrinterDeviceInfoList +PSetupDestroyDriverInfo3 +PSetupDestroyMonitorInfo +PSetupDestroyPrinterDeviceInfoList +PSetupDestroySelectedDriverInfo +PSetupDriverInfoFromName +PSetupEnumMonitor +PSetupFindMappedDriver +PSetupFreeDrvField +PSetupFreeMem +PSetupGetActualInstallSection +PSetupGetDriverInfForPrinter +PSetupGetDriverInfForPrinterEx +PSetupGetDriverInfo3 +PSetupGetLocalDataField +PSetupGetPathToSearch +PSetupGetSelectedDriverInfo +PSetupInstallICMProfiles +PSetupInstallInboxDriverSilently +PSetupInstallMonitor +PSetupInstallPrinterDriver +PSetupInstallPrinterDriverFromTheWeb +PSetupIsCompatibleDriver +PSetupIsDriverInstalled +PSetupIsTheDriverFoundInInfInstalled +PSetupKillBadUserConnections +PSetupPreSelectDriver +PSetupProcessPrinterAdded +PSetupSelectDeviceButtons +PSetupSelectDriver +PSetupSetDriverPlatform +PSetupSetSelectDevTitleAndInstructions +PSetupShowBlockedDriverUI +PSetupThisPlatform diff --git a/lib/libc/mingw/lib64/ntshrui.def b/lib/libc/mingw/lib64/ntshrui.def new file mode 100644 index 0000000000..08b09f171b --- /dev/null +++ b/lib/libc/mingw/lib64/ntshrui.def @@ -0,0 +1,26 @@ +; +; Exports of file ntshrui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ntshrui.dll +EXPORTS +CanShareFolderW +DllCanUnloadNow +DllGetClassObject +GetLocalPathFromNetResource +GetLocalPathFromNetResourceA +GetLocalPathFromNetResourceW +GetNetResourceFromLocalPath +GetNetResourceFromLocalPathA +GetNetResourceFromLocalPathW +IsFolderPrivateForUser +IsPathShared +IsPathSharedA +IsPathSharedW +SetFolderPermissionsForSharing +SharingDialog +SharingDialogA +SharingDialogW +ShowShareFolderUIW diff --git a/lib/libc/mingw/lib64/ntvdm64.def b/lib/libc/mingw/lib64/ntvdm64.def new file mode 100644 index 0000000000..e17f0498d0 --- /dev/null +++ b/lib/libc/mingw/lib64/ntvdm64.def @@ -0,0 +1,11 @@ +; +; Exports of file ntvdm64.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ntvdm64.dll +EXPORTS +DllInstall +NtVdm64CreateProcess +NtVdm64RaiseInvalid16BitError diff --git a/lib/libc/mingw/lib64/nwprovau.def b/lib/libc/mingw/lib64/nwprovau.def new file mode 100644 index 0000000000..745e5c91d5 --- /dev/null +++ b/lib/libc/mingw/lib64/nwprovau.def @@ -0,0 +1,49 @@ +; +; Exports of file NWPROVAU.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY NWPROVAU.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +GetServiceItemFromList +InitializePrintProvidor +LsaApCallPackage +LsaApInitializePackage +LsaApLogonTerminated +LsaApLogonUser +NPAddConnection +NPAddConnection3 +NPCancelConnection +NPCloseEnum +NPEnumResource +NPFormatNetworkName +NPGetCaps +NPGetConnection +NPGetConnectionPerformance +NPGetResourceInformation +NPGetResourceParent +NPGetUniversalName +NPGetUser +NPLoadNameSpaces +NPLogonNotify +NPOpenEnum +NPPasswordChangeNotify +NSPStartup +NwDeregisterService +NwEncryptChallenge +NwEnumConnections +NwGetService +NwGetUserNameForServer +NwInitializeServiceProvider +NwQueryInfo +NwQueryLogonOptions +NwRegisterService +NwSetInfoInRegistry +NwSetInfoInWksta +NwSetLogonOptionsInRegistry +NwSetLogonScript +NwTerminateServiceProvider +NwValidateUser diff --git a/lib/libc/mingw/lib64/oakley.def b/lib/libc/mingw/lib64/oakley.def new file mode 100644 index 0000000000..a50391d5f5 --- /dev/null +++ b/lib/libc/mingw/lib64/oakley.def @@ -0,0 +1,24 @@ +; +; Exports of file oakley.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY oakley.DLL +EXPORTS +IKEQueryStatistics +IKEEnumMMs +IKEDeleteAssociation +IKEInitiateIKENegotiation +IKEQuerySpiChange +IKERegisterNotifyClient +IKEInit +IKEShutdown +IKEInterfaceChange +IKECloseIKENotifyHandle +IKEQueryIKENegotiationStatus +IKECloseIKENegotiationHandle +IKENotifyPolicyChange +IKEAddSAs +IKESetConfigurationVariables +IKEGetConfigurationVariables diff --git a/lib/libc/mingw/lib64/ocgen.def b/lib/libc/mingw/lib64/ocgen.def new file mode 100644 index 0000000000..7121502fac --- /dev/null +++ b/lib/libc/mingw/lib64/ocgen.def @@ -0,0 +1,9 @@ +; +; Exports of file OCSBS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OCSBS.dll +EXPORTS +OcEntry diff --git a/lib/libc/mingw/lib64/ocmanage.def b/lib/libc/mingw/lib64/ocmanage.def new file mode 100644 index 0000000000..d0f7c29503 --- /dev/null +++ b/lib/libc/mingw/lib64/ocmanage.def @@ -0,0 +1,16 @@ +; +; Exports of file OCMANAGE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OCMANAGE.dll +EXPORTS +OcComponentState +OcCreateOcPage +OcCreateSetupPage +OcGetWizardPages +OcInitialize +OcRememberWizardDialogHandle +OcSubComponentsPresent +OcTerminate diff --git a/lib/libc/mingw/lib64/ocmsn.def b/lib/libc/mingw/lib64/ocmsn.def new file mode 100644 index 0000000000..1f4942268b --- /dev/null +++ b/lib/libc/mingw/lib64/ocmsn.def @@ -0,0 +1,9 @@ +; +; Exports of file OCMSN.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OCMSN.dll +EXPORTS +OcEntry diff --git a/lib/libc/mingw/lib64/odbcbcp.def b/lib/libc/mingw/lib64/odbcbcp.def new file mode 100644 index 0000000000..7dee6afa59 --- /dev/null +++ b/lib/libc/mingw/lib64/odbcbcp.def @@ -0,0 +1,36 @@ +; +; Exports of file odbcbcp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY odbcbcp.dll +EXPORTS +dbprtypeA +bcp_batch +bcp_bind +bcp_colfmt +bcp_collen +bcp_colptr +bcp_columns +bcp_control +bcp_done +bcp_initA +bcp_exec +bcp_moretext +bcp_sendrow +bcp_readfmtA +bcp_writefmtA +dbprtypeW +bcp_initW +bcp_readfmtW +bcp_writefmtW +SQLLinkedServers +SQLLinkedCatalogsW +SQLLinkedCatalogsA +LibMain +SQLInitEnumServers +SQLGetNextEnumeration +SQLCloseEnumServers +bcp_getcolfmt +bcp_setcolfmt diff --git a/lib/libc/mingw/lib64/odbcconf.def b/lib/libc/mingw/lib64/odbcconf.def new file mode 100644 index 0000000000..c07103b57d --- /dev/null +++ b/lib/libc/mingw/lib64/odbcconf.def @@ -0,0 +1,104 @@ +; +; Exports of file odbcconf.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY odbcconf.DLL +EXPORTS +SetSilent +SetActionLogFile +SetActionLogModeSz +SetActionLogMode +ExecuteAction +SetActionEnum +SetActionName +ExpandPath +GetPathFromID +ApplyW2KXPak +ApplyMillenCat +UnregW2KXPak +AppRegEnum +CloseAppRegEnum +OpenAppRegEnum +QueryApplication +RefreshAppRegEnum +RegisterApplication +RunDLL32_RegisterApplication +RunDLL32_UnregisterApplication +UnregisterApplication +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +SLListCreate +SLListDestroy +SLListAddNode +SLListRemoveNode +SLListGetHead +SLListGetNext +SLListGetData +SLListSetData +DllUnregisterServer +DLListCreate +DLListDestroy +DLListAddNode +DLListRemoveNode +DLListGetHead +DLListGetNext +DLListGetPrev +DLListGetData +DLListSetData +OpenProcessInfo +CloseProcessInfo +IsFileLocked +EnableNTPrivilege +DisableNTPrivilege +EnableDebugPrivileges +DisableDebugPrivileges +LookupAppFriendlyName +IsModuleLoadedByProcess +IsModuleLoadedByProcessEx +ShutdownProcess +OpenProcessDisplayNames +CloseProcessDisplayNames +GetProcessListFromFileList +OpenProcessList +CloseProcessList +EnumerateProcesses +AddInfToList +CreateInfList +PopulateInfFileList +DestroyInfList +OpenDriveSpaceList +CloseDriveSpaceList +CalculateRequiredDriveSpace +OpenDriveSpaceListFromInfList +RunDLL32_FilterRunOnceExRegistration +AddFilterRunOnceExRegistrationToRegistry +RemoveFilterRunOnceExRegistrationFromRegistry +FilterRunOnceExRegistration +BackupRegKey +RestoreRegKey +RegVersion +RegVersionEx +LoadRegVersion +LoadRegVersionEx +GetProgramFilesDirectory +GetProgramFilesCommonFilesDirectory +OpenPendingRenameList +ClosePendingRenameList +ParseVersionDataFromString +ParseVersionDataFromStringEx +CompareVersionData +CompareVersionDataEx +IsExceptionInf +IsExceptionInfEx +CreateRegKeyBackupList +DestroyRegKeyBackupList +RegKeyBackup +RegKeyRestore +SaveRegKeyBackupToFile +LoadRegKeyBackupFromFile +BackupCatalog +RestoreCatalog +DoesFileExist diff --git a/lib/libc/mingw/lib64/odbccr32.def b/lib/libc/mingw/lib64/odbccr32.def new file mode 100644 index 0000000000..3edb80abb6 --- /dev/null +++ b/lib/libc/mingw/lib64/odbccr32.def @@ -0,0 +1,45 @@ +; +; Exports of file ODBCCR32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ODBCCR32.dll +EXPORTS +SQLBindCol +SQLCancel +ReleaseCLStmtResources +SQLExecDirect +SQLExecute +SQLFetch +SQLFreeStmt +SQLPrepare +SQLRowCount +SQLTransact +SQLCloseCursor +SQLEndTran +SQLFetchScroll +SQLFreeHandle +SQLGetDescField +SQLGetDescRec +SQLGetStmtAttr +SQLSetConnectAttr +SQLGetData +SQLGetInfo +SQLGetStmtOption +SQLParamData +SQLPutData +SQLSetConnectOption +SQLSetStmtOption +SQLExtendedFetch +SQLMoreResults +SQLNativeSql +SQLNumParams +SQLParamOptions +SQLSetPos +SQLSetScrollOptions +SQLBindParameter +SQLSetDescField +SQLSetDescRec +SQLSetStmtAttr +SQLBulkOperations diff --git a/lib/libc/mingw/lib64/odbccu32.def b/lib/libc/mingw/lib64/odbccu32.def new file mode 100644 index 0000000000..3edb80abb6 --- /dev/null +++ b/lib/libc/mingw/lib64/odbccu32.def @@ -0,0 +1,45 @@ +; +; Exports of file ODBCCR32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ODBCCR32.dll +EXPORTS +SQLBindCol +SQLCancel +ReleaseCLStmtResources +SQLExecDirect +SQLExecute +SQLFetch +SQLFreeStmt +SQLPrepare +SQLRowCount +SQLTransact +SQLCloseCursor +SQLEndTran +SQLFetchScroll +SQLFreeHandle +SQLGetDescField +SQLGetDescRec +SQLGetStmtAttr +SQLSetConnectAttr +SQLGetData +SQLGetInfo +SQLGetStmtOption +SQLParamData +SQLPutData +SQLSetConnectOption +SQLSetStmtOption +SQLExtendedFetch +SQLMoreResults +SQLNativeSql +SQLNumParams +SQLParamOptions +SQLSetPos +SQLSetScrollOptions +SQLBindParameter +SQLSetDescField +SQLSetDescRec +SQLSetStmtAttr +SQLBulkOperations diff --git a/lib/libc/mingw/lib64/odbctrac.def b/lib/libc/mingw/lib64/odbctrac.def new file mode 100644 index 0000000000..9dc959b33a --- /dev/null +++ b/lib/libc/mingw/lib64/odbctrac.def @@ -0,0 +1,130 @@ +; +; Exports of file ODBCTRAC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ODBCTRAC.dll +EXPORTS +TraceSQLAllocConnect +TraceSQLAllocEnv +TraceSQLAllocStmt +TraceSQLBindCol +TraceSQLCancel +TraceSQLColAttributes +TraceSQLConnect +TraceSQLDescribeCol +TraceSQLDisconnect +TraceSQLError +TraceSQLExecDirect +TraceSQLExecute +TraceSQLFetch +TraceSQLFreeConnect +TraceSQLFreeEnv +TraceSQLFreeStmt +TraceSQLGetCursorName +TraceSQLNumResultCols +TraceSQLPrepare +TraceSQLRowCount +TraceSQLSetCursorName +TraceSQLSetParam +TraceSQLTransact +TraceSQLAllocHandle +TraceSQLBindParam +TraceSQLCloseCursor +TraceSQLColAttribute +TraceSQLCopyDesc +TraceSQLEndTran +TraceSQLFetchScroll +TraceSQLFreeHandle +TraceSQLGetConnectAttr +TraceSQLGetDescField +TraceSQLGetDescRec +TraceSQLGetDiagField +TraceSQLGetDiagRec +TraceSQLGetEnvAttr +TraceSQLGetStmtAttr +TraceSQLSetConnectAttr +TraceSQLColumns +TraceSQLDriverConnect +TraceSQLGetConnectOption +TraceSQLGetData +TraceSQLGetFunctions +TraceSQLGetInfo +TraceSQLGetStmtOption +TraceSQLGetTypeInfo +TraceSQLParamData +TraceSQLPutData +TraceSQLSetConnectOption +TraceSQLSetStmtOption +TraceSQLSpecialColumns +TraceSQLStatistics +TraceSQLTables +TraceSQLBrowseConnect +TraceSQLColumnPrivileges +TraceSQLDataSources +TraceSQLDescribeParam +TraceSQLExtendedFetch +TraceSQLForeignKeys +TraceSQLMoreResults +TraceSQLNativeSql +TraceSQLNumParams +TraceSQLParamOptions +TraceSQLPrimaryKeys +TraceSQLProcedureColumns +TraceSQLProcedures +TraceSQLSetPos +TraceSQLSetScrollOptions +TraceSQLTablePrivileges +TraceSQLDrivers +TraceSQLBindParameter +TraceSQLSetDescField +TraceSQLSetDescRec +TraceSQLSetEnvAttr +TraceSQLSetStmtAttr +TraceSQLAllocHandleStd +TraceSQLBulkOperations +FireVSDebugEvent +TraceVSControl +TraceSQLColAttributesW +TraceSQLConnectW +TraceSQLDescribeColW +TraceSQLErrorW +TraceSQLExecDirectW +TraceSQLGetCursorNameW +TraceSQLPrepareW +TraceSQLSetCursorNameW +TraceSQLColAttributeW +TraceSQLGetConnectAttrW +TraceSQLGetDescFieldW +TraceSQLGetDescRecW +TraceSQLGetDiagFieldW +TraceSQLGetDiagRecW +TraceSQLGetStmtAttrW +TraceSQLSetConnectAttrW +TraceSQLColumnsW +TraceSQLDriverConnectW +TraceSQLGetConnectOptionW +TraceSQLGetInfoW +TraceSQLGetTypeInfoW +TraceSQLSetConnectOptionW +TraceSQLSpecialColumnsW +TraceSQLStatisticsW +TraceSQLTablesW +TraceSQLBrowseConnectW +TraceSQLColumnPrivilegesW +TraceSQLDataSourcesW +TraceSQLForeignKeysW +TraceSQLNativeSqlW +TraceSQLPrimaryKeysW +TraceSQLProcedureColumnsW +TraceSQLProceduresW +TraceSQLTablePrivilegesW +TraceSQLDriversW +TraceSQLSetDescFieldW +TraceSQLSetStmtAttrW +TraceSQLAllocHandleStdW +TraceReturn +TraceOpenLogFile +TraceCloseLogFile +TraceVersion diff --git a/lib/libc/mingw/lib64/oeimport.def b/lib/libc/mingw/lib64/oeimport.def new file mode 100644 index 0000000000..52e7007ff2 --- /dev/null +++ b/lib/libc/mingw/lib64/oeimport.def @@ -0,0 +1,15 @@ +; +; Exports of file OEIMPORT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OEIMPORT.dll +EXPORTS +PerformImport +ExportMessages +PerformMigration +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/oemiglib.def b/lib/libc/mingw/lib64/oemiglib.def new file mode 100644 index 0000000000..3b6cabdf5d --- /dev/null +++ b/lib/libc/mingw/lib64/oemiglib.def @@ -0,0 +1,13 @@ +; +; Exports of file OEMIGLIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OEMIGLIB.dll +EXPORTS +OE5SimpleCreate +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/olecli32.def b/lib/libc/mingw/lib64/olecli32.def new file mode 100644 index 0000000000..459b0ab8d5 --- /dev/null +++ b/lib/libc/mingw/lib64/olecli32.def @@ -0,0 +1,186 @@ +; +; Exports of file OLECLI32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OLECLI32.dll +EXPORTS +WEP +OleDelete +OleSaveToStream +OleLoadFromStream +OleClone +OleCopyFromLink +OleEqual +OleQueryLinkFromClip +OleQueryCreateFromClip +OleCreateLinkFromClip +OleCreateFromClip +OleCopyToClipboard +OleQueryType +OleSetHostNames +OleSetTargetDevice +OleSetBounds +OleQueryBounds +OleDraw +OleQueryOpen +OleActivate +OleUpdate +OleReconnect +OleGetLinkUpdateOptions +OleSetLinkUpdateOptions +OleEnumFormats +OleClose +OleGetData +OleSetData +OleQueryProtocol +OleQueryOutOfDate +OleObjectConvert +OleCreateFromTemplate +OleCreate +OleQueryReleaseStatus +OleQueryReleaseError +OleQueryReleaseMethod +OleCreateFromFile +OleCreateLinkFromFile +OleRelease +OleRegisterClientDoc +OleRevokeClientDoc +OleRenameClientDoc +OleRevertClientDoc +OleSavedClientDoc +OleRename +OleEnumObjects +OleQueryName +OleSetColorScheme +OleRequestData +OleLockServer +OleUnlockServer +OleQuerySize +OleExecute +OleCreateInvisible +OleQueryClientVersion +OleIsDcMeta +DocWndProc +SrvrWndProc +MfCallbackFunc +DefLoadFromStream +DefCreateFromClip +DefCreateLinkFromClip +DefCreateFromTemplate +DefCreate +DefCreateFromFile +DefCreateLinkFromFile +DefCreateInvisible +LeRelease +LeShow +LeGetData +LeSetData +LeSetHostNames +LeSetTargetDevice +LeSetBounds +LeSaveToStream +LeClone +LeCopyFromLink +LeEqual +LeCopy +LeQueryType +LeQueryBounds +LeDraw +LeQueryOpen +LeActivate +LeUpdate +LeReconnect +LeEnumFormat +LeQueryProtocol +LeQueryOutOfDate +LeObjectConvert +LeChangeData +LeClose +LeGetUpdateOptions +LeSetUpdateOptions +LeExecute +LeObjectLong +LeCreateInvisible +MfRelease +MfGetData +MfSaveToStream +MfClone +MfEqual +MfCopy +MfQueryBounds +MfDraw +MfEnumFormat +MfChangeData +BmRelease +BmGetData +BmSaveToStream +BmClone +BmEqual +BmCopy +BmQueryBounds +BmDraw +BmEnumFormat +BmChangeData +DibRelease +DibGetData +DibSaveToStream +DibClone +DibEqual +DibCopy +DibQueryBounds +DibDraw +DibEnumFormat +DibChangeData +GenRelease +GenGetData +GenSetData +GenSaveToStream +GenClone +GenEqual +GenCopy +GenQueryBounds +GenDraw +GenEnumFormat +GenChangeData +ErrShow +ErrSetData +ErrSetHostNames +ErrSetTargetDevice +ErrSetBounds +ErrCopyFromLink +ErrQueryOpen +ErrActivate +ErrClose +ErrUpdate +ErrReconnect +ErrQueryProtocol +ErrQueryOutOfDate +ErrObjectConvert +ErrGetUpdateOptions +ErrSetUpdateOptions +ErrExecute +ErrObjectLong +PbLoadFromStream +PbCreateFromClip +PbCreateLinkFromClip +PbCreateFromTemplate +PbCreate +PbDraw +PbQueryBounds +PbCopyToClipboard +PbCreateFromFile +PbCreateLinkFromFile +PbEnumFormats +PbGetData +PbCreateInvisible +ObjQueryName +ObjRename +ObjQueryType +ObjQuerySize +ConnectDlgProc +SetNetName +CheckNetDrive +SetNextNetDrive +GetTaskVisibleWindow diff --git a/lib/libc/mingw/lib64/olecnv32.def b/lib/libc/mingw/lib64/olecnv32.def new file mode 100644 index 0000000000..fc2c4092a3 --- /dev/null +++ b/lib/libc/mingw/lib64/olecnv32.def @@ -0,0 +1,9 @@ +; +; Exports of file OLECNV32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OLECNV32.dll +EXPORTS +QD2GDI diff --git a/lib/libc/mingw/lib64/oledb32.def b/lib/libc/mingw/lib64/oledb32.def new file mode 100644 index 0000000000..ce742e786f --- /dev/null +++ b/lib/libc/mingw/lib64/oledb32.def @@ -0,0 +1,14 @@ +; +; Exports of file OLEDB32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OLEDB32.dll +EXPORTS +DllMain +OpenDSLFile +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/olesvr32.def b/lib/libc/mingw/lib64/olesvr32.def new file mode 100644 index 0000000000..02ef669434 --- /dev/null +++ b/lib/libc/mingw/lib64/olesvr32.def @@ -0,0 +1,31 @@ +; +; Exports of file OLESVR32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY OLESVR32.dll +EXPORTS +WEP +OleRegisterServer +OleRevokeServer +OleBlockServer +OleUnblockServer +OleRegisterServerDoc +OleRevokeServerDoc +OleRenameServerDoc +OleRevertServerDoc +OleSavedServerDoc +OleRevokeObject +OleQueryServerVersion +SrvrWndProc +DocWndProc +ItemWndProc +SendDataMsg +FindItemWnd +ItemCallBack +TerminateClients +TerminateDocClients +DeleteClientInfo +SendRenameMsg +EnumForTerminate diff --git a/lib/libc/mingw/lib64/p2pcollab.def b/lib/libc/mingw/lib64/p2pcollab.def new file mode 100644 index 0000000000..3c41a3f141 --- /dev/null +++ b/lib/libc/mingw/lib64/p2pcollab.def @@ -0,0 +1,92 @@ +; +; Definition file of P2PCOLLAB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "P2PCOLLAB.dll" +EXPORTS +AIApplicationGetRegistrationInfo +AIApplicationRegister +AIApplicationUnregister +AIAsyncSend +AICancel +AICloseHandle +AIEnumApplicationRegistrationInfo +AIGetApplicationLaunchInfo +AIGetResponse +AIRespond +AIShutdown +AISpecificStart +AISpecificStop +AIStartup +AISyncSend +CollabAddContact +CollabConvertBitmapToPicture +CollabConvertPicture +CollabConvertPictureToBitmap +CollabCreateXMLContactBlob +CollabDeleteContact +CollabDisableAutoStart +CollabDisplayPrivacyWebpage +CollabEnableAutoStart +CollabEnumContacts +CollabExportContact +CollabExportScopedContact +CollabGetContact +CollabGetContactPicture +CollabGetScopedContact +CollabGetSignInInfo +CollabGetUserSettings +CollabLayerInitialize +CollabLayerShutdown +CollabLoadPrivacyStmt +CollabParseContact +CollabPublicationInitialize +CollabPublicationListen +CollabPublicationPublish +CollabPublicationShutdown +CollabPublicationStopListen +CollabPublicationUnpublish +CollabRegisterIPAddrChange +CollabSetSignInInfo +CollabSetUserSettings +CollabSetup +CollabTrimNicknameSpaces +CollabUnregisterIPAddrChange +CollabUpdateContact +ContactManagerCleanup +ContactManagerInit +PeopleNearMeGetEndpointsNearMe +PeopleNearMeInitialize +PeopleNearMeSignin +PeopleNearMeSignout +PeopleNearMeUninitialize +PeopleNearMeUpdateEndpointName +PeopleNearMeUpdateFriendlyName +SPDeleteContact +SPEndRequest +SPGetApplications +SPGetEndpointName +SPGetEndpoints +SPGetObjects +SPGetPresenceInfo +SPPublishObject +SPQueryContactData +SPRegisterApplication +SPRequestPublishedItems +SPSetEndpointName +SPSetPresenceInfo +SPSubscribeEndpoint +SPUnpublishObjects +SPUnregisterApplication +SPUnsubscribeEndpoint +SPUnsubscribeOnRundown +SPUpdateContact +SPUpdateMeContact +SPUpdateUserPicture +SPUpdateUserSettings +SSPAddCredentials +SSPRemoveCredentials +DllMain +InitSecurityInterfaceW +QuerySecurityPackageInfoW diff --git a/lib/libc/mingw/lib64/pautoenr.def b/lib/libc/mingw/lib64/pautoenr.def new file mode 100644 index 0000000000..3fbe4f555a --- /dev/null +++ b/lib/libc/mingw/lib64/pautoenr.def @@ -0,0 +1,11 @@ +; +; Exports of file PAUTOENR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PAUTOENR.dll +EXPORTS +CertAutoEnrollment +CertAutoRemove +ProvAutoEnrollment diff --git a/lib/libc/mingw/lib64/pdh.def b/lib/libc/mingw/lib64/pdh.def deleted file mode 100644 index 0c81e5590a..0000000000 --- a/lib/libc/mingw/lib64/pdh.def +++ /dev/null @@ -1,173 +0,0 @@ -; -; Definition file of pdh.dll -; Automatic generated by gendef -; written by Kai Tietz 2008 -; -LIBRARY "pdh.dll" -EXPORTS -PdhPlaGetLogFileNameA -DllInstall -PdhAdd009CounterA -PdhAdd009CounterW -PdhAddCounterA -PdhAddCounterW -PdhAddEnglishCounterA -PdhAddEnglishCounterW -PdhBindInputDataSourceA -PdhBindInputDataSourceW -PdhBrowseCountersA -PdhBrowseCountersHA -PdhBrowseCountersHW -PdhBrowseCountersW -PdhCalculateCounterFromRawValue -PdhCloseLog -PdhCloseQuery -PdhCollectQueryData -PdhCollectQueryDataEx -PdhCollectQueryDataWithTime -PdhComputeCounterStatistics -PdhConnectMachineA -PdhConnectMachineW -PdhCreateSQLTablesA -PdhCreateSQLTablesW -PdhEnumLogSetNamesA -PdhEnumLogSetNamesW -PdhEnumMachinesA -PdhEnumMachinesHA -PdhEnumMachinesHW -PdhEnumMachinesW -PdhEnumObjectItemsA -PdhEnumObjectItemsHA -PdhEnumObjectItemsHW -PdhEnumObjectItemsW -PdhEnumObjectsA -PdhEnumObjectsHA -PdhEnumObjectsHW -PdhEnumObjectsW -PdhExpandCounterPathA -PdhExpandCounterPathW -PdhExpandWildCardPathA -PdhExpandWildCardPathHA -PdhExpandWildCardPathHW -PdhExpandWildCardPathW -PdhFormatFromRawValue -PdhGetCounterInfoA -PdhGetCounterInfoW -PdhGetCounterTimeBase -PdhGetDataSourceTimeRangeA -PdhGetDataSourceTimeRangeH -PdhGetDataSourceTimeRangeW -PdhGetDefaultPerfCounterA -PdhGetDefaultPerfCounterHA -PdhGetDefaultPerfCounterHW -PdhGetDefaultPerfCounterW -PdhGetDefaultPerfObjectA -PdhGetDefaultPerfObjectHA -PdhGetDefaultPerfObjectHW -PdhGetDefaultPerfObjectW -PdhGetDllVersion -PdhGetExplainText -PdhGetFormattedCounterArrayA -PdhGetFormattedCounterArrayW -PdhGetFormattedCounterValue -PdhGetLogFileSize -PdhGetLogFileTypeA -PdhGetLogFileTypeW -PdhGetLogSetGUID -PdhGetRawCounterArrayA -PdhGetRawCounterArrayW -PdhGetRawCounterValue -PdhIsRealTimeQuery -PdhListLogFileHeaderA -PdhListLogFileHeaderW -PdhLookupPerfIndexByNameA -PdhLookupPerfIndexByNameW -PdhLookupPerfNameByIndexA -PdhLookupPerfNameByIndexW -PdhMakeCounterPathA -PdhMakeCounterPathW -PdhOpenLogA -PdhOpenLogW -PdhOpenQuery -PdhOpenQueryA -PdhOpenQueryH -PdhOpenQueryW -PdhParseCounterPathA -PdhParseCounterPathW -PdhParseInstanceNameA -PdhParseInstanceNameW -PdhPlaAddItemA -PdhPlaAddItemW -PdhPlaCreateA -PdhPlaCreateW -PdhPlaDeleteA -PdhPlaDeleteW -PdhPlaDowngradeW -PdhPlaEnumCollectionsA -PdhPlaEnumCollectionsW -PdhPlaGetInfoA -PdhPlaGetInfoW -PdhPlaGetLogFileNameW -PdhPlaGetScheduleA -PdhPlaGetScheduleW -PdhPlaRemoveAllItemsA -PdhPlaRemoveAllItemsW -PdhPlaScheduleA -PdhPlaScheduleW -PdhPlaSetInfoA -PdhPlaSetInfoW -PdhPlaSetItemListA -PdhPlaSetItemListW -PdhPlaSetRunAsA -PdhPlaSetRunAsW -PdhPlaStartA -PdhPlaStartW -PdhPlaStopA -PdhPlaStopW -PdhPlaUpgradeW -PdhPlaValidateInfoA -PdhPlaValidateInfoW -PdhReadRawLogRecord -PdhRelogA -PdhRelogW -PdhRemoveCounter -PdhSelectDataSourceA -PdhSelectDataSourceW -PdhSetCounterScaleFactor -PdhSetDefaultRealTimeDataSource -PdhSetLogSetRunID -PdhSetQueryTimeRange -PdhTranslate009CounterA -PdhTranslate009CounterW -PdhTranslateLocaleCounterA -PdhTranslateLocaleCounterW -PdhUpdateLogA -PdhUpdateLogFileCatalog -PdhUpdateLogW -PdhValidatePathA -PdhValidatePathExA -PdhValidatePathExW -PdhValidatePathW -PdhVbAddCounter -PdhVbCreateCounterPathList -PdhVbGetCounterPathElements -PdhVbGetCounterPathFromList -PdhVbGetDoubleCounterValue -PdhVbGetLogFileSize -PdhVbGetOneCounterPath -PdhVbIsGoodStatus -PdhVbOpenLog -PdhVbOpenQuery -PdhVbUpdateLog -PdhVerifySQLDBA -PdhVerifySQLDBW -PdhiPla2003SP1Installed -PdhiPlaDowngrade -PdhiPlaFormatBlanksA -PdhiPlaFormatBlanksW -PdhiPlaGetVersion -PdhiPlaRunAs -PdhiPlaSetRunAs -PdhiPlaUpgrade -PlaTimeInfoToMilliSeconds -PdhpGetLoggerName diff --git a/lib/libc/mingw/lib64/pidgen.def b/lib/libc/mingw/lib64/pidgen.def new file mode 100644 index 0000000000..f4bbeed7fd --- /dev/null +++ b/lib/libc/mingw/lib64/pidgen.def @@ -0,0 +1,20 @@ +; +; Exports of file PIDGen.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PIDGen.dll +EXPORTS +PIDGenA +PIDGenW +PIDGenSimpA +PIDGenSimpW +SetupPIDGenA +SetupPIDGenW +PIDGenExA +PIDGenExW +SetupPIDGenExA +SetupPIDGenExW +PIDGenEx2A +PIDGenEx2W diff --git a/lib/libc/mingw/lib64/pintlcsd.def b/lib/libc/mingw/lib64/pintlcsd.def new file mode 100644 index 0000000000..19e60b67f0 --- /dev/null +++ b/lib/libc/mingw/lib64/pintlcsd.def @@ -0,0 +1,9 @@ +; +; Exports of file IMESKDic.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY IMESKDic.dll +EXPORTS +CreateIImeSkdicInstance diff --git a/lib/libc/mingw/lib64/policman.def b/lib/libc/mingw/lib64/policman.def new file mode 100644 index 0000000000..7d4b19f373 --- /dev/null +++ b/lib/libc/mingw/lib64/policman.def @@ -0,0 +1,13 @@ +; +; Exports of file POLICMAN.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY POLICMAN.DLL +EXPORTS +CreateADContainers +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/polstore.def b/lib/libc/mingw/lib64/polstore.def new file mode 100644 index 0000000000..0e1e688c5c --- /dev/null +++ b/lib/libc/mingw/lib64/polstore.def @@ -0,0 +1,72 @@ +; +; Exports of file POLSTORE.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY POLSTORE.DLL +EXPORTS +DllRegisterServer +DllUnregisterServer +IPSecAllocPolMem +IPSecAllocPolStr +IPSecAssignPolicy +IPSecChooseDriverBootMode +IPSecClearWMIStore +IPSecClosePolicyStore +IPSecCopyAuthMethod +IPSecCopyFilterData +IPSecCopyFilterSpec +IPSecCopyISAKMPData +IPSecCopyNFAData +IPSecCopyNegPolData +IPSecCopyPolicyData +IPSecCreateFilterData +IPSecCreateISAKMPData +IPSecCreateNFAData +IPSecCreateNegPolData +IPSecCreatePolicyData +IPSecDeleteFilterData +IPSecDeleteISAKMPData +IPSecDeleteNFAData +IPSecDeleteNegPolData +IPSecDeletePolicyData +IPSecEnumFilterData +IPSecEnumISAKMPData +IPSecEnumNFAData +IPSecEnumNegPolData +IPSecEnumPolicyData +IPSecExportPolicies +IPSecFreeFilterData +IPSecFreeFilterSpec +IPSecFreeFilterSpecs +IPSecFreeISAKMPData +IPSecFreeMulFilterData +IPSecFreeMulISAKMPData +IPSecFreeMulNFAData +IPSecFreeMulNegPolData +IPSecFreeMulPolicyData +IPSecFreeNFAData +IPSecFreeNegPolData +IPSecFreePolMem +IPSecFreePolStr +IPSecFreePolicyData +IPSecGetAssignedDomainPolicyName +IPSecGetAssignedPolicyData +IPSecGetFilterData +IPSecGetISAKMPData +IPSecGetNegPolData +IPSecImportPolicies +IPSecIsDomainPolicyAssigned +IPSecIsLocalPolicyAssigned +IPSecOpenPolicyStore +IPSecReallocatePolMem +IPSecReallocatePolStr +IPSecRestoreDefaultPolicies +IPSecSetFilterData +IPSecSetISAKMPData +IPSecSetNFAData +IPSecSetNegPolData +IPSecSetPolicyData +IPSecUnassignPolicy +WriteDirectoryPolicyToWMI diff --git a/lib/libc/mingw/lib64/printui.def b/lib/libc/mingw/lib64/printui.def new file mode 100644 index 0000000000..1dce008c4a --- /dev/null +++ b/lib/libc/mingw/lib64/printui.def @@ -0,0 +1,33 @@ +; +; Exports of file PRINTUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PRINTUI.dll +EXPORTS +ConstructPrinterFriendlyName +DocumentPropertiesWrap +PnPInterface +PrintUIEntryW +PrinterPropPageProvider +ConnectToPrinterDlg +ConnectToPrinterPropertyPage +DllCanUnloadNow +DllGetClassObject +DllMain +GetLegacyPrintUI +PrintNotifyTray_Exit +PrintNotifyTray_Init +RegisterPrintNotify +ShowErrorMessageHR +ShowErrorMessageSC +UnregisterPrintNotify +bFolderEnumPrinters +bFolderGetPrinter +bFolderRefresh +bPrinterSetup +vDocumentDefaults +vPrinterPropPages +vQueueCreate +vServerPropPages diff --git a/lib/libc/mingw/lib64/profmap.def b/lib/libc/mingw/lib64/profmap.def new file mode 100644 index 0000000000..5f5d9de834 --- /dev/null +++ b/lib/libc/mingw/lib64/profmap.def @@ -0,0 +1,14 @@ +; +; Exports of file PROFMAP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PROFMAP.dll +EXPORTS +DllMain +InitializeProfileMappingApi +RemapAndMoveUserA +RemapAndMoveUserW +RemapUserProfileA +RemapUserProfileW diff --git a/lib/libc/mingw/lib64/psbase.def b/lib/libc/mingw/lib64/psbase.def new file mode 100644 index 0000000000..eae79a52a0 --- /dev/null +++ b/lib/libc/mingw/lib64/psbase.def @@ -0,0 +1,29 @@ +; +; Exports of file PSBASE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PSBASE.dll +EXPORTS +FPasswordChangeNotify +SPCloseItem +SPOpenItem +SPAcquireContext +SPCreateSubtype +SPCreateType +SPDeleteItem +SPDeleteSubtype +SPDeleteType +SPEnumItems +SPEnumSubtypes +SPEnumTypes +SPGetProvInfo +SPGetProvParam +SPGetSubtypeInfo +SPGetTypeInfo +SPProviderInitialize +SPReadItem +SPReleaseContext +SPSetProvParam +SPWriteItem diff --git a/lib/libc/mingw/lib64/pschdprf.def b/lib/libc/mingw/lib64/pschdprf.def new file mode 100644 index 0000000000..615d768caf --- /dev/null +++ b/lib/libc/mingw/lib64/pschdprf.def @@ -0,0 +1,11 @@ +; +; Exports of file PschdPrf.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PschdPrf.dll +EXPORTS +ClosePschedPerformanceData +CollectPschedPerformanceData +OpenPschedPerformanceData diff --git a/lib/libc/mingw/lib64/pstorsvc.def b/lib/libc/mingw/lib64/pstorsvc.def new file mode 100644 index 0000000000..05addb209a --- /dev/null +++ b/lib/libc/mingw/lib64/pstorsvc.def @@ -0,0 +1,11 @@ +; +; Exports of file PSTORSVC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PSTORSVC.dll +EXPORTS +PSTOREServiceMain +ServiceEntry +Start diff --git a/lib/libc/mingw/lib64/qmgr.def b/lib/libc/mingw/lib64/qmgr.def new file mode 100644 index 0000000000..30680d2fd2 --- /dev/null +++ b/lib/libc/mingw/lib64/qmgr.def @@ -0,0 +1,38 @@ +; +; Exports of file qmgr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY qmgr.dll +EXPORTS +; public: __cdecl CNestedImpersonation::CNestedImpersonation(class TokenHandle & __ptr64) __ptr64 +??0CNestedImpersonation@@QEAA@AEAVTokenHandle@@@Z +; public: __cdecl CNestedImpersonation::CNestedImpersonation(void * __ptr64) __ptr64 +??0CNestedImpersonation@@QEAA@PEAX@Z +; public: __cdecl CNestedImpersonation::CNestedImpersonation(void) __ptr64 +??0CNestedImpersonation@@QEAA@XZ +; public: __cdecl PROXY_SETTINGS_CONTAINER::PROXY_SETTINGS_CONTAINER(unsigned short const * __ptr64,struct PROXY_SETTINGS const * __ptr64) __ptr64 +??0PROXY_SETTINGS_CONTAINER@@QEAA@PEBGPEBUPROXY_SETTINGS@@@Z +; void * __ptr64 __cdecl BITSAlloc(unsigned __int64) +?BITSAlloc@@YAPEAX_K@Z +; void __cdecl BITSFree(void * __ptr64) +?BITSFree@@YAXPEAX@Z +; public: unsigned __int64 __cdecl CRangeCollection::BytesRemainingInCurrentRange(void) __ptr64 +?BytesRemainingInCurrentRange@CRangeCollection@@QEAA_KXZ +; protected: bool __cdecl CRangeCollection::CalculateBytesTotal(void) __ptr64 +?CalculateBytesTotal@CRangeCollection@@IEAA_NXZ +; public: long __cdecl CCredentialsContainer::Find(enum __MIDL_IBackgroundCopyJob2_0001,enum __MIDL_IBackgroundCopyJob2_0002,struct __MIDL_IBackgroundCopyJob2_0005 * __ptr64 * __ptr64)const __ptr64 +?Find@CCredentialsContainer@@QEBAJW4__MIDL_IBackgroundCopyJob2_0001@@W4__MIDL_IBackgroundCopyJob2_0002@@PEAPEAU__MIDL_IBackgroundCopyJob2_0005@@@Z +; unsigned long __cdecl FindInterfaceIndex(unsigned short const * __ptr64) +?FindInterfaceIndex@@YAKPEBG@Z +; public: long __cdecl CRangeCollection::GetSubRanges(unsigned __int64,unsigned __int64,unsigned __int64,unsigned int,class CRangeCollection * __ptr64 * __ptr64) __ptr64 +?GetSubRanges@CRangeCollection@@QEAAJ_K00IPEAPEAV1@@Z +; class std::auto_ptr __cdecl HostFromProxyDescription(unsigned short * __ptr64) +?HostFromProxyDescription@@YA?AV?$auto_ptr@G@std@@PEAG@Z +ServiceMain +; private: static struct GenericStringHandle::StringData GenericStringHandle::s_EmptyString +?s_EmptyString@?$GenericStringHandle@G@@0UStringData@1@A DATA +BITSServiceMain +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/qosname.def b/lib/libc/mingw/lib64/qosname.def new file mode 100644 index 0000000000..e3d3bf9430 --- /dev/null +++ b/lib/libc/mingw/lib64/qosname.def @@ -0,0 +1,11 @@ +; +; Exports of file qosname.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY qosname.dll +EXPORTS +WPUGetQOSTemplate +WSCInstallQOSTemplate +WSCRemoveQOSTemplate diff --git a/lib/libc/mingw/lib64/rasman.def b/lib/libc/mingw/lib64/rasman.def new file mode 100644 index 0000000000..12e3d657de --- /dev/null +++ b/lib/libc/mingw/lib64/rasman.def @@ -0,0 +1,170 @@ +; +; Exports of file rasman.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasman.dll +EXPORTS +DwRasGetHostByName +IsRasmanProcess +RasActivateRoute +RasActivateRouteEx +RasAddConnectionPort +RasAddNotification +RasAllocateRoute +RasBundleClearStatistics +RasBundleClearStatisticsEx +RasBundleGetPort +RasBundleGetStatistics +RasBundleGetStatisticsEx +RasCompressionGetInfo +RasCompressionSetInfo +RasConnectionEnum +RasConnectionGetStatistics +RasCreateConnection +RasDeAllocateRoute +RasDestroyConnection +RasDeviceConnect +RasDeviceEnum +RasDeviceGetInfo +RasDeviceSetInfo +RasDoIke +RasEnableIpSec +RasEnumConnectionPorts +RasEnumLanNets +RasFindPrerequisiteEntry +RasFreeBuffer +RasGetBandwidthUtilization +RasGetBestInterface +RasGetBuffer +RasGetCalledIdInfo +RasGetConnectInfo +RasGetConnectionParams +RasGetConnectionUserData +RasGetCustomScriptDll +RasGetDevConfig +RasGetDevConfigEx +RasGetDeviceConfigInfo +RasGetDeviceName +RasGetDeviceNameW +RasGetDialParams +RasGetEapUserInfo +RasGetFramingCapabilities +RasGetHConnFromEntry +RasGetHportFromConnection +RasGetInfo +RasGetInfoEx +RasGetKey +RasGetNdiswanDriverCaps +RasGetNumPortOpen +RasGetPortUserData +RasGetProtocolInfo +RasGetTimeSinceLastActivity +RasGetUnicodeDeviceName +RasGetUserCredentials +RasInitialize +RasInitializeNoWait +RasIsIpSecEnabled +RasIsPulseDial +RasIsTrustedCustomDll +RasLinkGetStatistics +RasPnPControl +RasPortBundle +RasPortCancelReceive +RasPortClearStatistics +RasPortClose +RasPortConnectComplete +RasPortDisconnect +RasPortEnum +RasPortEnumProtocols +RasPortFree +RasPortGetBundle +RasPortGetBundledPort +RasPortGetFramingEx +RasPortGetInfo +RasPortGetProtocolCompression +RasPortGetStatistics +RasPortGetStatisticsEx +RasPortListen +RasPortOpen +RasPortOpenEx +RasPortReceive +RasPortReceiveEx +RasPortRegisterSlip +RasPortReserve +RasPortRetrieveUserData +RasPortSend +RasPortSetFraming +RasPortSetFramingEx +RasPortSetInfo +RasPortSetProtocolCompression +RasPortStoreUserData +RasPppCallback +RasPppChangePassword +RasPppGetEapInfo +RasPppGetInfo +RasPppRetry +RasPppSetEapInfo +RasPppStart +RasPppStarted +RasPppStop +RasProtocolEnum +RasRPCBind +RasRefConnection +RasReferenceCustomCount +RasReferenceRasman +RasRegisterPnPEvent +RasRegisterPnPHandler +RasRegisterRedialCallback +RasRequestNotification +RasRpcConnect +RasRpcConnectServer +RasRpcDeleteEntry +RasRpcDeviceEnum +RasRpcDisconnect +RasRpcDisconnectServer +RasRpcEnumConnections +RasRpcGetCountryInfo +RasRpcGetDevConfig +RasRpcGetErrorString +RasRpcGetInstalledProtocols +RasRpcGetInstalledProtocolsEx +RasRpcGetSystemDirectory +RasRpcGetUserPreferences +RasRpcGetVersion +RasRpcPortEnum +RasRpcPortGetInfo +RasRpcRemoteGetSystemDirectory +RasRpcRemoteGetUserPreferences +RasRpcRemoteRasDeleteEntry +RasRpcRemoteSetUserPreferences +RasRpcSetUserPreferences +RasRpcUnloadDll +RasSecurityDialogGetInfo +RasSecurityDialogReceive +RasSecurityDialogSend +RasSendCreds +RasSendNotification +RasSendPppMessageToRasman +RasServerPortClose +RasSetAddressDisable +RasSetBapPolicy +RasSetCachedCredentials +RasSetCalledIdInfo +RasSetCommSettings +RasSetConnectionParams +RasSetConnectionUserData +RasSetDevConfig +RasSetDeviceConfigInfo +RasSetDialParams +RasSetEapLogonInfo +RasSetEapUserInfo +RasSetIoCompletionPort +RasSetKey +RasSetPortUserData +RasSetRasdialInfo +RasSetRouterUsage +RasSignalNewConnection +RasStartRasAutoIfRequired +RasmanUninitialize diff --git a/lib/libc/mingw/lib64/rasmans.def b/lib/libc/mingw/lib64/rasmans.def new file mode 100644 index 0000000000..bdc61f8e88 --- /dev/null +++ b/lib/libc/mingw/lib64/rasmans.def @@ -0,0 +1,13 @@ +; +; Exports of file rasmans.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasmans.dll +EXPORTS +ServiceMain +ServiceRequestInProcess +SetEntryDialParams +_RasmanEngine +_RasmanInit diff --git a/lib/libc/mingw/lib64/rasppp.def b/lib/libc/mingw/lib64/rasppp.def new file mode 100644 index 0000000000..d7e45820ae --- /dev/null +++ b/lib/libc/mingw/lib64/rasppp.def @@ -0,0 +1,35 @@ +; +; Exports of file rasppp.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rasppp.dll +EXPORTS +HelperResetDefaultInterfaceNet +HelperResetDefaultInterfaceNetEx +HelperSetDefaultInterfaceNet +HelperSetDefaultInterfaceNetEx +IpxCpInit +IpxcpBind +PppDdmBapCallbackResult +PppDdmCallbackDone +PppDdmChangeNotification +PppDdmDeInit +PppDdmInit +PppDdmRemoveQuarantine +PppDdmSendInterfaceInfo +PppDdmStart +PppDdmStop +PppStop +RasCpEnumProtocolIds +RasCpGetInfo +RasSrvrAcquireAddress +RasSrvrActivateIp +RasSrvrInitialize +RasSrvrQueryServerAddresses +RasSrvrReleaseAddress +RasSrvrUninitialize +SendPPPMessageToEngine +StartPPP +StopPPP diff --git a/lib/libc/mingw/lib64/rasrad.def b/lib/libc/mingw/lib64/rasrad.def new file mode 100644 index 0000000000..f8c039fcc6 --- /dev/null +++ b/lib/libc/mingw/lib64/rasrad.def @@ -0,0 +1,23 @@ +; +; Exports of file RASRAD.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RASRAD.dll +EXPORTS +Open +Collect +Close +RasAcctConfigChangeNotification +RasAcctProviderFreeAttributes +RasAcctProviderInitialize +RasAcctProviderInterimAccounting +RasAcctProviderStartAccounting +RasAcctProviderStopAccounting +RasAcctProviderTerminate +RasAuthConfigChangeNotification +RasAuthProviderAuthenticateUser +RasAuthProviderFreeAttributes +RasAuthProviderInitialize +RasAuthProviderTerminate diff --git a/lib/libc/mingw/lib64/rassapi.def b/lib/libc/mingw/lib64/rassapi.def new file mode 100644 index 0000000000..df82eb661d --- /dev/null +++ b/lib/libc/mingw/lib64/rassapi.def @@ -0,0 +1,22 @@ +; +; Exports of file RASSAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RASSAPI.dll +EXPORTS +RasAdminDLLInit +RasAdminUserSetInfo +RasAdminUserGetInfo +RasAdminGetUserAccountServer +RasAdminPortEnum +RasAdminPortGetInfo +RasAdminPortClearStatistics +RasAdminServerGetInfo +RasAdminPortDisconnect +RasAdminFreeBuffer +RasAdminSetUserParms +RasAdminGetUserParms +RasAdminCompressPhoneNumber +RasAdminGetErrorString diff --git a/lib/libc/mingw/lib64/rastls.def b/lib/libc/mingw/lib64/rastls.def new file mode 100644 index 0000000000..fadc71ce69 --- /dev/null +++ b/lib/libc/mingw/lib64/rastls.def @@ -0,0 +1,22 @@ +; +; Exports of file rastls.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY rastls.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +PeapUpdateStateToTLV +RasEapCreateConnectionProperties +RasEapCreateUserProperties +RasEapFreeMemory +RasEapGetCredentials +RasEapGetIdentity +RasEapGetInfo +RasEapInvokeConfigUI +RasEapInvokeInteractiveUI +RasEapUpdateServerConfig diff --git a/lib/libc/mingw/lib64/rdpsnd.def b/lib/libc/mingw/lib64/rdpsnd.def new file mode 100644 index 0000000000..98eae094aa --- /dev/null +++ b/lib/libc/mingw/lib64/rdpsnd.def @@ -0,0 +1,15 @@ +; +; Exports of file RDPSND.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RDPSND.dll +EXPORTS +DriverProc +auxMessage +midMessage +modMessage +mxdMessage +widMessage +wodMessage diff --git a/lib/libc/mingw/lib64/rdpwsx.def b/lib/libc/mingw/lib64/rdpwsx.def new file mode 100644 index 0000000000..d795e9e516 --- /dev/null +++ b/lib/libc/mingw/lib64/rdpwsx.def @@ -0,0 +1,27 @@ +; +; Exports of file RDPWSX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RDPWSX.dll +EXPORTS +WsxBrokenConnection +WsxCanLogonProceed +WsxClearContext +WsxConnect +WsxConvertPublishedApp +WsxCopyContext +WsxDisconnect +WsxDuplicateContext +WsxEscape +WsxIcaStackIoControl +WsxInitialize +WsxInitializeClientData +WsxLogonNotify +WsxSendAutoReconnectStatus +WsxSetErrorInfo +WsxVirtualChannelSecurity +WsxWinStationInitialize +WsxWinStationReInitialize +WsxWinStationRundown diff --git a/lib/libc/mingw/lib64/resutil.def b/lib/libc/mingw/lib64/resutil.def new file mode 100644 index 0000000000..a0df22bce0 --- /dev/null +++ b/lib/libc/mingw/lib64/resutil.def @@ -0,0 +1,85 @@ +; +; Definition file of RESUTILS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "RESUTILS.dll" +EXPORTS +ClusWorkerCheckTerminate +ClusWorkerCreate +ClusWorkerStart +ClusWorkerTerminate +ResUtilAddUnknownProperties +ResUtilCreateDirectoryTree +ResUtilDupParameterBlock +ResUtilDupString +ResUtilEnumPrivateProperties +ResUtilEnumProperties +ResUtilEnumResources +ResUtilEnumResourcesEx +ResUtilExpandEnvironmentStrings +ResUtilFindBinaryProperty +ResUtilFindDependentDiskResourceDriveLetter +ResUtilFindDwordProperty +ResUtilFindExpandSzProperty +ResUtilFindExpandedSzProperty +ResUtilFindFileTimeProperty +ResUtilFindLongProperty +ResUtilFindMultiSzProperty +ResUtilFindSzProperty +ResUtilFreeEnvironment +ResUtilFreeParameterBlock +ResUtilGetAllProperties +ResUtilGetBinaryProperty +ResUtilGetBinaryValue +ResUtilGetClusterRoleState +ResUtilGetCoreClusterResources +ResUtilGetDwordProperty +ResUtilGetDwordValue +ResUtilGetEnvironmentWithNetName +ResUtilGetFileTimeProperty +ResUtilGetLongProperty +ResUtilGetMultiSzProperty +ResUtilGetPrivateProperties +ResUtilGetProperties +ResUtilGetPropertiesToParameterBlock +ResUtilGetProperty +ResUtilGetPropertyFormats +ResUtilGetPropertySize +ResUtilGetQwordValue +ResUtilGetResourceDependency +ResUtilGetResourceDependencyByClass +ResUtilGetResourceDependencyByName +ResUtilGetResourceDependentIPAddressProps +ResUtilGetResourceName +ResUtilGetResourceNameDependency +ResUtilGetSzProperty +ResUtilGetSzValue +ResUtilIsPathValid +ResUtilIsResourceClassEqual +ResUtilPropertyListFromParameterBlock +ResUtilRemoveResourceServiceEnvironment +ResUtilResourceTypesEqual +ResUtilResourcesEqual +ResUtilSetBinaryValue +ResUtilSetDwordValue +ResUtilSetExpandSzValue +ResUtilSetMultiSzValue +ResUtilSetPrivatePropertyList +ResUtilSetPropertyParameterBlock +ResUtilSetPropertyParameterBlockEx +ResUtilSetPropertyTable +ResUtilSetPropertyTableEx +ResUtilSetQwordValue +ResUtilSetResourceServiceEnvironment +ResUtilSetResourceServiceStartParameters +ResUtilSetSzValue +ResUtilSetUnknownProperties +ResUtilStartResourceService +ResUtilStopResourceService +ResUtilStopService +ResUtilTerminateServiceProcessFromResDll +ResUtilVerifyPrivatePropertyList +ResUtilVerifyPropertyTable +ResUtilVerifyResourceService +ResUtilVerifyService diff --git a/lib/libc/mingw/lib64/routetab.def b/lib/libc/mingw/lib64/routetab.def new file mode 100644 index 0000000000..4288262ef8 --- /dev/null +++ b/lib/libc/mingw/lib64/routetab.def @@ -0,0 +1,18 @@ +; +; Exports of file ROUTETAB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ROUTETAB.dll +EXPORTS +AddRoute +DeleteRoute +FreeIPAddressTable +FreeRouteTable +GetIPAddressTable +GetIfEntry +GetRouteTable +RefreshAddresses +ReloadIPAddressTable +SetAddrChangeNotifyEvent diff --git a/lib/libc/mingw/lib64/rpcdiag.def b/lib/libc/mingw/lib64/rpcdiag.def new file mode 100644 index 0000000000..87e44c5bd9 --- /dev/null +++ b/lib/libc/mingw/lib64/rpcdiag.def @@ -0,0 +1,9 @@ +; +; Definition file of RpcDiag.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "RpcDiag.dll" +EXPORTS +I_RpcSetupDiagCallback +RpcDiagnoseError diff --git a/lib/libc/mingw/lib64/rpchttp.def b/lib/libc/mingw/lib64/rpchttp.def new file mode 100644 index 0000000000..46296a2e29 --- /dev/null +++ b/lib/libc/mingw/lib64/rpchttp.def @@ -0,0 +1,54 @@ +; +; Definition file of rpchttp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "rpchttp.dll" +EXPORTS +CompareHttpTransportCredentials +ConvertToUnicodeHttpTransportCredentials +DuplicateHttpTransportCredentials +FreeHttpTransportCredentials +HTTP2AbortConnection +HTTP2ChannelDataOriginatorDirectSend +HTTP2ContinueDrainChannel +HTTP2DirectReceive +HTTP2EpRecvFailed +HTTP2FlowControlChannelDirectSend +HTTP2IISDirectReceive +HTTP2IISSenderDirectSend +HTTP2PlugChannelDirectSend +HTTP2ProcessComplexTReceive +HTTP2ProcessComplexTSend +HTTP2RecycleChannel +HTTP2TestHook +HTTP2TimerReschedule +HTTP2WinHttpDelayedReceive +HTTP2WinHttpDirectReceive +HTTP2WinHttpDirectSend +HTTP_Abort +HTTP_Close +HTTP_CopyResolverHint +HTTP_FreeResolverHint +HTTP_Initialize +HTTP_Open +HTTP_QueryClientAddress +HTTP_QueryClientId +HTTP_QueryClientIpAddress +HTTP_QueryLocalAddress +HTTP_Recv +HTTP_Send +HTTP_ServerListen +HTTP_SetLastBufferToFree +HTTP_SyncRecv +HTTP_SyncSend +HTTP_TurnOnOffKeepAlives +HttpParseNetworkOptions +HttpSendIdentifyResponse +I_RpcGetRpcProxy +I_RpcTransFreeHttpCredentials +I_RpcTransGetHttpCredentials +WS_HTTP2_CONNECTION__Initialize +WS_HTTP2_INITIAL_CONNECTION__new +I_RpcProxyNewConnection +I_RpcReplyToClientWithStatus diff --git a/lib/libc/mingw/lib64/rpcref.def b/lib/libc/mingw/lib64/rpcref.def new file mode 100644 index 0000000000..8de9fe314e --- /dev/null +++ b/lib/libc/mingw/lib64/rpcref.def @@ -0,0 +1,10 @@ +; +; Exports of file RPCREF.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY RPCREF.dll +EXPORTS +InetinfoStartRpcServerListen +InetinfoStopRpcServerListen diff --git a/lib/libc/mingw/lib64/samlib.def b/lib/libc/mingw/lib64/samlib.def new file mode 100644 index 0000000000..e40d498431 --- /dev/null +++ b/lib/libc/mingw/lib64/samlib.def @@ -0,0 +1,73 @@ +; +; Exports of file SAMLIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SAMLIB.dll +EXPORTS +SamAddMemberToAlias +SamAddMemberToGroup +SamAddMultipleMembersToAlias +SamChangePasswordUser +SamChangePasswordUser2 +SamChangePasswordUser3 +SamCloseHandle +SamConnect +SamConnectWithCreds +SamCreateAliasInDomain +SamCreateGroupInDomain +SamCreateUser2InDomain +SamCreateUserInDomain +SamDeleteAlias +SamDeleteGroup +SamDeleteUser +SamEnumerateAliasesInDomain +SamEnumerateDomainsInSamServer +SamEnumerateGroupsInDomain +SamEnumerateUsersInDomain +SamFreeMemory +SamGetAliasMembership +SamGetCompatibilityMode +SamGetDisplayEnumerationIndex +SamGetGroupsForUser +SamGetMembersInAlias +SamGetMembersInGroup +SamLookupDomainInSamServer +SamLookupIdsInDomain +SamLookupNamesInDomain +SamOpenAlias +SamOpenDomain +SamOpenGroup +SamOpenUser +SamQueryDisplayInformation +SamQueryInformationAlias +SamQueryInformationDomain +SamQueryInformationGroup +SamQueryInformationUser +SamQuerySecurityObject +SamRemoveMemberFromAlias +SamRemoveMemberFromForeignDomain +SamRemoveMemberFromGroup +SamRemoveMultipleMembersFromAlias +SamRidToSid +SamSetInformationAlias +SamSetInformationDomain +SamSetInformationGroup +SamSetInformationUser +SamSetMemberAttributesOfGroup +SamSetSecurityObject +SamShutdownSamServer +SamTestPrivateFunctionsDomain +SamTestPrivateFunctionsUser +SamValidatePassword +SamiChangeKeys +SamiChangePasswordUser +SamiChangePasswordUser2 +SamiEncryptPasswords +SamiGetBootKeyInformation +SamiLmChangePasswordUser +SamiOemChangePasswordUser2 +SamiSetBootKeyInformation +SamiSetDSRMPassword +SamiSetDSRMPasswordOWF diff --git a/lib/libc/mingw/lib64/samsrv.def b/lib/libc/mingw/lib64/samsrv.def new file mode 100644 index 0000000000..640963d2c6 --- /dev/null +++ b/lib/libc/mingw/lib64/samsrv.def @@ -0,0 +1,170 @@ +; +; Exports of file SAMSRV.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SAMSRV.dll +EXPORTS +SamIAccountRestrictions +SamIAddDSNameToAlias +SamIAddDSNameToGroup +SamIAmIGC +SamIChangePasswordForeignUser +SamIChangePasswordForeignUser2 +SamIConnect +SamICreateAccountByRid +SamIDemote +SamIDemoteUndo +SamIDoFSMORoleChange +SamIDsCreateObjectInDomain +SamIDsSetObjectInformation +SamIEnumerateAccountRids +SamIEnumerateInterdomainTrustAccountsForUpgrade +SamIFloatingSingleMasterOpEx +SamIFreeSidAndAttributesList +SamIFreeSidArray +SamIFreeVoid +SamIFree_SAMPR_ALIAS_INFO_BUFFER +SamIFree_SAMPR_DISPLAY_INFO_BUFFER +SamIFree_SAMPR_DOMAIN_INFO_BUFFER +SamIFree_SAMPR_ENUMERATION_BUFFER +SamIFree_SAMPR_GET_GROUPS_BUFFER +SamIFree_SAMPR_GET_MEMBERS_BUFFER +SamIFree_SAMPR_GROUP_INFO_BUFFER +SamIFree_SAMPR_PSID_ARRAY +SamIFree_SAMPR_RETURNED_USTRING_ARRAY +SamIFree_SAMPR_SR_SECURITY_DESCRIPTOR +SamIFree_SAMPR_ULONG_ARRAY +SamIFree_SAMPR_USER_INFO_BUFFER +SamIFree_UserInternal6Information +SamIGCLookupNames +SamIGCLookupSids +SamIGetAliasMembership +SamIGetBootKeyInformation +SamIGetDefaultAdministratorName +SamIGetDefaultComputersContainer +SamIGetFixedAttributes +SamIGetInterdomainTrustAccountPasswordsForUpgrade +SamIGetPrivateData +SamIGetResourceGroupMembershipsTransitive +SamIGetSerialNumberDomain +SamIGetUserLogonInformation +SamIGetUserLogonInformation2 +SamIGetUserLogonInformationEx +SamIHandleObjectUpdate +SamIImpersonateNullSession +SamIIncrementPerformanceCounter +SamIInitialize +SamIIsAttributeProtected +SamIIsDownlevelDcUpgrade +SamIIsExtendedSidMode +SamIIsRebootAfterPromotion +SamIIsSetupInProgress +SamILoadDownlevelDatabase +SamILoopbackConnect +SamIMixedDomain +SamIMixedDomain2 +SamINT4UpgradeInProgress +SamINetLogonPing +SamINotifyDelta +SamINotifyRoleChange +SamINotifyServerDelta +SamIOpenAccount +SamIOpenUserByAlternateId +SamIPromote +SamIPromoteUndo +SamIQueryServerRole +SamIQueryServerRole2 +SamIRemoveDSNameFromAlias +SamIRemoveDSNameFromGroup +SamIReplaceDownlevelDatabase +SamIResetBadPwdCountOnPdc +SamIRetrievePrimaryCredentials +SamIRevertNullSession +SamISameSite +SamISetAuditingInformation +SamISetMixedDomainFlag +SamISetPasswordForeignUser +SamISetPasswordForeignUser2 +SamISetPasswordInfoOnPdc +SamISetPrivateData +SamISetSerialNumberDomain +SamIStorePrimaryCredentials +SamIUPNFromUserHandle +SamIUnLoadDownlevelDatabase +SamIUpdateLogonStatistics +SampAbortSingleLoopbackTask +SampAccountControlToFlags +SampAcquireSamLockExclusive +SampAcquireWriteLock +SampCommitBufferedWrites +SampConvertNt4SdToNt5Sd +SampDsChangePasswordUser +SampFlagsToAccountControl +SampGetDefaultSecurityDescriptorForClass +SampGetSerialNumberDomain2 +SampInitializeRegistry +SampInitializeSdConversion +SampInvalidateDomainCache +SampInvalidateRidRange +SampIsAuditingEnabled +SampNetLogonNotificationRequired +SampNotifyAuditChange +SampNotifyReplicatedInChange +SampProcessSingleLoopbackTask +SampReleaseSamLockExclusive +SampReleaseWriteLock +SampRtlConvertUlongToUnicodeString +SampSetSerialNumberDomain2 +SampUsingDsData +SampWriteGroupType +SamrAddMemberToAlias +SamrAddMemberToGroup +SamrAddMultipleMembersToAlias +SamrChangePasswordUser +SamrCloseHandle +SamrCreateAliasInDomain +SamrCreateGroupInDomain +SamrCreateUser2InDomain +SamrCreateUserInDomain +SamrDeleteAlias +SamrDeleteGroup +SamrDeleteUser +SamrEnumerateAliasesInDomain +SamrEnumerateDomainsInSamServer +SamrEnumerateGroupsInDomain +SamrEnumerateUsersInDomain +SamrGetAliasMembership +SamrGetGroupsForUser +SamrGetMembersInAlias +SamrGetMembersInGroup +SamrGetUserDomainPasswordInformation +SamrLookupDomainInSamServer +SamrLookupIdsInDomain +SamrLookupNamesInDomain +SamrOpenAlias +SamrOpenDomain +SamrOpenGroup +SamrOpenUser +SamrQueryDisplayInformation +SamrQueryInformationAlias +SamrQueryInformationDomain +SamrQueryInformationGroup +SamrQueryInformationUser +SamrQuerySecurityObject +SamrRemoveMemberFromAlias +SamrRemoveMemberFromForeignDomain +SamrRemoveMemberFromGroup +SamrRemoveMultipleMembersFromAlias +SamrRidToSid +SamrSetInformationAlias +SamrSetInformationDomain +SamrSetInformationGroup +SamrSetInformationUser +SamrSetMemberAttributesOfGroup +SamrSetSecurityObject +SamrShutdownSamServer +SamrTestPrivateFunctionsDomain +SamrTestPrivateFunctionsUser +SamrUnicodeChangePasswordUser2 diff --git a/lib/libc/mingw/lib64/sapi.def b/lib/libc/mingw/lib64/sapi.def new file mode 100644 index 0000000000..887c50c3dd --- /dev/null +++ b/lib/libc/mingw/lib64/sapi.def @@ -0,0 +1,13 @@ +; +; Exports of file sapi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sapi.dll +EXPORTS +RunSapiServer +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/sccbase.def b/lib/libc/mingw/lib64/sccbase.def new file mode 100644 index 0000000000..776b7f4a84 --- /dev/null +++ b/lib/libc/mingw/lib64/sccbase.def @@ -0,0 +1,34 @@ +; +; Exports of file SCCBASE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCCBASE.dll +EXPORTS +CPAcquireContext +CPAcquireContextW +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPSignHash +CPVerifySignature +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/scecli.def b/lib/libc/mingw/lib64/scecli.def new file mode 100644 index 0000000000..c850a2cea0 --- /dev/null +++ b/lib/libc/mingw/lib64/scecli.def @@ -0,0 +1,80 @@ +; +; Exports of file SCECLI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCECLI.dll +EXPORTS +DeltaNotify +InitializeChangeNotify +SceConfigureConvertedFileSecurity +SceGenerateGroupPolicy +SceNotifyPolicyDelta +SceOpenPolicy +SceProcessEFSRecoveryGPO +SceProcessSecurityPolicyGPO +SceProcessSecurityPolicyGPOEx +SceSysPrep +DllRegisterServer +DllUnregisterServer +SceAddToNameList +SceAddToNameStatusList +SceAddToObjectList +SceAnalyzeSystem +SceAppendSecurityProfileInfo +SceBrowseDatabaseTable +SceCloseProfile +SceCommitTransaction +SceCompareNameList +SceCompareSecurityDescriptors +SceConfigureSystem +SceCopyBaseProfile +SceCreateDirectory +SceDcPromoCreateGPOsInSysvol +SceDcPromoCreateGPOsInSysvolEx +SceDcPromoteSecurity +SceDcPromoteSecurityEx +SceEnforceSecurityPolicyPropagation +SceEnumerateServices +SceFreeMemory +SceFreeProfileMemory +SceGenerateRollback +SceGetAnalysisAreaSummary +SceGetAreas +SceGetDatabaseSetting +SceGetDbTime +SceGetObjectChildren +SceGetObjectSecurity +SceGetScpProfileDescription +SceGetSecurityProfileInfo +SceGetServerProductType +SceGetTimeStamp +SceIsSystemDatabase +SceLookupPrivRightName +SceOpenProfile +SceRegisterRegValues +SceRollbackTransaction +SceSetDatabaseSetting +SceSetupBackupSecurity +SceSetupConfigureServices +SceSetupGenerateTemplate +SceSetupMoveSecurityFile +SceSetupRootSecurity +SceSetupSystemByInfName +SceSetupUnwindSecurityFile +SceSetupUpdateSecurityFile +SceSetupUpdateSecurityKey +SceSetupUpdateSecurityService +SceStartTransaction +SceSvcConvertSDToText +SceSvcConvertTextToSD +SceSvcFree +SceSvcGetInformationTemplate +SceSvcQueryInfo +SceSvcSetInfo +SceSvcSetInformationTemplate +SceSvcUpdateInfo +SceUpdateObjectInfo +SceUpdateSecurityProfile +SceWriteSecurityProfileInfo diff --git a/lib/libc/mingw/lib64/schedsvc.def b/lib/libc/mingw/lib64/schedsvc.def new file mode 100644 index 0000000000..4958c4d593 --- /dev/null +++ b/lib/libc/mingw/lib64/schedsvc.def @@ -0,0 +1,15 @@ +; +; Exports of file schedsvc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY schedsvc.dll +EXPORTS +SPUninstall +SPUninstallCallback +SchedServiceMain +SysPrepBackup +SysPrepRestore +CloseProc +SysPrepCallback diff --git a/lib/libc/mingw/lib64/sclgntfy.def b/lib/libc/mingw/lib64/sclgntfy.def new file mode 100644 index 0000000000..bc7a67eaa7 --- /dev/null +++ b/lib/libc/mingw/lib64/sclgntfy.def @@ -0,0 +1,20 @@ +; +; Exports of file SCLGNTFY.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCLGNTFY.dll +EXPORTS +WLEventLock +WLEventLogoff +WLEventLogon +WLEventShutdown +WLEventStartScreenSaver +WLEventStartShell +WLEventStartup +WLEventStopScreenSaver +WLEventUnlock +DllRegisterServer +DllUnregisterServer +GenerateDefaultEFSRecoveryPolicy diff --git a/lib/libc/mingw/lib64/scredir.def b/lib/libc/mingw/lib64/scredir.def new file mode 100644 index 0000000000..e84c219309 --- /dev/null +++ b/lib/libc/mingw/lib64/scredir.def @@ -0,0 +1,52 @@ +; +; Exports of file scredir.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY scredir.dll +EXPORTS +SCardReleaseBadContext +DllRegisterServer +DllUnregisterServer +SCardAccessStartedEvent +SCardAddReaderToGroupA +SCardAddReaderToGroupW +SCardBeginTransaction +SCardCancel +SCardConnectA +SCardConnectW +SCardControl +SCardDisconnect +SCardEndTransaction +SCardEstablishContext +SCardForgetReaderA +SCardForgetReaderGroupA +SCardForgetReaderGroupW +SCardForgetReaderW +SCardGetAttrib +SCardGetStatusChangeA +SCardGetStatusChangeW +SCardIntroduceReaderA +SCardIntroduceReaderGroupA +SCardIntroduceReaderGroupW +SCardIntroduceReaderW +SCardIsValidContext +SCardListReaderGroupsA +SCardListReaderGroupsW +SCardListReadersA +SCardListReadersW +SCardLocateCardsA +SCardLocateCardsByATRA +SCardLocateCardsByATRW +SCardLocateCardsW +SCardReconnect +SCardReleaseContext +SCardReleaseStartedEvent +SCardRemoveReaderFromGroupA +SCardRemoveReaderFromGroupW +SCardSetAttrib +SCardState +SCardStatusA +SCardStatusW +SCardTransmit diff --git a/lib/libc/mingw/lib64/script.def b/lib/libc/mingw/lib64/script.def new file mode 100644 index 0000000000..8a2ca681f2 --- /dev/null +++ b/lib/libc/mingw/lib64/script.def @@ -0,0 +1,15 @@ +; +; Exports of file SCRIPT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SCRIPT.dll +EXPORTS +DestinationModule +DllMain +ModuleInitialize +ModuleTerminate +SourceModule +TypeModule +VirtualComputerModule diff --git a/lib/libc/mingw/lib64/senscfg.def b/lib/libc/mingw/lib64/senscfg.def new file mode 100644 index 0000000000..cdf3a399db --- /dev/null +++ b/lib/libc/mingw/lib64/senscfg.def @@ -0,0 +1,10 @@ +; +; Exports of file SensCfg.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SensCfg.dll +EXPORTS +SensRegister +SensUnregister diff --git a/lib/libc/mingw/lib64/seo.def b/lib/libc/mingw/lib64/seo.def new file mode 100644 index 0000000000..6aa2a528ac --- /dev/null +++ b/lib/libc/mingw/lib64/seo.def @@ -0,0 +1,27 @@ +; +; Exports of file SEO.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SEO.DLL +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +MCISGetBindingInMetabaseA +MCISGetBindingInMetabaseW +MCISInitSEOA +MCISInitSEOW +SEOCancelListenForEvent +SEOCopyDictionary +SEOCreateDictionaryFromIStream +SEOCreateDictionaryFromMultiSzA +SEOCreateDictionaryFromMultiSzW +SEOCreateIStreamFromFileA +SEOCreateIStreamFromFileW +SEOCreateMultiSzFromDictionaryA +SEOCreateMultiSzFromDictionaryW +SEOListenForEvent +SEOWriteDictionaryToIStream diff --git a/lib/libc/mingw/lib64/setupqry.def b/lib/libc/mingw/lib64/setupqry.def new file mode 100644 index 0000000000..73d029c346 --- /dev/null +++ b/lib/libc/mingw/lib64/setupqry.def @@ -0,0 +1,9 @@ +; +; Exports of file setupqry.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY setupqry.dll +EXPORTS +IndexSrv diff --git a/lib/libc/mingw/lib64/sfc_os.def b/lib/libc/mingw/lib64/sfc_os.def new file mode 100644 index 0000000000..e53a98625e --- /dev/null +++ b/lib/libc/mingw/lib64/sfc_os.def @@ -0,0 +1,12 @@ +; +; Exports of file sfc_os.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sfc_os.dll +EXPORTS +SfcGetNextProtectedFile +SfcIsFileProtected +SfcWLEventLogoff +SfcWLEventLogon diff --git a/lib/libc/mingw/lib64/sfcfiles.def b/lib/libc/mingw/lib64/sfcfiles.def new file mode 100644 index 0000000000..25d6b534e9 --- /dev/null +++ b/lib/libc/mingw/lib64/sfcfiles.def @@ -0,0 +1,9 @@ +; +; Exports of file sfcfiles.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sfcfiles.dll +EXPORTS +SfcGetFiles diff --git a/lib/libc/mingw/lib64/sfmapi.def b/lib/libc/mingw/lib64/sfmapi.def new file mode 100644 index 0000000000..2ea8c83831 --- /dev/null +++ b/lib/libc/mingw/lib64/sfmapi.def @@ -0,0 +1,40 @@ +; +; Exports of file SFMAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SFMAPI.dll +EXPORTS +AfpAdminBufferFree +AfpAdminConnect +AfpAdminConnectionClose +AfpAdminConnectionEnum +AfpAdminDirectoryGetInfo +AfpAdminDirectorySetInfo +AfpAdminDisconnect +AfpAdminETCMapAdd +AfpAdminETCMapAssociate +AfpAdminETCMapDelete +AfpAdminETCMapGetInfo +AfpAdminETCMapSetInfo +AfpAdminFileClose +AfpAdminFileEnum +AfpAdminFinderSetInfo +AfpAdminInvalidVolumeDelete +AfpAdminInvalidVolumeEnum +AfpAdminMessageSend +AfpAdminProfileClear +AfpAdminProfileGet +AfpAdminServerGetInfo +AfpAdminServerSetInfo +AfpAdminSessionClose +AfpAdminSessionEnum +AfpAdminStatisticsClear +AfpAdminStatisticsGet +AfpAdminStatisticsGetEx +AfpAdminVolumeAdd +AfpAdminVolumeDelete +AfpAdminVolumeEnum +AfpAdminVolumeGetInfo +AfpAdminVolumeSetInfo diff --git a/lib/libc/mingw/lib64/shimeng.def b/lib/libc/mingw/lib64/shimeng.def new file mode 100644 index 0000000000..2d131b87c8 --- /dev/null +++ b/lib/libc/mingw/lib64/shimeng.def @@ -0,0 +1,18 @@ +; +; Exports of file ShimEng.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ShimEng.dll +EXPORTS +SE_DllLoaded +SE_DllUnloaded +SE_DynamicShim +SE_DynamicUnshim +SE_InstallAfterInit +SE_InstallBeforeInit +SE_IsShimDll +SE_ProcessDying +SE_RemoveNTVDMTask +SE_ShimNTVDM diff --git a/lib/libc/mingw/lib64/shscrap.def b/lib/libc/mingw/lib64/shscrap.def new file mode 100644 index 0000000000..8f1a66c59a --- /dev/null +++ b/lib/libc/mingw/lib64/shscrap.def @@ -0,0 +1,14 @@ +; +; Exports of file SHSCRAP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SHSCRAP.dll +EXPORTS +Scrap_CreateFromDataObject +DllCanUnloadNow +DllGetClassObject +OpenScrap_RunDLL +OpenScrap_RunDLLA +OpenScrap_RunDLLW diff --git a/lib/libc/mingw/lib64/sigtab.def b/lib/libc/mingw/lib64/sigtab.def new file mode 100644 index 0000000000..1a171d8b71 --- /dev/null +++ b/lib/libc/mingw/lib64/sigtab.def @@ -0,0 +1,9 @@ +; +; Exports of file SIGTAB.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SIGTAB.DLL +EXPORTS +DriverSigningDialog diff --git a/lib/libc/mingw/lib64/skdll.def b/lib/libc/mingw/lib64/skdll.def new file mode 100644 index 0000000000..6f86073307 --- /dev/null +++ b/lib/libc/mingw/lib64/skdll.def @@ -0,0 +1,9 @@ +; +; Exports of file SKDLL.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SKDLL.dll +EXPORTS +SKEY_SystemParametersInfo diff --git a/lib/libc/mingw/lib64/slbcsp.def b/lib/libc/mingw/lib64/slbcsp.def new file mode 100644 index 0000000000..650f7b996d --- /dev/null +++ b/lib/libc/mingw/lib64/slbcsp.def @@ -0,0 +1,35 @@ +; +; Exports of file SLBCSP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SLBCSP.dll +EXPORTS +CPAcquireContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPDuplicateHash +CPDuplicateKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSignHash +CPVerifySignature +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/smtpapi.def b/lib/libc/mingw/lib64/smtpapi.def new file mode 100644 index 0000000000..0e1accf1ec --- /dev/null +++ b/lib/libc/mingw/lib64/smtpapi.def @@ -0,0 +1,26 @@ +; +; Exports of file SMTPAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SMTPAPI.dll +EXPORTS +SmtpBackupRoutingTable +SmtpClearStatistics +SmtpCreateDistList +SmtpCreateDistListMember +SmtpCreateUser +SmtpDeleteDistList +SmtpDeleteDistListMember +SmtpDeleteUser +SmtpDisconnectUser +SmtpGetAdminInformation +SmtpGetConnectedUserList +SmtpGetNameList +SmtpGetNameListFromList +SmtpGetUserProps +SmtpGetVRootSize +SmtpQueryStatistics +SmtpSetAdminInformation +SmtpSetUserProps diff --git a/lib/libc/mingw/lib64/smtpctrs.def b/lib/libc/mingw/lib64/smtpctrs.def new file mode 100644 index 0000000000..4059c3b72d --- /dev/null +++ b/lib/libc/mingw/lib64/smtpctrs.def @@ -0,0 +1,11 @@ +; +; Exports of file SMTPCTRS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SMTPCTRS.dll +EXPORTS +OpenSmtpPerformanceData +CollectSmtpPerformanceData +CloseSmtpPerformanceData diff --git a/lib/libc/mingw/lib64/snmpmib.def b/lib/libc/mingw/lib64/snmpmib.def new file mode 100644 index 0000000000..98e677ddf8 --- /dev/null +++ b/lib/libc/mingw/lib64/snmpmib.def @@ -0,0 +1,12 @@ +; +; Exports of file SNMPMIB.exe +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SNMPMIB.exe +EXPORTS +SnmpExtensionInit +SnmpExtensionMonitor +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/snprfdll.def b/lib/libc/mingw/lib64/snprfdll.def new file mode 100644 index 0000000000..7ed0320f2a --- /dev/null +++ b/lib/libc/mingw/lib64/snprfdll.def @@ -0,0 +1,11 @@ +; +; Exports of file ExPrfDll.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ExPrfDll.dll +EXPORTS +NTFSDrvClose +NTFSDrvCollect +NTFSDrvOpen diff --git a/lib/libc/mingw/lib64/spoolss.def b/lib/libc/mingw/lib64/spoolss.def index d4d4e56520..73ea12e89f 100644 --- a/lib/libc/mingw/lib64/spoolss.def +++ b/lib/libc/mingw/lib64/spoolss.def @@ -130,7 +130,6 @@ MarshallDownStructuresArray MarshallUpStructure MarshallUpStructuresArray OldGetPrinterDriverW -OpenPrinterExW OpenPrinterPortW OpenPrinter2W OpenPrinterPort2W diff --git a/lib/libc/mingw/lib64/sqlxmlx.def b/lib/libc/mingw/lib64/sqlxmlx.def new file mode 100644 index 0000000000..f3c32f1404 --- /dev/null +++ b/lib/libc/mingw/lib64/sqlxmlx.def @@ -0,0 +1,14 @@ +; +; Exports of file SQLXMLX.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SQLXMLX.dll +EXPORTS +DllMain +ExecuteToStream +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/srchctls.def b/lib/libc/mingw/lib64/srchctls.def new file mode 100644 index 0000000000..5e9b72273d --- /dev/null +++ b/lib/libc/mingw/lib64/srchctls.def @@ -0,0 +1,11 @@ +; +; Exports of file srchctls.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY srchctls.dll +EXPORTS +InitializeSearchControls +UninitializeSearchControls +CreateSpellEdit diff --git a/lib/libc/mingw/lib64/srclient.def b/lib/libc/mingw/lib64/srclient.def new file mode 100644 index 0000000000..ecc20af1fc --- /dev/null +++ b/lib/libc/mingw/lib64/srclient.def @@ -0,0 +1,35 @@ +; +; Exports of file SRCLIENT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SRCLIENT.dll +EXPORTS +CreateFirstRunRp +CreateSnapshot +DisableFIFO +DisableSR +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +EnableFIFO +EnableSR +EnableSREx +ResetSR +RestoreSnapshot +SRCompress +SRFifo +SRFreeze +SRNotify +SRPrintState +SRRegisterSnapshotCallback +SRRemoveRestorePoint +SRSetRestorePointA +SRSetRestorePointW +SRSwitchLog +SRUnregisterSnapshotCallback +SRUpdateDSSize +SRUpdateMonitoredListA +SRUpdateMonitoredListW diff --git a/lib/libc/mingw/lib64/srrstr.def b/lib/libc/mingw/lib64/srrstr.def new file mode 100644 index 0000000000..20b9895aa2 --- /dev/null +++ b/lib/libc/mingw/lib64/srrstr.def @@ -0,0 +1,18 @@ +; +; Exports of file SRRSTR.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SRRSTR.dll +EXPORTS +DllMain +IsSRFrozen +CheckPrivilegesForRestore +SRGetCplPropPage +PrepareRestore +InitiateRestore +ResumeRestore +InitializeChangeNotify +PasswordChangeNotify +InvokeDiskCleanup diff --git a/lib/libc/mingw/lib64/ssdpapi.def b/lib/libc/mingw/lib64/ssdpapi.def new file mode 100644 index 0000000000..0a4f1caf59 --- /dev/null +++ b/lib/libc/mingw/lib64/ssdpapi.def @@ -0,0 +1,27 @@ +; +; Exports of file SSDPAPI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SSDPAPI.dll +EXPORTS +CleanupCache +DHDisableDeviceHost +DHEnableDeviceHost +DHSetICSInterfaces +DHSetICSOff +DeregisterNotification +DeregisterService +DeregisterServiceByUSN +FindServices +FindServicesCallback +FindServicesCancel +FindServicesClose +FreeSsdpMessage +GetFirstService +GetNextService +RegisterNotification +RegisterService +SsdpCleanup +SsdpStartup diff --git a/lib/libc/mingw/lib64/ssinc.def b/lib/libc/mingw/lib64/ssinc.def new file mode 100644 index 0000000000..2f4640e0f1 --- /dev/null +++ b/lib/libc/mingw/lib64/ssinc.def @@ -0,0 +1,11 @@ +; +; Exports of file SSINC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SSINC.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/staxmem.def b/lib/libc/mingw/lib64/staxmem.def new file mode 100644 index 0000000000..1ee4b8bbdb --- /dev/null +++ b/lib/libc/mingw/lib64/staxmem.def @@ -0,0 +1,42 @@ +; +; Exports of file STAXMEM.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY STAXMEM.dll +EXPORTS +ExchAlloc +ExchFree +ExchHeapAlloc +ExchHeapCompact +ExchHeapCreate +ExchHeapDestroy +ExchHeapFree +ExchHeapLock +ExchHeapReAlloc +ExchHeapSize +ExchHeapUnlock +ExchHeapValidate +ExchHeapWalk +ExchMHeapAlloc +ExchMHeapAllocDebug +ExchMHeapCreate +ExchMHeapDestroy +ExchMHeapFree +ExchMHeapReAlloc +ExchMHeapReAllocDebug +ExchMHeapSize +ExchReAlloc +ExchSize +ExchmemFormatSymbol +ExchmemGetCallStack +ExchmemReloadSymbols +MpHeapAlloc +MpHeapCompact +MpHeapCreate +MpHeapDestroy +MpHeapFree +MpHeapGetStatistics +MpHeapReAlloc +MpHeapValidate diff --git a/lib/libc/mingw/lib64/sti.def b/lib/libc/mingw/lib64/sti.def new file mode 100644 index 0000000000..874f2e85ca --- /dev/null +++ b/lib/libc/mingw/lib64/sti.def @@ -0,0 +1,42 @@ +; +; Exports of file STI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY STI.dll +EXPORTS +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +GetProxyDllInfo +MigrateRegisteredSTIAppsForWIAEvents +RegSTIforWia +StiCreateInstance +StiCreateInstanceA +StiCreateInstanceW diff --git a/lib/libc/mingw/lib64/sti_ci.def b/lib/libc/mingw/lib64/sti_ci.def new file mode 100644 index 0000000000..9669360c1b --- /dev/null +++ b/lib/libc/mingw/lib64/sti_ci.def @@ -0,0 +1,43 @@ +; +; Exports of file sti_ci.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY sti_ci.dll +EXPORTS +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +AddDevice +InstallWiaService +MigrateDevice +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +WiaAddDevice +WiaCreatePortList +WiaCreateWizardMenu +WiaDestroyPortList +WiaRemoveDevice +ClassInstall +CoinstallerEntry +PTPCoinstallerEntry diff --git a/lib/libc/mingw/lib64/storprop.def b/lib/libc/mingw/lib64/storprop.def new file mode 100644 index 0000000000..451241a899 --- /dev/null +++ b/lib/libc/mingw/lib64/storprop.def @@ -0,0 +1,18 @@ +; +; Exports of file PROPPAGE.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY PROPPAGE.DLL +EXPORTS +CdromDisableDigitalPlayback +CdromEnableDigitalPlayback +CdromIsDigitalPlaybackEnabled +CdromKnownGoodDigitalPlayback +DiskClassInstaller +DvdClassInstaller +DvdLauncher +DvdPropPageProvider +IdePropPageProvider +VolumePropPageProvider diff --git a/lib/libc/mingw/lib64/strmfilt.def b/lib/libc/mingw/lib64/strmfilt.def new file mode 100644 index 0000000000..fd1a0496e8 --- /dev/null +++ b/lib/libc/mingw/lib64/strmfilt.def @@ -0,0 +1,19 @@ +; +; Exports of file strmfilt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY strmfilt.dll +EXPORTS +IsapiFilterInitialize +IsapiFilterTerminate +StreamFilterClientInitialize +StreamFilterClientStart +StreamFilterClientStop +StreamFilterClientTerminate +StreamFilterInitialize +StreamFilterStart +StreamFilterStop +StreamFilterTerminate +DllMain diff --git a/lib/libc/mingw/lib64/svcpack.def b/lib/libc/mingw/lib64/svcpack.def new file mode 100644 index 0000000000..b68dd83203 --- /dev/null +++ b/lib/libc/mingw/lib64/svcpack.def @@ -0,0 +1,9 @@ +; +; Exports of file SVCPACK.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SVCPACK.dll +EXPORTS +SvcPackCallbackRoutine diff --git a/lib/libc/mingw/lib64/synceng.def b/lib/libc/mingw/lib64/synceng.def new file mode 100644 index 0000000000..60d50add86 --- /dev/null +++ b/lib/libc/mingw/lib64/synceng.def @@ -0,0 +1,44 @@ +; +; Exports of file SYNCENG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SYNCENG.dll +EXPORTS +AddAllTwinsToTwinList +AddFolderTwin +AddObjectTwin +AddTwinToTwinList +AnyTwins +BeginReconciliation +ClearBriefcaseCache +CloseBriefcase +CompareFileStamps +CountSourceFolderTwins +CreateFolderTwinList +CreateRecList +CreateTwinList +DeleteBriefcase +DeleteTwin +DestroyFolderTwinList +DestroyRecList +DestroyTwinList +EndReconciliation +FindBriefcaseClose +FindFirstBriefcase +FindNextBriefcase +GetFileStamp +GetFolderTwinStatus +GetObjectTwinHandle +GetOpenBriefcaseInfo +GetVolumeDescription +IsFolderTwin +IsOrphanObjectTwin +IsPathOnVolume +OpenBriefcase +ReconcileItem +ReleaseTwinHandle +RemoveAllTwinsFromTwinList +RemoveTwinFromTwinList +SaveBriefcase diff --git a/lib/libc/mingw/lib64/syncui.def b/lib/libc/mingw/lib64/syncui.def new file mode 100644 index 0000000000..a80d23a852 --- /dev/null +++ b/lib/libc/mingw/lib64/syncui.def @@ -0,0 +1,14 @@ +; +; Exports of file SYNCUI.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SYNCUI.dll +EXPORTS +Briefcase_Create +Briefcase_Intro +Briefcase_CreateW +Briefcase_CreateA +DllCanUnloadNow +DllGetClassObject diff --git a/lib/libc/mingw/lib64/sysinv.def b/lib/libc/mingw/lib64/sysinv.def new file mode 100644 index 0000000000..fa3a55c55f --- /dev/null +++ b/lib/libc/mingw/lib64/sysinv.def @@ -0,0 +1,10 @@ +; +; Exports of file SysInv.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SysInv.dll +EXPORTS +GetSystemInventoryA +GetSystemInventoryW diff --git a/lib/libc/mingw/lib64/sysmod.def b/lib/libc/mingw/lib64/sysmod.def new file mode 100644 index 0000000000..802ca268a4 --- /dev/null +++ b/lib/libc/mingw/lib64/sysmod.def @@ -0,0 +1,15 @@ +; +; Exports of file SYSMOD.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SYSMOD.dll +EXPORTS +DestinationModule +DllMain +ModuleInitialize +ModuleTerminate +SourceModule +TypeModule +VirtualComputerModule diff --git a/lib/libc/mingw/lib64/syssetup.def b/lib/libc/mingw/lib64/syssetup.def new file mode 100644 index 0000000000..35aa8cf3b7 --- /dev/null +++ b/lib/libc/mingw/lib64/syssetup.def @@ -0,0 +1,96 @@ +; +; Exports of file SYSSETUP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY SYSSETUP.dll +EXPORTS +AsrAddSifEntryA +AsrAddSifEntryW +AsrCreateStateFileA +AsrCreateStateFileW +AsrFreeContext +AsrRestorePlugPlayRegistryData +AsrpGetLocalDiskInfo +AsrpGetLocalVolumeInfo +AsrpRestoreNonCriticalDisksW +ComputerClassInstaller +CreateLocalAdminAccount +CreateLocalAdminAccountEx +CreateLocalUserAccount +CriticalDeviceCoInstaller +DevInstallW +DeviceBayClassInstaller +DiskPropPageProvider +DoInstallComponentInfs +EisaUpHalCoInstaller +GenerateName +GetAnswerFileSetting +HdcClassInstaller +InitializeSetupLog +InstallWindowsNt +InvokeExternalApplicationEx +KeyboardClassInstaller +LegacyDriverPropPageProvider +MigrateExceptionPackages +MouseClassInstaller +NtApmClassInstaller +OpkCheckVersion +PS2MousePropPageProvider +PnPInitializationThread +PrepareForAudit +RepairStartMenuItems +ReportError +RunOEMExtraTasks +ScsiClassInstaller +SetAccountsDomainSid +SetupAddOrRemoveTestCertificate +SetupChangeFontSize +SetupChangeLocale +SetupChangeLocaleEx +SetupCreateOptionalComponentsPage +SetupDestroyLanguageList +SetupDestroyPhoneList +SetupEnumerateRegisteredOsComponents +SetupExtendPartition +SetupGetGeoOptions +SetupGetInstallMode +SetupGetKeyboardOptions +SetupGetLocaleOptions +SetupGetProductType +SetupGetSetupInfo +SetupGetValidEula +SetupIEHardeningSettings +SetupInfObjectInstallActionW +SetupInstallCatalog +SetupMapTapiToIso +SetupOobeBnk +SetupOobeCleanup +SetupOobeInitDebugLog +SetupOobeInitPostServices +SetupOobeInitPreServices +SetupPidGen3 +SetupQueryRegisteredOsComponent +SetupQueryRegisteredOsComponentsOrder +SetupReadPhoneList +SetupRegisterOsComponent +SetupSetAdminPassword +SetupSetDisplay +SetupSetIntlOptions +SetupSetRegisteredOsComponentsOrder +SetupSetSetupInfo +SetupShellSettings +SetupStartService +SetupUnRegisterOsComponent +StorageCoInstaller +SystemUpdateUserProfileDirectory +TapeClassInstaller +TapePropPageProvider +TerminateSetupLog +UpdatePnpDeviceDrivers +UpgradePrinters +ViewSetupActionLog +VolumeClassInstaller +pSetupDebugPrint +pSetuplogSfcError diff --git a/lib/libc/mingw/lib64/tcpmib.def b/lib/libc/mingw/lib64/tcpmib.def new file mode 100644 index 0000000000..7225be9006 --- /dev/null +++ b/lib/libc/mingw/lib64/tcpmib.def @@ -0,0 +1,72 @@ +; +; Exports of file TCPMIB.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY TCPMIB.dll +EXPORTS +; public: __cdecl CTcpMib::CTcpMib(class CTcpMib const & __ptr64) __ptr64 +??0CTcpMib@@QEAA@AEBV0@@Z +; public: __cdecl CTcpMib::CTcpMib(void) __ptr64 +??0CTcpMib@@QEAA@XZ +; public: __cdecl CTcpMibABC::CTcpMibABC(class CTcpMibABC const & __ptr64) __ptr64 +??0CTcpMibABC@@QEAA@AEBV0@@Z +; public: __cdecl CTcpMibABC::CTcpMibABC(void) __ptr64 +??0CTcpMibABC@@QEAA@XZ +; public: virtual __cdecl CTcpMib::~CTcpMib(void) __ptr64 +??1CTcpMib@@UEAA@XZ +; public: virtual __cdecl CTcpMibABC::~CTcpMibABC(void) __ptr64 +??1CTcpMibABC@@UEAA@XZ +; public: class CTcpMib & __ptr64 __cdecl CTcpMib::operator=(class CTcpMib const & __ptr64) __ptr64 +??4CTcpMib@@QEAAAEAV0@AEBV0@@Z +; public: class CTcpMibABC & __ptr64 __cdecl CTcpMibABC::operator=(class CTcpMibABC const & __ptr64) __ptr64 +??4CTcpMibABC@@QEAAAEAV0@AEBV0@@Z +; const CTcpMib::`vftable' +??_7CTcpMib@@6B@ +; const CTcpMibABC::`vftable' +??_7CTcpMibABC@@6B@ +; private: void __cdecl CTcpMib::EnterCSection(void) __ptr64 +?EnterCSection@CTcpMib@@AEAAXXZ +; private: void __cdecl CTcpMib::ExitCSection(void) __ptr64 +?ExitCSection@CTcpMib@@AEAAXXZ +; public: virtual unsigned long __cdecl CTcpMib::GetDeviceDescription(char const * __ptr64,char const * __ptr64,unsigned long,unsigned short * __ptr64,unsigned long) __ptr64 +?GetDeviceDescription@CTcpMib@@UEAAKPEBD0KPEAGK@Z +; public: virtual unsigned long __cdecl CTcpMib::GetDeviceHWAddress(char const * __ptr64,char const * __ptr64,unsigned long,unsigned long,unsigned short * __ptr64) __ptr64 +?GetDeviceHWAddress@CTcpMib@@UEAAKPEBD0KKPEAG@Z +; public: virtual unsigned long __cdecl CTcpMib::GetDeviceName(char const * __ptr64,char const * __ptr64,unsigned long,unsigned long,unsigned short * __ptr64) __ptr64 +?GetDeviceName@CTcpMib@@UEAAKPEBD0KKPEAG@Z +; public: virtual unsigned long __cdecl CTcpMib::GetNextRequestId(unsigned long * __ptr64) __ptr64 +?GetNextRequestId@CTcpMib@@UEAAKPEAK@Z +; private: static unsigned long __cdecl CTcpMib::GetStatusFromVBL(void * __ptr64,struct smiVALUE * __ptr64,struct smiVALUE * __ptr64,struct smiVALUE * __ptr64) +?GetStatusFromVBL@CTcpMib@@CAKPEAXPEAUsmiVALUE@@11@Z +; public: virtual unsigned long __cdecl CTcpMib::InitSnmp(void) __ptr64 +?InitSnmp@CTcpMib@@UEAAKXZ +; public: int __cdecl CTcpMib::IsValid(void)const __ptr64 +?IsValid@CTcpMib@@QEBAHXZ +; private: static int __cdecl CTcpMib::MapAsynchToPortStatus(unsigned long,struct _PORT_INFO_3W * __ptr64) +?MapAsynchToPortStatus@CTcpMib@@CAHKPEAU_PORT_INFO_3W@@@Z +; public: virtual unsigned long __cdecl CTcpMib::RegisterDeviceStatusCallback(unsigned long (__cdecl*)(int,char const * __ptr64,char const * __ptr64,unsigned long,unsigned long,unsigned long),void * __ptr64 * __ptr64) __ptr64 +?RegisterDeviceStatusCallback@CTcpMib@@UEAAKP6AKHPEBD0KKK@ZPEAPEAX@Z +; public: virtual unsigned long __cdecl CTcpMib::RequestDeviceStatus(void * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned short const * __ptr64,unsigned long) __ptr64 +?RequestDeviceStatus@CTcpMib@@UEAAKPEAXKPEBG1K@Z +; private: static unsigned long __cdecl CTcpMib::SnmpCallback(void * __ptr64,void * __ptr64,unsigned int,unsigned __int64,__int64,void * __ptr64) +?SnmpCallback@CTcpMib@@CAKPEAX0I_K_J0@Z +; public: unsigned long __cdecl CTcpMib::SnmpGet(char const * __ptr64,char const * __ptr64,unsigned long,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpGet@CTcpMib@@QEAAKPEBD0KPEAUSnmpVarBindList@@@Z +; public: virtual unsigned long __cdecl CTcpMib::SnmpGet(char const * __ptr64,char const * __ptr64,unsigned long,struct AsnObjectIdentifier * __ptr64,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpGet@CTcpMib@@UEAAKPEBD0KPEAUAsnObjectIdentifier@@PEAUSnmpVarBindList@@@Z +; public: unsigned long __cdecl CTcpMib::SnmpGetNext(char const * __ptr64,char const * __ptr64,unsigned long,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpGetNext@CTcpMib@@QEAAKPEBD0KPEAUSnmpVarBindList@@@Z +; public: virtual unsigned long __cdecl CTcpMib::SnmpGetNext(char const * __ptr64,char const * __ptr64,unsigned long,struct AsnObjectIdentifier * __ptr64,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpGetNext@CTcpMib@@UEAAKPEBD0KPEAUAsnObjectIdentifier@@PEAUSnmpVarBindList@@@Z +; public: unsigned long __cdecl CTcpMib::SnmpWalk(char const * __ptr64,char const * __ptr64,unsigned long,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpWalk@CTcpMib@@QEAAKPEBD0KPEAUSnmpVarBindList@@@Z +; public: virtual unsigned long __cdecl CTcpMib::SnmpWalk(char const * __ptr64,char const * __ptr64,unsigned long,struct AsnObjectIdentifier * __ptr64,struct SnmpVarBindList * __ptr64) __ptr64 +?SnmpWalk@CTcpMib@@UEAAKPEBD0KPEAUAsnObjectIdentifier@@PEAUSnmpVarBindList@@@Z +; public: virtual int __cdecl CTcpMib::SupportsPrinterMib(char const * __ptr64,char const * __ptr64,unsigned long,int * __ptr64) __ptr64 +?SupportsPrinterMib@CTcpMib@@UEAAHPEBD0KPEAH@Z +; public: virtual void __cdecl CTcpMib::UnInitSnmp(void) __ptr64 +?UnInitSnmp@CTcpMib@@UEAAXXZ +GetTcpMibPtr +Ping diff --git a/lib/libc/mingw/lib64/tsappcmp.def b/lib/libc/mingw/lib64/tsappcmp.def new file mode 100644 index 0000000000..5fa9efc4b5 --- /dev/null +++ b/lib/libc/mingw/lib64/tsappcmp.def @@ -0,0 +1,37 @@ +; +; Exports of file TSAPPCMP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY TSAPPCMP.dll +EXPORTS +TermServPrepareAppInstallDueMSI +TermServProcessAppInstallDueMSI +GetTermsrCompatFlags +GetTermsrCompatFlagsEx +TermsrvAdjustPhyMemLimits +TermsrvBuildIniFileName +TermsrvBuildSysIniPath +TermsrvCORIniFile +TermsrvCheckNewIniFiles +TermsrvConvertSysRootToUserDir +TermsrvCopyIniFile +TermsrvCreateRegEntry +TermsrvDeleteKey +TermsrvDeleteValue +TermsrvFormatObjectName +TermsrvGetComputerName +TermsrvGetPreSetValue +TermsrvGetString +TermsrvGetWindowsDirectoryA +TermsrvGetWindowsDirectoryW +TermsrvLogInstallIniFile +TermsrvLogInstallIniFileEx +TermsrvOpenRegEntry +TermsrvOpenUserClasses +TermsrvRemoveClassesKey +TermsrvRestoreKey +TermsrvSetKeySecurity +TermsrvSetValueKey +TermsrvUpdateAllUserMenu diff --git a/lib/libc/mingw/lib64/tsd32.def b/lib/libc/mingw/lib64/tsd32.def new file mode 100644 index 0000000000..c63b7afb0a --- /dev/null +++ b/lib/libc/mingw/lib64/tsd32.def @@ -0,0 +1,14 @@ +; +; Exports of file tsd32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY tsd32.dll +EXPORTS +TrueSpeech_Version +TrueSpeech_Init +TrueSpeech_Term +TrueSpeech_Encod +TrueSpeech_Decod +TrueSpeech_Reset diff --git a/lib/libc/mingw/lib64/tsoc.def b/lib/libc/mingw/lib64/tsoc.def new file mode 100644 index 0000000000..75322ff340 --- /dev/null +++ b/lib/libc/mingw/lib64/tsoc.def @@ -0,0 +1,11 @@ +; +; Exports of file tsoc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY tsoc.dll +EXPORTS +HydraOc +SysPrepBackup +SysPrepRestore diff --git a/lib/libc/mingw/lib64/udhisapi.def b/lib/libc/mingw/lib64/udhisapi.def new file mode 100644 index 0000000000..19f88bb308 --- /dev/null +++ b/lib/libc/mingw/lib64/udhisapi.def @@ -0,0 +1,11 @@ +; +; Exports of file isapitst.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY isapitst.DLL +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/ufat.def b/lib/libc/mingw/lib64/ufat.def new file mode 100644 index 0000000000..8314b9da7d --- /dev/null +++ b/lib/libc/mingw/lib64/ufat.def @@ -0,0 +1,113 @@ +; +; Exports of file UFAT.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UFAT.dll +EXPORTS +; public: __cdecl CLUSTER_CHAIN::CLUSTER_CHAIN(void) __ptr64 +??0CLUSTER_CHAIN@@QEAA@XZ +; public: __cdecl EA_HEADER::EA_HEADER(void) __ptr64 +??0EA_HEADER@@QEAA@XZ +; public: __cdecl EA_SET::EA_SET(void) __ptr64 +??0EA_SET@@QEAA@XZ +; public: __cdecl FAT_DIRENT::FAT_DIRENT(void) __ptr64 +??0FAT_DIRENT@@QEAA@XZ +; public: __cdecl FAT_SA::FAT_SA(void) __ptr64 +??0FAT_SA@@QEAA@XZ +; public: __cdecl FILEDIR::FILEDIR(void) __ptr64 +??0FILEDIR@@QEAA@XZ +; public: __cdecl REAL_FAT_SA::REAL_FAT_SA(void) __ptr64 +??0REAL_FAT_SA@@QEAA@XZ +; public: __cdecl ROOTDIR::ROOTDIR(void) __ptr64 +??0ROOTDIR@@QEAA@XZ +; public: virtual __cdecl CLUSTER_CHAIN::~CLUSTER_CHAIN(void) __ptr64 +??1CLUSTER_CHAIN@@UEAA@XZ +; public: virtual __cdecl EA_HEADER::~EA_HEADER(void) __ptr64 +??1EA_HEADER@@UEAA@XZ +; public: virtual __cdecl EA_SET::~EA_SET(void) __ptr64 +??1EA_SET@@UEAA@XZ +; public: virtual __cdecl FAT_DIRENT::~FAT_DIRENT(void) __ptr64 +??1FAT_DIRENT@@UEAA@XZ +; public: virtual __cdecl FAT_SA::~FAT_SA(void) __ptr64 +??1FAT_SA@@UEAA@XZ +; public: virtual __cdecl FILEDIR::~FILEDIR(void) __ptr64 +??1FILEDIR@@UEAA@XZ +; public: virtual __cdecl REAL_FAT_SA::~REAL_FAT_SA(void) __ptr64 +??1REAL_FAT_SA@@UEAA@XZ +; public: virtual __cdecl ROOTDIR::~ROOTDIR(void) __ptr64 +??1ROOTDIR@@UEAA@XZ +; public: unsigned long __cdecl FAT::AllocChain(unsigned long,unsigned long * __ptr64) __ptr64 +?AllocChain@FAT@@QEAAKKPEAK@Z +; public: void __cdecl FAT::FreeChain(unsigned long) __ptr64 +?FreeChain@FAT@@QEAAXK@Z +; public: struct _EA * __ptr64 __cdecl EA_SET::GetEa(unsigned long,long * __ptr64,unsigned char * __ptr64) __ptr64 +?GetEa@EA_SET@@QEAAPEAU_EA@@KPEAJPEAE@Z +; private: unsigned long __cdecl FAT::Index12(unsigned long)const __ptr64 +?Index12@FAT@@AEBAKK@Z +; public: unsigned char __cdecl REAL_FAT_SA::InitFATChkDirty(class LOG_IO_DP_DRIVE * __ptr64,class MESSAGE * __ptr64) __ptr64 +?InitFATChkDirty@REAL_FAT_SA@@QEAAEPEAVLOG_IO_DP_DRIVE@@PEAVMESSAGE@@@Z +; public: unsigned char __cdecl CLUSTER_CHAIN::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class FAT_SA * __ptr64,class FAT const * __ptr64,unsigned long,unsigned long) __ptr64 +?Initialize@CLUSTER_CHAIN@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@PEAVFAT_SA@@PEBVFAT@@KK@Z +; public: unsigned char __cdecl EA_HEADER::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class FAT_SA * __ptr64,class FAT const * __ptr64,unsigned long,unsigned long) __ptr64 +?Initialize@EA_HEADER@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@PEAVFAT_SA@@PEBVFAT@@KK@Z +; public: unsigned char __cdecl EA_SET::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class FAT_SA * __ptr64,class FAT const * __ptr64,unsigned long,unsigned long) __ptr64 +?Initialize@EA_SET@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@PEAVFAT_SA@@PEBVFAT@@KK@Z +; public: unsigned char __cdecl FAT_DIRENT::Initialize(void * __ptr64) __ptr64 +?Initialize@FAT_DIRENT@@QEAAEPEAX@Z +; public: unsigned char __cdecl FAT_DIRENT::Initialize(void * __ptr64,unsigned char) __ptr64 +?Initialize@FAT_DIRENT@@QEAAEPEAXE@Z +; public: unsigned char __cdecl FILEDIR::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class FAT_SA * __ptr64,class FAT const * __ptr64,unsigned long) __ptr64 +?Initialize@FILEDIR@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@PEAVFAT_SA@@PEBVFAT@@K@Z +; public: virtual unsigned char __cdecl REAL_FAT_SA::Initialize(class LOG_IO_DP_DRIVE * __ptr64,class MESSAGE * __ptr64,unsigned char) __ptr64 +?Initialize@REAL_FAT_SA@@UEAAEPEAVLOG_IO_DP_DRIVE@@PEAVMESSAGE@@E@Z +; public: unsigned char __cdecl ROOTDIR::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,unsigned long,long) __ptr64 +?Initialize@ROOTDIR@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@KJ@Z +; public: unsigned char __cdecl FAT_DIRENT::IsValidCreationTime(void)const __ptr64 +?IsValidCreationTime@FAT_DIRENT@@QEBAEXZ +; public: unsigned char __cdecl FAT_DIRENT::IsValidLastAccessTime(void)const __ptr64 +?IsValidLastAccessTime@FAT_DIRENT@@QEBAEXZ +; public: unsigned char __cdecl FAT_DIRENT::IsValidLastWriteTime(void)const __ptr64 +?IsValidLastWriteTime@FAT_DIRENT@@QEBAEXZ +; public: unsigned long __cdecl FAT::QueryAllocatedClusters(void)const __ptr64 +?QueryAllocatedClusters@FAT@@QEBAKXZ +; public: unsigned char __cdecl FAT_SA::QueryCensusAndRelocate(struct _CENSUS_REPORT * __ptr64,class INTSTACK * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryCensusAndRelocate@FAT_SA@@QEAAEPEAU_CENSUS_REPORT@@PEAVINTSTACK@@PEAE@Z +; public: unsigned char __cdecl FAT_DIRENT::QueryCreationTime(union _LARGE_INTEGER * __ptr64)const __ptr64 +?QueryCreationTime@FAT_DIRENT@@QEBAEPEAT_LARGE_INTEGER@@@Z +; public: unsigned short __cdecl EA_HEADER::QueryEaSetClusterNumber(unsigned short)const __ptr64 +?QueryEaSetClusterNumber@EA_HEADER@@QEBAGG@Z +; public: unsigned long __cdecl FAT_SA::QueryFileStartingCluster(class WSTRING const * __ptr64,class HMEM * __ptr64,class FATDIR * __ptr64 * __ptr64,unsigned char * __ptr64,class FAT_DIRENT * __ptr64) __ptr64 +?QueryFileStartingCluster@FAT_SA@@QEAAKPEBVWSTRING@@PEAVHMEM@@PEAPEAVFATDIR@@PEAEPEAVFAT_DIRENT@@@Z +; public: unsigned long __cdecl REAL_FAT_SA::QueryFreeSectors(void)const __ptr64 +?QueryFreeSectors@REAL_FAT_SA@@QEBAKXZ +; public: unsigned char __cdecl FAT_DIRENT::QueryLastAccessTime(union _LARGE_INTEGER * __ptr64)const __ptr64 +?QueryLastAccessTime@FAT_DIRENT@@QEBAEPEAT_LARGE_INTEGER@@@Z +; public: unsigned char __cdecl FAT_DIRENT::QueryLastWriteTime(union _LARGE_INTEGER * __ptr64)const __ptr64 +?QueryLastWriteTime@FAT_DIRENT@@QEBAEPEAT_LARGE_INTEGER@@@Z +; public: unsigned long __cdecl FAT::QueryLengthOfChain(unsigned long,unsigned long * __ptr64)const __ptr64 +?QueryLengthOfChain@FAT@@QEBAKKPEAK@Z +; public: unsigned char __cdecl FATDIR::QueryLongName(long,class WSTRING * __ptr64) __ptr64 +?QueryLongName@FATDIR@@QEAAEJPEAVWSTRING@@@Z +; public: unsigned char __cdecl FAT_DIRENT::QueryName(class WSTRING * __ptr64)const __ptr64 +?QueryName@FAT_DIRENT@@QEBAEPEAVWSTRING@@@Z +; public: unsigned long __cdecl FAT::QueryNthCluster(unsigned long,unsigned long)const __ptr64 +?QueryNthCluster@FAT@@QEBAKKK@Z +; public: virtual unsigned char __cdecl CLUSTER_CHAIN::Read(void) __ptr64 +?Read@CLUSTER_CHAIN@@UEAAEXZ +; public: virtual unsigned char __cdecl EA_SET::Read(void) __ptr64 +?Read@EA_SET@@UEAAEXZ +; public: virtual unsigned char __cdecl REAL_FAT_SA::Read(class MESSAGE * __ptr64) __ptr64 +?Read@REAL_FAT_SA@@UEAAEPEAVMESSAGE@@@Z +; public: void * __ptr64 __cdecl FATDIR::SearchForDirEntry(class WSTRING const * __ptr64) __ptr64 +?SearchForDirEntry@FATDIR@@QEAAPEAXPEBVWSTRING@@@Z +; private: void __cdecl FAT::Set12(unsigned long,unsigned long) __ptr64 +?Set12@FAT@@AEAAXKK@Z +; public: virtual unsigned char __cdecl CLUSTER_CHAIN::Write(void) __ptr64 +?Write@CLUSTER_CHAIN@@UEAAEXZ +Chkdsk +ChkdskEx +Format +FormatEx +Recover diff --git a/lib/libc/mingw/lib64/umandlg.def b/lib/libc/mingw/lib64/umandlg.def new file mode 100644 index 0000000000..eb7b0c2af4 --- /dev/null +++ b/lib/libc/mingw/lib64/umandlg.def @@ -0,0 +1,9 @@ +; +; Exports of file UMANDLG.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UMANDLG.dll +EXPORTS +UManDlg diff --git a/lib/libc/mingw/lib64/umpnpmgr.def b/lib/libc/mingw/lib64/umpnpmgr.def new file mode 100644 index 0000000000..bb521bbf00 --- /dev/null +++ b/lib/libc/mingw/lib64/umpnpmgr.def @@ -0,0 +1,17 @@ +; +; Exports of file umpnpmgr.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY umpnpmgr.dll +EXPORTS +DeleteServicePlugPlayRegKeys +PNP_GetDeviceList +PNP_GetDeviceListSize +PNP_GetDeviceRegProp +PNP_HwProfFlags +PNP_SetActiveService +RegisterScmCallback +RegisterServiceNotification +SvcEntry_PlugPlay diff --git a/lib/libc/mingw/lib64/uniime.def b/lib/libc/mingw/lib64/uniime.def new file mode 100644 index 0000000000..5c31983dd5 --- /dev/null +++ b/lib/libc/mingw/lib64/uniime.def @@ -0,0 +1,10 @@ +; +; Exports of file UNIIME.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UNIIME.DLL +EXPORTS +UniSearchPhrasePredictionA +UniSearchPhrasePredictionW diff --git a/lib/libc/mingw/lib64/untfs.def b/lib/libc/mingw/lib64/untfs.def new file mode 100644 index 0000000000..45739a2d19 --- /dev/null +++ b/lib/libc/mingw/lib64/untfs.def @@ -0,0 +1,300 @@ +; +; Exports of file UNTFS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY UNTFS.dll +EXPORTS +; public: __cdecl NTFS_ATTRIBUTE::NTFS_ATTRIBUTE(void) __ptr64 +??0NTFS_ATTRIBUTE@@QEAA@XZ +; public: __cdecl NTFS_ATTRIBUTE_DEFINITION_TABLE::NTFS_ATTRIBUTE_DEFINITION_TABLE(void) __ptr64 +??0NTFS_ATTRIBUTE_DEFINITION_TABLE@@QEAA@XZ +; public: __cdecl NTFS_ATTRIBUTE_LIST::NTFS_ATTRIBUTE_LIST(void) __ptr64 +??0NTFS_ATTRIBUTE_LIST@@QEAA@XZ +; public: __cdecl NTFS_ATTRIBUTE_RECORD::NTFS_ATTRIBUTE_RECORD(void) __ptr64 +??0NTFS_ATTRIBUTE_RECORD@@QEAA@XZ +; public: __cdecl NTFS_BAD_CLUSTER_FILE::NTFS_BAD_CLUSTER_FILE(void) __ptr64 +??0NTFS_BAD_CLUSTER_FILE@@QEAA@XZ +; public: __cdecl NTFS_BITMAP::NTFS_BITMAP(void) __ptr64 +??0NTFS_BITMAP@@QEAA@XZ +; public: __cdecl NTFS_BITMAP_FILE::NTFS_BITMAP_FILE(void) __ptr64 +??0NTFS_BITMAP_FILE@@QEAA@XZ +; public: __cdecl NTFS_BOOT_FILE::NTFS_BOOT_FILE(void) __ptr64 +??0NTFS_BOOT_FILE@@QEAA@XZ +; public: __cdecl NTFS_CLUSTER_RUN::NTFS_CLUSTER_RUN(void) __ptr64 +??0NTFS_CLUSTER_RUN@@QEAA@XZ +; public: __cdecl NTFS_EXTENT_LIST::NTFS_EXTENT_LIST(void) __ptr64 +??0NTFS_EXTENT_LIST@@QEAA@XZ +; public: __cdecl NTFS_FILE_RECORD_SEGMENT::NTFS_FILE_RECORD_SEGMENT(void) __ptr64 +??0NTFS_FILE_RECORD_SEGMENT@@QEAA@XZ +; public: __cdecl NTFS_FRS_STRUCTURE::NTFS_FRS_STRUCTURE(void) __ptr64 +??0NTFS_FRS_STRUCTURE@@QEAA@XZ +; public: __cdecl NTFS_INDEX_TREE::NTFS_INDEX_TREE(void) __ptr64 +??0NTFS_INDEX_TREE@@QEAA@XZ +; public: __cdecl NTFS_LOG_FILE::NTFS_LOG_FILE(void) __ptr64 +??0NTFS_LOG_FILE@@QEAA@XZ +; public: __cdecl NTFS_MFT_FILE::NTFS_MFT_FILE(void) __ptr64 +??0NTFS_MFT_FILE@@QEAA@XZ +; public: __cdecl NTFS_MFT_INFO::NTFS_MFT_INFO(void) __ptr64 +??0NTFS_MFT_INFO@@QEAA@XZ +; public: __cdecl NTFS_REFLECTED_MASTER_FILE_TABLE::NTFS_REFLECTED_MASTER_FILE_TABLE(void) __ptr64 +??0NTFS_REFLECTED_MASTER_FILE_TABLE@@QEAA@XZ +; public: __cdecl NTFS_SA::NTFS_SA(void) __ptr64 +??0NTFS_SA@@QEAA@XZ +; public: __cdecl NTFS_UPCASE_FILE::NTFS_UPCASE_FILE(void) __ptr64 +??0NTFS_UPCASE_FILE@@QEAA@XZ +; public: __cdecl NTFS_UPCASE_TABLE::NTFS_UPCASE_TABLE(void) __ptr64 +??0NTFS_UPCASE_TABLE@@QEAA@XZ +; public: __cdecl RA_PROCESS_FILE::RA_PROCESS_FILE(void) __ptr64 +??0RA_PROCESS_FILE@@QEAA@XZ +; public: __cdecl RA_PROCESS_SD::RA_PROCESS_SD(void) __ptr64 +??0RA_PROCESS_SD@@QEAA@XZ +; public: virtual __cdecl NTFS_ATTRIBUTE::~NTFS_ATTRIBUTE(void) __ptr64 +??1NTFS_ATTRIBUTE@@UEAA@XZ +; public: virtual __cdecl NTFS_ATTRIBUTE_DEFINITION_TABLE::~NTFS_ATTRIBUTE_DEFINITION_TABLE(void) __ptr64 +??1NTFS_ATTRIBUTE_DEFINITION_TABLE@@UEAA@XZ +; public: virtual __cdecl NTFS_ATTRIBUTE_LIST::~NTFS_ATTRIBUTE_LIST(void) __ptr64 +??1NTFS_ATTRIBUTE_LIST@@UEAA@XZ +; public: virtual __cdecl NTFS_ATTRIBUTE_RECORD::~NTFS_ATTRIBUTE_RECORD(void) __ptr64 +??1NTFS_ATTRIBUTE_RECORD@@UEAA@XZ +; public: virtual __cdecl NTFS_BAD_CLUSTER_FILE::~NTFS_BAD_CLUSTER_FILE(void) __ptr64 +??1NTFS_BAD_CLUSTER_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_BITMAP::~NTFS_BITMAP(void) __ptr64 +??1NTFS_BITMAP@@UEAA@XZ +; public: virtual __cdecl NTFS_BITMAP_FILE::~NTFS_BITMAP_FILE(void) __ptr64 +??1NTFS_BITMAP_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_BOOT_FILE::~NTFS_BOOT_FILE(void) __ptr64 +??1NTFS_BOOT_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_CLUSTER_RUN::~NTFS_CLUSTER_RUN(void) __ptr64 +??1NTFS_CLUSTER_RUN@@UEAA@XZ +; public: virtual __cdecl NTFS_EXTENT_LIST::~NTFS_EXTENT_LIST(void) __ptr64 +??1NTFS_EXTENT_LIST@@UEAA@XZ +; public: virtual __cdecl NTFS_FILE_RECORD_SEGMENT::~NTFS_FILE_RECORD_SEGMENT(void) __ptr64 +??1NTFS_FILE_RECORD_SEGMENT@@UEAA@XZ +; public: virtual __cdecl NTFS_FRS_STRUCTURE::~NTFS_FRS_STRUCTURE(void) __ptr64 +??1NTFS_FRS_STRUCTURE@@UEAA@XZ +; public: virtual __cdecl NTFS_INDEX_TREE::~NTFS_INDEX_TREE(void) __ptr64 +??1NTFS_INDEX_TREE@@UEAA@XZ +; public: virtual __cdecl NTFS_LOG_FILE::~NTFS_LOG_FILE(void) __ptr64 +??1NTFS_LOG_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_MFT_FILE::~NTFS_MFT_FILE(void) __ptr64 +??1NTFS_MFT_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_MFT_INFO::~NTFS_MFT_INFO(void) __ptr64 +??1NTFS_MFT_INFO@@UEAA@XZ +; public: virtual __cdecl NTFS_REFLECTED_MASTER_FILE_TABLE::~NTFS_REFLECTED_MASTER_FILE_TABLE(void) __ptr64 +??1NTFS_REFLECTED_MASTER_FILE_TABLE@@UEAA@XZ +; public: virtual __cdecl NTFS_SA::~NTFS_SA(void) __ptr64 +??1NTFS_SA@@UEAA@XZ +; public: virtual __cdecl NTFS_UPCASE_FILE::~NTFS_UPCASE_FILE(void) __ptr64 +??1NTFS_UPCASE_FILE@@UEAA@XZ +; public: virtual __cdecl NTFS_UPCASE_TABLE::~NTFS_UPCASE_TABLE(void) __ptr64 +??1NTFS_UPCASE_TABLE@@UEAA@XZ +; public: virtual __cdecl RA_PROCESS_FILE::~RA_PROCESS_FILE(void) __ptr64 +??1RA_PROCESS_FILE@@UEAA@XZ +; public: virtual __cdecl RA_PROCESS_SD::~RA_PROCESS_SD(void) __ptr64 +??1RA_PROCESS_SD@@UEAA@XZ +; public: unsigned char __cdecl NTFS_EXTENT_LIST::AddExtent(class BIG_INT,class BIG_INT,class BIG_INT) __ptr64 +?AddExtent@NTFS_EXTENT_LIST@@QEAAEVBIG_INT@@00@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::AddFileNameAttribute(struct _FILE_NAME * __ptr64) __ptr64 +?AddFileNameAttribute@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAU_FILE_NAME@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::AddSecurityDescriptor(enum _CANNED_SECURITY_TYPE,class NTFS_BITMAP * __ptr64) __ptr64 +?AddSecurityDescriptor@NTFS_FILE_RECORD_SEGMENT@@QEAAEW4_CANNED_SECURITY_TYPE@@PEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::AddSecurityDescriptorData(class NTFS_ATTRIBUTE * __ptr64,void * __ptr64,struct _SECURITY_ENTRY * __ptr64 * __ptr64,unsigned long,enum _CANNED_SECURITY_TYPE,class NTFS_BITMAP * __ptr64,unsigned char) __ptr64 +?AddSecurityDescriptorData@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVNTFS_ATTRIBUTE@@PEAXPEAPEAU_SECURITY_ENTRY@@KW4_CANNED_SECURITY_TYPE@@PEAVNTFS_BITMAP@@E@Z +; public: unsigned char __cdecl NTFS_MASTER_FILE_TABLE::AllocateFileRecordSegment(class BIG_INT * __ptr64,unsigned char) __ptr64 +?AllocateFileRecordSegment@NTFS_MASTER_FILE_TABLE@@QEAAEPEAVBIG_INT@@E@Z +; public: static unsigned char __cdecl NTFS_MFT_INFO::CompareDupInfo(void * __ptr64,struct _FILE_NAME * __ptr64) +?CompareDupInfo@NTFS_MFT_INFO@@SAEPEAXPEAU_FILE_NAME@@@Z +; public: static unsigned char __cdecl NTFS_MFT_INFO::CompareFileName(void * __ptr64,unsigned long,struct _FILE_NAME * __ptr64,unsigned short * __ptr64) +?CompareFileName@NTFS_MFT_INFO@@SAEPEAXKPEAU_FILE_NAME@@PEAG@Z +; private: static void __cdecl NTFS_MFT_INFO::ComputeDupInfoSignature(struct _DUPLICATED_INFORMATION * __ptr64,unsigned char * __ptr64 const) +?ComputeDupInfoSignature@NTFS_MFT_INFO@@CAXPEAU_DUPLICATED_INFORMATION@@QEAE@Z +; private: static void __cdecl NTFS_MFT_INFO::ComputeFileNameSignature(unsigned long,struct _FILE_NAME * __ptr64,unsigned char * __ptr64 const) +?ComputeFileNameSignature@NTFS_MFT_INFO@@CAXKPEAU_FILE_NAME@@QEAE@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::CopyIterator(class NTFS_INDEX_TREE * __ptr64) __ptr64 +?CopyIterator@NTFS_INDEX_TREE@@QEAAEPEAV1@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Create(struct _STANDARD_INFORMATION const * __ptr64,unsigned short) __ptr64 +?Create@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEBU_STANDARD_INFORMATION@@G@Z +; public: unsigned char __cdecl NTFS_LOG_FILE::CreateDataAttribute(class BIG_INT,unsigned long,class NTFS_BITMAP * __ptr64) __ptr64 +?CreateDataAttribute@NTFS_LOG_FILE@@QEAAEVBIG_INT@@KPEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_SA::CreateElementaryStructures(class NTFS_BITMAP * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long,class NUMBER_SET const * __ptr64,unsigned char,unsigned char,class MESSAGE * __ptr64,struct BIOS_PARAMETER_BLOCK * __ptr64,class WSTRING const * __ptr64) __ptr64 +?CreateElementaryStructures@NTFS_SA@@QEAAEPEAVNTFS_BITMAP@@KKKKPEBVNUMBER_SET@@EEPEAVMESSAGE@@PEAUBIOS_PARAMETER_BLOCK@@PEBVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_MASTER_FILE_TABLE::Extend(unsigned long) __ptr64 +?Extend@NTFS_MASTER_FILE_TABLE@@QEAAEK@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Flush(class NTFS_BITMAP * __ptr64,class NTFS_INDEX_TREE * __ptr64,unsigned char) __ptr64 +?Flush@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVNTFS_BITMAP@@PEAVNTFS_INDEX_TREE@@E@Z +; public: unsigned char __cdecl NTFS_MFT_FILE::Flush(void) __ptr64 +?Flush@NTFS_MFT_FILE@@QEAAEXZ +; public: struct _INDEX_ENTRY const * __ptr64 __cdecl NTFS_INDEX_TREE::GetNext(unsigned long * __ptr64,unsigned char * __ptr64,unsigned char) __ptr64 +?GetNext@NTFS_INDEX_TREE@@QEAAPEBU_INDEX_ENTRY@@PEAKPEAEE@Z +; public: struct _ATTRIBUTE_LIST_ENTRY const * __ptr64 __cdecl NTFS_ATTRIBUTE_LIST::GetNextAttributeListEntry(struct _ATTRIBUTE_LIST_ENTRY const * __ptr64)const __ptr64 +?GetNextAttributeListEntry@NTFS_ATTRIBUTE_LIST@@QEBAPEBU_ATTRIBUTE_LIST_ENTRY@@PEBU2@@Z +; public: void * __ptr64 __cdecl NTFS_FRS_STRUCTURE::GetNextAttributeRecord(void const * __ptr64,class MESSAGE * __ptr64,unsigned char * __ptr64) __ptr64 +?GetNextAttributeRecord@NTFS_FRS_STRUCTURE@@QEAAPEAXPEBXPEAVMESSAGE@@PEAE@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE::Initialize(class LOG_IO_DP_DRIVE * __ptr64,unsigned long,class NTFS_EXTENT_LIST const * __ptr64,class BIG_INT,class BIG_INT,unsigned long,class WSTRING const * __ptr64,unsigned short) __ptr64 +?Initialize@NTFS_ATTRIBUTE@@QEAAEPEAVLOG_IO_DP_DRIVE@@KPEBVNTFS_EXTENT_LIST@@VBIG_INT@@2KPEBVWSTRING@@G@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE::Initialize(class LOG_IO_DP_DRIVE * __ptr64,unsigned long,void const * __ptr64,unsigned long,unsigned long,class WSTRING const * __ptr64,unsigned short) __ptr64 +?Initialize@NTFS_ATTRIBUTE@@QEAAEPEAVLOG_IO_DP_DRIVE@@KPEBXKKPEBVWSTRING@@G@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_DEFINITION_TABLE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64,unsigned char) __ptr64 +?Initialize@NTFS_ATTRIBUTE_DEFINITION_TABLE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@E@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_RECORD::Initialize(class IO_DP_DRIVE * __ptr64,void * __ptr64) __ptr64 +?Initialize@NTFS_ATTRIBUTE_RECORD@@QEAAEPEAVIO_DP_DRIVE@@PEAX@Z +; public: unsigned char __cdecl NTFS_BAD_CLUSTER_FILE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_BAD_CLUSTER_FILE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_BITMAP::Initialize(class BIG_INT,unsigned char,class LOG_IO_DP_DRIVE * __ptr64,unsigned long) __ptr64 +?Initialize@NTFS_BITMAP@@QEAAEVBIG_INT@@EPEAVLOG_IO_DP_DRIVE@@K@Z +; public: unsigned char __cdecl NTFS_BITMAP_FILE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_BITMAP_FILE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_BOOT_FILE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_BOOT_FILE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_CLUSTER_RUN::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class BIG_INT,unsigned long,unsigned long) __ptr64 +?Initialize@NTFS_CLUSTER_RUN@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@VBIG_INT@@KK@Z +; public: unsigned char __cdecl NTFS_EXTENT_LIST::Initialize(class BIG_INT,class BIG_INT) __ptr64 +?Initialize@NTFS_EXTENT_LIST@@QEAAEVBIG_INT@@0@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Initialize(class BIG_INT,unsigned long,class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QEAAEVBIG_INT@@KPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Initialize(class BIG_INT,class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QEAAEVBIG_INT@@PEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Initialize(class BIG_INT,class NTFS_MFT_FILE * __ptr64) __ptr64 +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QEAAEVBIG_INT@@PEAVNTFS_MFT_FILE@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Initialize(void) __ptr64 +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QEAAEXZ +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::Initialize(class MEM * __ptr64,class LOG_IO_DP_DRIVE * __ptr64,class BIG_INT,unsigned long,class BIG_INT,unsigned long,class NTFS_UPCASE_TABLE * __ptr64,unsigned long) __ptr64 +?Initialize@NTFS_FRS_STRUCTURE@@QEAAEPEAVMEM@@PEAVLOG_IO_DP_DRIVE@@VBIG_INT@@K2KPEAVNTFS_UPCASE_TABLE@@K@Z +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::Initialize(class MEM * __ptr64,class NTFS_ATTRIBUTE * __ptr64,class BIG_INT,unsigned long,class BIG_INT,unsigned long,class NTFS_UPCASE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_FRS_STRUCTURE@@QEAAEPEAVMEM@@PEAVNTFS_ATTRIBUTE@@VBIG_INT@@K2KPEAVNTFS_UPCASE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::Initialize(class MEM * __ptr64,class NTFS_ATTRIBUTE * __ptr64,class BIG_INT,unsigned long,unsigned long,class BIG_INT,unsigned long,class NTFS_UPCASE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_FRS_STRUCTURE@@QEAAEPEAVMEM@@PEAVNTFS_ATTRIBUTE@@VBIG_INT@@KK2KPEAVNTFS_UPCASE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::Initialize(unsigned long,class LOG_IO_DP_DRIVE * __ptr64,unsigned long,class NTFS_BITMAP * __ptr64,class NTFS_UPCASE_TABLE * __ptr64,unsigned long,unsigned long,unsigned long,class WSTRING const * __ptr64) __ptr64 +?Initialize@NTFS_INDEX_TREE@@QEAAEKPEAVLOG_IO_DP_DRIVE@@KPEAVNTFS_BITMAP@@PEAVNTFS_UPCASE_TABLE@@KKKPEBVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::Initialize(class LOG_IO_DP_DRIVE * __ptr64,unsigned long,class NTFS_BITMAP * __ptr64,class NTFS_UPCASE_TABLE * __ptr64,unsigned long,class NTFS_FILE_RECORD_SEGMENT * __ptr64,class WSTRING const * __ptr64) __ptr64 +?Initialize@NTFS_INDEX_TREE@@QEAAEPEAVLOG_IO_DP_DRIVE@@KPEAVNTFS_BITMAP@@PEAVNTFS_UPCASE_TABLE@@KPEAVNTFS_FILE_RECORD_SEGMENT@@PEBVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_LOG_FILE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_LOG_FILE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_MFT_FILE::Initialize(class LOG_IO_DP_DRIVE * __ptr64,class BIG_INT,unsigned long,unsigned long,class BIG_INT,class NTFS_BITMAP * __ptr64,class NTFS_UPCASE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_MFT_FILE@@QEAAEPEAVLOG_IO_DP_DRIVE@@VBIG_INT@@KK1PEAVNTFS_BITMAP@@PEAVNTFS_UPCASE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_MFT_INFO::Initialize(class BIG_INT,class NTFS_UPCASE_TABLE * __ptr64,unsigned char,unsigned char,unsigned __int64) __ptr64 +?Initialize@NTFS_MFT_INFO@@QEAAEVBIG_INT@@PEAVNTFS_UPCASE_TABLE@@EE_K@Z +; public: unsigned char __cdecl NTFS_MFT_INFO::Initialize(void) __ptr64 +?Initialize@NTFS_MFT_INFO@@QEAAEXZ +; public: unsigned char __cdecl NTFS_REFLECTED_MASTER_FILE_TABLE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_REFLECTED_MASTER_FILE_TABLE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_SA::Initialize(class LOG_IO_DP_DRIVE * __ptr64,class MESSAGE * __ptr64,class BIG_INT,class BIG_INT) __ptr64 +?Initialize@NTFS_SA@@QEAAEPEAVLOG_IO_DP_DRIVE@@PEAVMESSAGE@@VBIG_INT@@2@Z +; public: unsigned char __cdecl NTFS_UPCASE_FILE::Initialize(class NTFS_MASTER_FILE_TABLE * __ptr64) __ptr64 +?Initialize@NTFS_UPCASE_FILE@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_UPCASE_TABLE::Initialize(class NTFS_ATTRIBUTE * __ptr64) __ptr64 +?Initialize@NTFS_UPCASE_TABLE@@QEAAEPEAVNTFS_ATTRIBUTE@@@Z +; public: static unsigned char __cdecl RA_PROCESS_FILE::Initialize(class NTFS_SA * __ptr64,class BIG_INT,class BIG_INT * __ptr64,unsigned long * __ptr64,class NTFS_FRS_STRUCTURE * __ptr64,class NTFS_FRS_STRUCTURE * __ptr64,class HMEM * __ptr64,class HMEM * __ptr64,void * __ptr64,void * __ptr64,class NTFS_ATTRIBUTE * __ptr64,class NTFS_UPCASE_TABLE * __ptr64) +?Initialize@RA_PROCESS_FILE@@SAEPEAVNTFS_SA@@VBIG_INT@@PEAV3@PEAKPEAVNTFS_FRS_STRUCTURE@@4PEAVHMEM@@5PEAX6PEAVNTFS_ATTRIBUTE@@PEAVNTFS_UPCASE_TABLE@@@Z +; public: static unsigned char __cdecl RA_PROCESS_SD::Initialize(class NTFS_SA * __ptr64,class BIG_INT,class BIG_INT * __ptr64,unsigned long * __ptr64,class NTFS_FILE_RECORD_SEGMENT * __ptr64,class NTFS_FILE_RECORD_SEGMENT * __ptr64,void * __ptr64,void * __ptr64,class NTFS_MASTER_FILE_TABLE * __ptr64) +?Initialize@RA_PROCESS_SD@@SAEPEAVNTFS_SA@@VBIG_INT@@PEAV3@PEAKPEAVNTFS_FILE_RECORD_SEGMENT@@4PEAX5PEAVNTFS_MASTER_FILE_TABLE@@@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::InsertEntry(unsigned long,void * __ptr64,struct _MFT_SEGMENT_REFERENCE,unsigned char) __ptr64 +?InsertEntry@NTFS_INDEX_TREE@@QEAAEKPEAXU_MFT_SEGMENT_REFERENCE@@E@Z +; public: virtual unsigned char __cdecl NTFS_ATTRIBUTE::InsertIntoFile(class NTFS_FILE_RECORD_SEGMENT * __ptr64,class NTFS_BITMAP * __ptr64) __ptr64 +?InsertIntoFile@NTFS_ATTRIBUTE@@UEAAEPEAVNTFS_FILE_RECORD_SEGMENT@@PEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_BITMAP::IsAllocated(class BIG_INT,class BIG_INT)const __ptr64 +?IsAllocated@NTFS_BITMAP@@QEBAEVBIG_INT@@0@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::IsAttributePresent(unsigned long,class WSTRING const * __ptr64,unsigned char) __ptr64 +?IsAttributePresent@NTFS_FILE_RECORD_SEGMENT@@QEAAEKPEBVWSTRING@@E@Z +; public: static unsigned char __cdecl NTFS_SA::IsDosName(struct _FILE_NAME const * __ptr64) +?IsDosName@NTFS_SA@@SAEPEBU_FILE_NAME@@@Z +; public: unsigned char __cdecl NTFS_BITMAP::IsFree(class BIG_INT,class BIG_INT)const __ptr64 +?IsFree@NTFS_BITMAP@@QEBAEVBIG_INT@@0@Z +; public: static unsigned char __cdecl NTFS_SA::IsNtfsName(struct _FILE_NAME const * __ptr64) +?IsNtfsName@NTFS_SA@@SAEPEBU_FILE_NAME@@@Z +; public: virtual unsigned char __cdecl NTFS_ATTRIBUTE::MakeNonresident(class NTFS_BITMAP * __ptr64) __ptr64 +?MakeNonresident@NTFS_ATTRIBUTE@@UEAAEPEAVNTFS_BITMAP@@@Z +; long __cdecl NtfsUpcaseCompare(unsigned short const * __ptr64,unsigned long,unsigned short const * __ptr64,unsigned long,class NTFS_UPCASE_TABLE const * __ptr64,unsigned char) +?NtfsUpcaseCompare@@YAJPEBGK0KPEBVNTFS_UPCASE_TABLE@@E@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::QueryAttribute(class NTFS_ATTRIBUTE * __ptr64,unsigned char * __ptr64,unsigned long,class WSTRING const * __ptr64) __ptr64 +?QueryAttribute@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVNTFS_ATTRIBUTE@@PEAEKPEBVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::QueryAttributeByOrdinal(class NTFS_ATTRIBUTE * __ptr64,unsigned char * __ptr64,unsigned long,unsigned long) __ptr64 +?QueryAttributeByOrdinal@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVNTFS_ATTRIBUTE@@PEAEKK@Z +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::QueryAttributeList(class NTFS_ATTRIBUTE_LIST * __ptr64) __ptr64 +?QueryAttributeList@NTFS_FRS_STRUCTURE@@QEAAEPEAVNTFS_ATTRIBUTE_LIST@@@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::QueryAttributeListAttribute(class NTFS_ATTRIBUTE * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryAttributeListAttribute@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVNTFS_ATTRIBUTE@@PEAE@Z +; public: unsigned char __cdecl NTFS_SA::QueryClusterFactor(void)const __ptr64 +?QueryClusterFactor@NTFS_SA@@QEBAEXZ +; public: static unsigned long __cdecl NTFS_SA::QueryDefaultClustersPerIndexBuffer(class DP_DRIVE const * __ptr64,unsigned long) +?QueryDefaultClustersPerIndexBuffer@NTFS_SA@@SAKPEBVDP_DRIVE@@K@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::QueryEntry(unsigned long,void * __ptr64,unsigned long,struct _INDEX_ENTRY * __ptr64 * __ptr64,class NTFS_INDEX_BUFFER * __ptr64 * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryEntry@NTFS_INDEX_TREE@@QEAAEKPEAXKPEAPEAU_INDEX_ENTRY@@PEAPEAVNTFS_INDEX_BUFFER@@PEAE@Z +; public: unsigned char __cdecl NTFS_EXTENT_LIST::QueryExtent(unsigned long,class BIG_INT * __ptr64,class BIG_INT * __ptr64,class BIG_INT * __ptr64)const __ptr64 +?QueryExtent@NTFS_EXTENT_LIST@@QEBAEKPEAVBIG_INT@@00@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_RECORD::QueryExtentList(class NTFS_EXTENT_LIST * __ptr64)const __ptr64 +?QueryExtentList@NTFS_ATTRIBUTE_RECORD@@QEBAEPEAVNTFS_EXTENT_LIST@@@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::QueryFileReference(unsigned long,void * __ptr64,unsigned long,struct _MFT_SEGMENT_REFERENCE * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryFileReference@NTFS_INDEX_TREE@@QEAAEKPEAXKPEAU_MFT_SEGMENT_REFERENCE@@PEAE@Z +; public: unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::QueryFileSizes(class BIG_INT * __ptr64,class BIG_INT * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryFileSizes@NTFS_FILE_RECORD_SEGMENT@@QEAAEPEAVBIG_INT@@0PEAE@Z +; public: static unsigned char __cdecl NTFS_MFT_INFO::QueryFlags(void * __ptr64,unsigned short) +?QueryFlags@NTFS_MFT_INFO@@SAEPEAXG@Z +; public: unsigned char __cdecl NTFS_SA::QueryFrsFromPath(class WSTRING const * __ptr64,class NTFS_MASTER_FILE_TABLE * __ptr64,class NTFS_BITMAP * __ptr64,class NTFS_FILE_RECORD_SEGMENT * __ptr64,unsigned char * __ptr64,unsigned char * __ptr64) __ptr64 +?QueryFrsFromPath@NTFS_SA@@QEAAEPEBVWSTRING@@PEAVNTFS_MASTER_FILE_TABLE@@PEAVNTFS_BITMAP@@PEAVNTFS_FILE_RECORD_SEGMENT@@PEAE4@Z +; public: unsigned char __cdecl NTFS_EXTENT_LIST::QueryLcnFromVcn(class BIG_INT,class BIG_INT * __ptr64,class BIG_INT * __ptr64)const __ptr64 +?QueryLcnFromVcn@NTFS_EXTENT_LIST@@QEBAEVBIG_INT@@PEAV2@1@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_RECORD::QueryName(class WSTRING * __ptr64)const __ptr64 +?QueryName@NTFS_ATTRIBUTE_RECORD@@QEBAEPEAVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_LIST::QueryNextEntry(struct _ATTR_LIST_CURR_ENTRY * __ptr64,unsigned long * __ptr64,class BIG_INT * __ptr64,struct _MFT_SEGMENT_REFERENCE * __ptr64,unsigned short * __ptr64,class WSTRING * __ptr64)const __ptr64 +?QueryNextEntry@NTFS_ATTRIBUTE_LIST@@QEBAEPEAU_ATTR_LIST_CURR_ENTRY@@PEAKPEAVBIG_INT@@PEAU_MFT_SEGMENT_REFERENCE@@PEAGPEAVWSTRING@@@Z +; public: unsigned long __cdecl NTFS_EXTENT_LIST::QueryNumberOfExtents(void)const __ptr64 +?QueryNumberOfExtents@NTFS_EXTENT_LIST@@QEBAKXZ +; public: static unsigned long __cdecl NTFS_SA::QuerySectorsInElementaryStructures(class DP_DRIVE const * __ptr64,unsigned long,unsigned long,unsigned long,unsigned long) +?QuerySectorsInElementaryStructures@NTFS_SA@@SAKPEBVDP_DRIVE@@KKKK@Z +; public: static struct _MFT_SEGMENT_REFERENCE __cdecl NTFS_MFT_INFO::QuerySegmentReference(void * __ptr64) +?QuerySegmentReference@NTFS_MFT_INFO@@SA?AU_MFT_SEGMENT_REFERENCE@@PEAX@Z +; public: unsigned short __cdecl NTFS_SA::QueryVolumeFlagsAndLabel(unsigned char * __ptr64,unsigned char * __ptr64,unsigned char * __ptr64,class WSTRING * __ptr64) __ptr64 +?QueryVolumeFlagsAndLabel@NTFS_SA@@QEAAGPEAE00PEAVWSTRING@@@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE::Read(void * __ptr64,class BIG_INT,unsigned long,unsigned long * __ptr64) __ptr64 +?Read@NTFS_ATTRIBUTE@@QEAAEPEAXVBIG_INT@@KPEAK@Z +; public: virtual unsigned char __cdecl NTFS_FRS_STRUCTURE::Read(void) __ptr64 +?Read@NTFS_FRS_STRUCTURE@@UEAAEXZ +; public: virtual unsigned char __cdecl NTFS_MFT_FILE::Read(void) __ptr64 +?Read@NTFS_MFT_FILE@@UEAAEXZ +; public: unsigned char __cdecl NTFS_SA::Read(class MESSAGE * __ptr64) __ptr64 +?Read@NTFS_SA@@QEAAEPEAVMESSAGE@@@Z +; public: virtual unsigned char __cdecl NTFS_SA::Read(void) __ptr64 +?Read@NTFS_SA@@UEAAEXZ +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::ReadAgain(class BIG_INT) __ptr64 +?ReadAgain@NTFS_FRS_STRUCTURE@@QEAAEVBIG_INT@@@Z +; public: unsigned char __cdecl NTFS_ATTRIBUTE_LIST::ReadList(void) __ptr64 +?ReadList@NTFS_ATTRIBUTE_LIST@@QEAAEXZ +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::ReadNext(class BIG_INT) __ptr64 +?ReadNext@NTFS_FRS_STRUCTURE@@QEAAEVBIG_INT@@@Z +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::ReadSet(class TLINK * __ptr64) __ptr64 +?ReadSet@NTFS_FRS_STRUCTURE@@QEAAEPEAVTLINK@@@Z +; public: void __cdecl NTFS_CLUSTER_RUN::Relocate(class BIG_INT) __ptr64 +?Relocate@NTFS_CLUSTER_RUN@@QEAAXVBIG_INT@@@Z +; public: void __cdecl NTFS_INDEX_TREE::ResetIterator(void) __ptr64 +?ResetIterator@NTFS_INDEX_TREE@@QEAAXXZ +; public: virtual unsigned char __cdecl NTFS_ATTRIBUTE::Resize(class BIG_INT,class NTFS_BITMAP * __ptr64) __ptr64 +?Resize@NTFS_ATTRIBUTE@@UEAAEVBIG_INT@@PEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::SafeQueryAttribute(unsigned long,class NTFS_ATTRIBUTE * __ptr64,class NTFS_ATTRIBUTE * __ptr64) __ptr64 +?SafeQueryAttribute@NTFS_FRS_STRUCTURE@@QEAAEKPEAVNTFS_ATTRIBUTE@@0@Z +; public: unsigned char __cdecl NTFS_INDEX_TREE::Save(class NTFS_FILE_RECORD_SEGMENT * __ptr64) __ptr64 +?Save@NTFS_INDEX_TREE@@QEAAEPEAVNTFS_FILE_RECORD_SEGMENT@@@Z +; public: virtual unsigned char __cdecl NTFS_ATTRIBUTE::SetSparse(class BIG_INT,class NTFS_BITMAP * __ptr64) __ptr64 +?SetSparse@NTFS_ATTRIBUTE@@UEAAEVBIG_INT@@PEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_SA::SetVolumeFlag(unsigned short,unsigned char * __ptr64) __ptr64 +?SetVolumeFlag@NTFS_SA@@QEAAEGPEAE@Z +; public: unsigned char __cdecl NTFS_SA::TakeCensus(class NTFS_MASTER_FILE_TABLE * __ptr64,unsigned long,struct NTFS_CENSUS_INFO * __ptr64) __ptr64 +?TakeCensus@NTFS_SA@@QEAAEPEAVNTFS_MASTER_FILE_TABLE@@KPEAUNTFS_CENSUS_INFO@@@Z +; public: virtual unsigned char __cdecl NTFS_ATTRIBUTE::Write(void const * __ptr64,class BIG_INT,unsigned long,unsigned long * __ptr64,class NTFS_BITMAP * __ptr64) __ptr64 +?Write@NTFS_ATTRIBUTE@@UEAAEPEBXVBIG_INT@@KPEAKPEAVNTFS_BITMAP@@@Z +; public: unsigned char __cdecl NTFS_BITMAP::Write(class NTFS_ATTRIBUTE * __ptr64,class NTFS_BITMAP * __ptr64) __ptr64 +?Write@NTFS_BITMAP@@QEAAEPEAVNTFS_ATTRIBUTE@@PEAV1@@Z +; public: virtual unsigned char __cdecl NTFS_FILE_RECORD_SEGMENT::Write(void) __ptr64 +?Write@NTFS_FILE_RECORD_SEGMENT@@UEAAEXZ +; public: unsigned char __cdecl NTFS_FRS_STRUCTURE::Write(void) __ptr64 +?Write@NTFS_FRS_STRUCTURE@@QEAAEXZ +; public: unsigned char __cdecl NTFS_SA::WriteRemainingBootCode(void) __ptr64 +?WriteRemainingBootCode@NTFS_SA@@QEAAEXZ +Chkdsk +ChkdskEx +Extend +Format +FormatEx +Recover diff --git a/lib/libc/mingw/lib64/upnpui.def b/lib/libc/mingw/lib64/upnpui.def new file mode 100644 index 0000000000..29315dcd9e --- /dev/null +++ b/lib/libc/mingw/lib64/upnpui.def @@ -0,0 +1,15 @@ +; +; Exports of file upnpui.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY upnpui.dll +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +InstallUPnPUI +IsUPnPUIInstalled +UnInstallUPnPUI diff --git a/lib/libc/mingw/lib64/urlauth.def b/lib/libc/mingw/lib64/urlauth.def new file mode 100644 index 0000000000..4dc6e7b91b --- /dev/null +++ b/lib/libc/mingw/lib64/urlauth.def @@ -0,0 +1,11 @@ +; +; Exports of file URLAUTH.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY URLAUTH.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/usbcamd2.def b/lib/libc/mingw/lib64/usbcamd2.def new file mode 100644 index 0000000000..059eb60d21 --- /dev/null +++ b/lib/libc/mingw/lib64/usbcamd2.def @@ -0,0 +1,15 @@ +; +; Definition file of USBCAMD2.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBCAMD2.SYS" +EXPORTS +DllUnload +USBCAMD_AdapterReceivePacket +USBCAMD_ControlVendorCommand +USBCAMD_Debug_LogEntry +USBCAMD_DriverEntry +USBCAMD_GetRegistryKeyValue +USBCAMD_InitializeNewInterface +USBCAMD_SelectAlternateInterface diff --git a/lib/libc/mingw/lib64/usbd.def b/lib/libc/mingw/lib64/usbd.def new file mode 100644 index 0000000000..de9490403d --- /dev/null +++ b/lib/libc/mingw/lib64/usbd.def @@ -0,0 +1,22 @@ +; +; Definition file of USBD.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBD.SYS" +EXPORTS +DllInitialize +DllUnload +USBD_CalculateUsbBandwidth +USBD_CreateConfigurationRequest +USBD_CreateConfigurationRequestEx +USBD_GetInterfaceLength +USBD_GetPdoRegistryParameter +USBD_GetRegistryKeyValue +USBD_GetUSBDIVersion +USBD_ParseConfigurationDescriptor +USBD_ParseConfigurationDescriptorEx +USBD_ParseDescriptors +USBD_QueryBusTime +USBD_RegisterHcFilter +USBD_ValidateConfigurationDescriptor diff --git a/lib/libc/mingw/lib64/usbport.def b/lib/libc/mingw/lib64/usbport.def new file mode 100644 index 0000000000..fd08efbb64 --- /dev/null +++ b/lib/libc/mingw/lib64/usbport.def @@ -0,0 +1,11 @@ +; +; Definition file of USBPORT.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "USBPORT.SYS" +EXPORTS +DllInitialize +DllUnload +USBPORT_GetHciMn +USBPORT_RegisterUSBPortDriver diff --git a/lib/libc/mingw/lib64/vdsutil.def b/lib/libc/mingw/lib64/vdsutil.def new file mode 100644 index 0000000000..7a8fdab769 --- /dev/null +++ b/lib/libc/mingw/lib64/vdsutil.def @@ -0,0 +1,267 @@ +; +; Exports of file vdsutil.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY vdsutil.dll +EXPORTS +; public: __cdecl CVdsHandleImpl<-1>::CVdsHandleImpl<-1>(void) __ptr64 +??0?$CVdsHandleImpl@$0?0@@QEAA@XZ +; public: __cdecl CVdsHeapPtr::CVdsHeapPtr(void) __ptr64 +??0?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEAA@XZ +; public: __cdecl CVdsHeapPtr::CVdsHeapPtr(void) __ptr64 +??0?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEAA@XZ +; public: __cdecl CVdsPtr::CVdsPtr(void) __ptr64 +??0?$CVdsPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEAA@XZ +; public: __cdecl CVdsPtr::CVdsPtr(void) __ptr64 +??0?$CVdsPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEAA@XZ +; public: __cdecl CPrvEnumObject::CPrvEnumObject(void) __ptr64 +??0CPrvEnumObject@@QEAA@XZ +; public: __cdecl CVdsAsyncObjectBase::CVdsAsyncObjectBase(void) __ptr64 +??0CVdsAsyncObjectBase@@QEAA@XZ +; public: __cdecl CVdsCallTracer::CVdsCallTracer(unsigned long,char const * __ptr64) __ptr64 +??0CVdsCallTracer@@QEAA@KPEBD@Z +; public: __cdecl CVdsCriticalSection::CVdsCriticalSection(struct _RTL_CRITICAL_SECTION * __ptr64) __ptr64 +??0CVdsCriticalSection@@QEAA@PEAU_RTL_CRITICAL_SECTION@@@Z +; public: __cdecl CVdsDebugLog::CVdsDebugLog(int) __ptr64 +??0CVdsDebugLog@@QEAA@H@Z +; public: __cdecl CVdsPnPNotificationBase::CVdsPnPNotificationBase(void) __ptr64 +??0CVdsPnPNotificationBase@@QEAA@XZ +; public: __cdecl CVdsStructuredExceptionTranslator::CVdsStructuredExceptionTranslator(void) __ptr64 +??0CVdsStructuredExceptionTranslator@@QEAA@XZ +; public: __cdecl CVdsUnlockIt::CVdsUnlockIt(long & __ptr64) __ptr64 +??0CVdsUnlockIt@@QEAA@AEAJ@Z +; public: __cdecl CVdsHandleImpl<-1>::~CVdsHandleImpl<-1>(void) __ptr64 +??1?$CVdsHandleImpl@$0?0@@QEAA@XZ +; public: __cdecl CVdsHeapPtr::~CVdsHeapPtr(void) __ptr64 +??1?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEAA@XZ +; public: __cdecl CVdsHeapPtr::~CVdsHeapPtr(void) __ptr64 +??1?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEAA@XZ +; public: __cdecl CVdsPtr::~CVdsPtr(void) __ptr64 +??1?$CVdsPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEAA@XZ +; public: __cdecl CVdsPtr::~CVdsPtr(void) __ptr64 +??1?$CVdsPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEAA@XZ +; public: __cdecl CPrvEnumObject::~CPrvEnumObject(void) __ptr64 +??1CPrvEnumObject@@QEAA@XZ +; public: __cdecl CVdsAsyncObjectBase::~CVdsAsyncObjectBase(void) __ptr64 +??1CVdsAsyncObjectBase@@QEAA@XZ +; public: __cdecl CVdsCallTracer::~CVdsCallTracer(void) __ptr64 +??1CVdsCallTracer@@QEAA@XZ +; public: __cdecl CVdsCriticalSection::~CVdsCriticalSection(void) __ptr64 +??1CVdsCriticalSection@@QEAA@XZ +; public: __cdecl CVdsDebugLog::~CVdsDebugLog(void) __ptr64 +??1CVdsDebugLog@@QEAA@XZ +; public: __cdecl CVdsPnPNotificationBase::~CVdsPnPNotificationBase(void) __ptr64 +??1CVdsPnPNotificationBase@@QEAA@XZ +; public: __cdecl CVdsStructuredExceptionTranslator::~CVdsStructuredExceptionTranslator(void) __ptr64 +??1CVdsStructuredExceptionTranslator@@QEAA@XZ +; public: __cdecl CVdsUnlockIt::~CVdsUnlockIt(void) __ptr64 +??1CVdsUnlockIt@@QEAA@XZ +; public: void * __ptr64 __cdecl CVdsHandleImpl<-1>::operator=(void * __ptr64) __ptr64 +??4?$CVdsHandleImpl@$0?0@@QEAAPEAXPEAX@Z +; public: struct _MOUNTMGR_MOUNT_POINT * __ptr64 __cdecl CVdsHeapPtr::operator=(struct _MOUNTMGR_MOUNT_POINT * __ptr64) __ptr64 +??4?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEAAPEAU_MOUNTMGR_MOUNT_POINT@@PEAU1@@Z +; public: struct _MOUNTMGR_MOUNT_POINTS * __ptr64 __cdecl CVdsHeapPtr::operator=(struct _MOUNTMGR_MOUNT_POINTS * __ptr64) __ptr64 +??4?$CVdsHeapPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEAAPEAU_MOUNTMGR_MOUNT_POINTS@@PEAU1@@Z +; public: bool __cdecl CVdsHandleImpl<-1>::operator==(void * __ptr64)const __ptr64 +??8?$CVdsHandleImpl@$0?0@@QEBA_NPEAX@Z +; public: bool __cdecl CVdsPtr::operator==(struct _MOUNTMGR_MOUNT_POINT * __ptr64)const __ptr64 +??8?$CVdsPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEBA_NPEAU_MOUNTMGR_MOUNT_POINT@@@Z +; public: bool __cdecl CVdsPtr::operator==(struct _MOUNTMGR_MOUNT_POINTS * __ptr64)const __ptr64 +??8?$CVdsPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEBA_NPEAU_MOUNTMGR_MOUNT_POINTS@@@Z +; public: __cdecl CVdsHandleImpl<-1>::operator void * __ptr64(void) __ptr64 +??B?$CVdsHandleImpl@$0?0@@QEAAPEAXXZ +; public: __cdecl CVdsPtr::operator struct _MOUNTMGR_MOUNT_POINT * __ptr64(void)const __ptr64 +??B?$CVdsPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEBAPEAU_MOUNTMGR_MOUNT_POINT@@XZ +; public: __cdecl CVdsPtr::operator struct _MOUNTMGR_MOUNT_POINTS * __ptr64(void)const __ptr64 +??B?$CVdsPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEBAPEAU_MOUNTMGR_MOUNT_POINTS@@XZ +; public: struct _MOUNTMGR_MOUNT_POINT * __ptr64 __cdecl CVdsPtr::operator->(void)const __ptr64 +??C?$CVdsPtr@U_MOUNTMGR_MOUNT_POINT@@@@QEBAPEAU_MOUNTMGR_MOUNT_POINT@@XZ +; public: struct _MOUNTMGR_MOUNT_POINTS * __ptr64 __cdecl CVdsPtr::operator->(void)const __ptr64 +??C?$CVdsPtr@U_MOUNTMGR_MOUNT_POINTS@@@@QEBAPEAU_MOUNTMGR_MOUNT_POINTS@@XZ +; public: void * __ptr64 * __ptr64 __cdecl CVdsHandleImpl<-1>::operator&(void) __ptr64 +??I?$CVdsHandleImpl@$0?0@@QEAAPEAPEAXXZ +; bool __cdecl operator<(struct _GUID const & __ptr64,struct _GUID const & __ptr64) +??M@YA_NAEBU_GUID@@0@Z +; unsigned long __cdecl AddEventSource(unsigned short * __ptr64,struct HINSTANCE__ * __ptr64) +?AddEventSource@@YAKPEAGPEAUHINSTANCE__@@@Z +; public: void __cdecl CVdsAsyncObjectBase::AllowCancel(void) __ptr64 +?AllowCancel@CVdsAsyncObjectBase@@QEAAXXZ +; public: long __cdecl CPrvEnumObject::Append(struct IUnknown * __ptr64) __ptr64 +?Append@CPrvEnumObject@@QEAAJPEAUIUnknown@@@Z +; long __cdecl AssignTempVolumeName(unsigned short * __ptr64,unsigned short * __ptr64 const) +?AssignTempVolumeName@@YAJPEAGQEAG@Z +; public: virtual long __cdecl CVdsAsyncObjectBase::Cancel(void) __ptr64 +?Cancel@CVdsAsyncObjectBase@@UEAAJXZ +; public: void __cdecl CPrvEnumObject::Clear(void) __ptr64 +?Clear@CPrvEnumObject@@QEAAXXZ +; public: virtual long __cdecl CPrvEnumObject::Clone(struct IEnumVdsObject * __ptr64 * __ptr64) __ptr64 +?Clone@CPrvEnumObject@@UEAAJPEAPEAUIEnumVdsObject@@@Z +; void __cdecl CoFreeStringArray(unsigned short * __ptr64 * __ptr64,long) +?CoFreeStringArray@@YAXPEAPEAGJ@Z +; unsigned long __cdecl CreateDeviceInfoSet(unsigned short * __ptr64,void * __ptr64 * __ptr64,struct _SP_DEVINFO_DATA * __ptr64) +?CreateDeviceInfoSet@@YAKPEAGPEAPEAXPEAU_SP_DEVINFO_DATA@@@Z +; private: unsigned long __cdecl CVdsPnPNotificationBase::CreateListenThread(void) __ptr64 +?CreateListenThread@CVdsPnPNotificationBase@@AEAAKXZ +; public: void * __ptr64 __cdecl CVdsHandleImpl<-1>::Detach(void) __ptr64 +?Detach@?$CVdsHandleImpl@$0?0@@QEAAPEAXXZ +; public: void __cdecl CVdsAsyncObjectBase::DisallowCancel(void) __ptr64 +?DisallowCancel@CVdsAsyncObjectBase@@QEAAXXZ +; void __cdecl GarbageCollectDriveLetters(void) +?GarbageCollectDriveLetters@@YAXXZ +; unsigned long __cdecl GetDeviceAndMediaType(void * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) +?GetDeviceAndMediaType@@YAKPEAXPEAK1@Z +; unsigned long __cdecl GetDeviceLocation(void * __ptr64,struct _VDS_DISK_PROP * __ptr64) +?GetDeviceLocation@@YAKPEAXPEAU_VDS_DISK_PROP@@@Z +; unsigned long __cdecl GetDeviceName(void * __ptr64,int,unsigned short * __ptr64 const) +?GetDeviceName@@YAKPEAXHQEAG@Z +; unsigned long __cdecl GetDeviceNumber(void * __ptr64,struct _STORAGE_DEVICE_NUMBER * __ptr64) +?GetDeviceNumber@@YAKPEAXPEAU_STORAGE_DEVICE_NUMBER@@@Z +; unsigned long __cdecl GetDeviceRegistryProperty(unsigned long,unsigned long,unsigned char * __ptr64 * __ptr64,unsigned long) +?GetDeviceRegistryProperty@@YAKKKPEAPEAEK@Z +; unsigned long __cdecl GetDeviceRegistryProperty(void * __ptr64,struct _SP_DEVINFO_DATA * __ptr64,unsigned long,unsigned char * __ptr64 * __ptr64,unsigned long) +?GetDeviceRegistryProperty@@YAKPEAXPEAU_SP_DEVINFO_DATA@@KPEAPEAEK@Z +; unsigned long __cdecl GetDiskLayout(void * __ptr64,struct _DRIVE_LAYOUT_INFORMATION_EX * __ptr64 * __ptr64) +?GetDiskLayout@@YAKPEAXPEAPEAU_DRIVE_LAYOUT_INFORMATION_EX@@@Z +; unsigned long __cdecl GetInterfaceDetailData(void * __ptr64,struct _SP_DEVICE_INTERFACE_DATA * __ptr64,struct _SP_DEVICE_INTERFACE_DETAIL_DATA_W * __ptr64 * __ptr64) +?GetInterfaceDetailData@@YAKPEAXPEAU_SP_DEVICE_INTERFACE_DATA@@PEAPEAU_SP_DEVICE_INTERFACE_DETAIL_DATA_W@@@Z +; unsigned long __cdecl GetIsRemovable(void * __ptr64,int * __ptr64) +?GetIsRemovable@@YAKPEAXPEAH@Z +; unsigned long __cdecl GetMediaGeometry(void * __ptr64,unsigned long,struct _DISK_GEOMETRY * __ptr64) +?GetMediaGeometry@@YAKPEAXKPEAU_DISK_GEOMETRY@@@Z +; unsigned long __cdecl GetMediaGeometry(void * __ptr64,struct _VDS_DISK_PROP * __ptr64) +?GetMediaGeometry@@YAKPEAXPEAU_VDS_DISK_PROP@@@Z +; public: enum __MIDL___MIDL_itf_vdscmlyr_0000_0002 __cdecl CVdsAsyncObjectBase::GetOutputType(void) __ptr64 +?GetOutputType@CVdsAsyncObjectBase@@QEAA?AW4__MIDL___MIDL_itf_vdscmlyr_0000_0002@@XZ +; unsigned long __cdecl GetPartitionInformation(void * __ptr64,struct _PARTITION_INFORMATION_EX * __ptr64) +?GetPartitionInformation@@YAKPEAXPEAU_PARTITION_INFORMATION_EX@@@Z +; unsigned long __cdecl GetVolumeDiskExtentInfo(void * __ptr64,struct _VOLUME_DISK_EXTENTS * __ptr64 * __ptr64) +?GetVolumeDiskExtentInfo@@YAKPEAXPEAPEAU_VOLUME_DISK_EXTENTS@@@Z +; long __cdecl GetVolumeName(unsigned short * __ptr64,unsigned short * __ptr64) +?GetVolumeName@@YAJPEAG0@Z +; unsigned long __cdecl GetVolumeSize(unsigned short * __ptr64,unsigned __int64 * __ptr64) +?GetVolumeSize@@YAKPEAGPEA_K@Z +; public: struct HWND__ * __ptr64 __cdecl CVdsPnPNotificationBase::GetWindowHandle(void) __ptr64 +?GetWindowHandle@CVdsPnPNotificationBase@@QEAAPEAUHWND__@@XZ +; protected: int __cdecl CVdsPnPNotificationBase::HasMatchingNotification(unsigned __int64,unsigned long) __ptr64 +?HasMatchingNotification@CVdsPnPNotificationBase@@IEAAH_KK@Z +; public: static unsigned long __cdecl CVdsAsyncObjectBase::Initialize(void) +?Initialize@CVdsAsyncObjectBase@@SAKXZ +; public: unsigned long __cdecl CVdsPnPNotificationBase::Initialize(void) __ptr64 +?Initialize@CVdsPnPNotificationBase@@QEAAKXZ +; unsigned long __cdecl InitializeSecurityDescriptor(unsigned long,void * __ptr64,struct _ACL * __ptr64 * __ptr64,void * __ptr64 * __ptr64,void * __ptr64 * __ptr64,void * __ptr64 * __ptr64) +?InitializeSecurityDescriptor@@YAKKPEAXPEAPEAU_ACL@@PEAPEAX22@Z +; public: int __cdecl CVdsAsyncObjectBase::IsCancelRequested(void) __ptr64 +?IsCancelRequested@CVdsAsyncObjectBase@@QEAAHXZ +; int __cdecl IsDeviceFullyInstalled(unsigned short * __ptr64) +?IsDeviceFullyInstalled@@YAHPEAG@Z +; int __cdecl IsDiskClustered(void * __ptr64) +?IsDiskClustered@@YAHPEAX@Z +; public: int __cdecl CVdsAsyncObjectBase::IsFinished(void) __ptr64 +?IsFinished@CVdsAsyncObjectBase@@QEAAHXZ +; long __cdecl IsLocalComputer(unsigned short * __ptr64) +?IsLocalComputer@@YAJPEAG@Z +; int __cdecl IsMediaPresent(void * __ptr64) +?IsMediaPresent@@YAHPEAX@Z +; int __cdecl IsNoAutoMount(void) +?IsNoAutoMount@@YAHXZ +; int __cdecl IsWinPE(void) +?IsWinPE@@YAHXZ +; unsigned long __cdecl LockDismountVolume(void * __ptr64,int) +?LockDismountVolume@@YAKPEAXH@Z +; unsigned long __cdecl LockVolume(void * __ptr64) +?LockVolume@@YAKPEAX@Z +; public: void __cdecl CVdsDebugLog::Log(unsigned long,unsigned long,int,char * __ptr64,char * __ptr64) __ptr64 +?Log@CVdsDebugLog@@QEAAXKKHPEAD0@Z +; public: void __cdecl CVdsDebugLog::Log(unsigned long,unsigned long,int,char * __ptr64,...) __ptr64 +?Log@CVdsDebugLog@@QEAAXKKHPEADZZ +; void __cdecl LogError(unsigned short * __ptr64,unsigned long,unsigned long,void * __ptr64,unsigned long,unsigned long,unsigned short * __ptr64,char * __ptr64) +?LogError@@YAXPEAGKKPEAXKK0PEAD@Z +; void __cdecl LogEvent(unsigned short * __ptr64,unsigned long,unsigned short,unsigned long,void * __ptr64,unsigned long,unsigned short * __ptr64 * __ptr64 const) +?LogEvent@@YAXPEAGKGKPEAXKQEAPEAG@Z +; void __cdecl LogInfo(unsigned short * __ptr64,unsigned long,unsigned long,void * __ptr64,unsigned long,unsigned short * __ptr64,char * __ptr64) +?LogInfo@@YAXPEAGKKPEAXK0PEAD@Z +; void __cdecl LogWarning(unsigned short * __ptr64,unsigned long,unsigned long,void * __ptr64,unsigned long,unsigned long,unsigned short * __ptr64,char * __ptr64) +?LogWarning@@YAXPEAGKKPEAXKK0PEAD@Z +; unsigned long __cdecl MountVolume(unsigned short * __ptr64) +?MountVolume@@YAKPEAG@Z +; public: virtual long __cdecl CPrvEnumObject::Next(unsigned long,struct IUnknown * __ptr64 * __ptr64,unsigned long * __ptr64) __ptr64 +?Next@CPrvEnumObject@@UEAAJKPEAPEAUIUnknown@@PEAK@Z +; private: unsigned long __cdecl CVdsPnPNotificationBase::NotificationThread(void * __ptr64) __ptr64 +?NotificationThread@CVdsPnPNotificationBase@@AEAAKPEAX@Z +; private: static unsigned long __cdecl CVdsPnPNotificationBase::NotificationThreadEntry(void * __ptr64) +?NotificationThreadEntry@CVdsPnPNotificationBase@@CAKPEAX@Z +; unsigned long __cdecl OpenDevice(unsigned short * __ptr64,unsigned long,void * __ptr64 * __ptr64) +?OpenDevice@@YAKPEAGKPEAPEAX@Z +; long __cdecl QueryObjects(struct IUnknown * __ptr64,struct IEnumVdsObject * __ptr64 * __ptr64,struct _RTL_CRITICAL_SECTION & __ptr64) +?QueryObjects@@YAJPEAUIUnknown@@PEAPEAUIEnumVdsObject@@AEAU_RTL_CRITICAL_SECTION@@@Z +; public: virtual long __cdecl CVdsAsyncObjectBase::QueryStatus(long * __ptr64,unsigned long * __ptr64) __ptr64 +?QueryStatus@CVdsAsyncObjectBase@@UEAAJPEAJPEAK@Z +; public: unsigned long __cdecl CVdsPnPNotificationBase::Register(struct _NotificationListeningRequest * __ptr64,unsigned long) __ptr64 +?Register@CVdsPnPNotificationBase@@QEAAKPEAU_NotificationListeningRequest@@K@Z +; public: unsigned long __cdecl CVdsPnPNotificationBase::RegisterHandle(void * __ptr64,void * __ptr64 * __ptr64) __ptr64 +?RegisterHandle@CVdsPnPNotificationBase@@QEAAKPEAXPEAPEAX@Z +; long __cdecl RegisterProvider(struct _GUID,struct _GUID,unsigned short * __ptr64,enum _VDS_PROVIDER_TYPE,unsigned short * __ptr64,unsigned short * __ptr64,struct _GUID) +?RegisterProvider@@YAJU_GUID@@0PEAGW4_VDS_PROVIDER_TYPE@@110@Z +; unsigned long __cdecl RemoveEventSource(unsigned short * __ptr64) +?RemoveEventSource@@YAKPEAG@Z +; void __cdecl RemoveTempVolumeName(unsigned short * __ptr64,unsigned short * __ptr64) +?RemoveTempVolumeName@@YAXPEAG0@Z +; public: virtual long __cdecl CPrvEnumObject::Reset(void) __ptr64 +?Reset@CPrvEnumObject@@UEAAJXZ +; public: void __cdecl CVdsAsyncObjectBase::SetCompletionStatus(long,unsigned long) __ptr64 +?SetCompletionStatus@CVdsAsyncObjectBase@@QEAAXJK@Z +; unsigned long __cdecl SetDiskLayout(void * __ptr64,struct _DRIVE_LAYOUT_INFORMATION_EX * __ptr64) +?SetDiskLayout@@YAKPEAXPEAU_DRIVE_LAYOUT_INFORMATION_EX@@@Z +; public: void __cdecl CVdsAsyncObjectBase::SetOutputType(enum __MIDL___MIDL_itf_vdscmlyr_0000_0002) __ptr64 +?SetOutputType@CVdsAsyncObjectBase@@QEAAXW4__MIDL___MIDL_itf_vdscmlyr_0000_0002@@@Z +; public: void __cdecl CPrvEnumObject::SetPositionToLast(void) __ptr64 +?SetPositionToLast@CPrvEnumObject@@QEAAXXZ +; public: void __cdecl CVdsAsyncObjectBase::Signal(void) __ptr64 +?Signal@CVdsAsyncObjectBase@@QEAAXXZ +; public: virtual long __cdecl CPrvEnumObject::Skip(unsigned long) __ptr64 +?Skip@CPrvEnumObject@@UEAAJK@Z +; public: int __cdecl CVdsDebugLog::TracingLogEnabled(void) __ptr64 +?TracingLogEnabled@CVdsDebugLog@@QEAAHXZ +; public: static void __cdecl CVdsAsyncObjectBase::Uninitialize(void) +?Uninitialize@CVdsAsyncObjectBase@@SAXXZ +; public: void __cdecl CVdsPnPNotificationBase::Uninitialize(void) __ptr64 +?Uninitialize@CVdsPnPNotificationBase@@QEAAXXZ +; public: void __cdecl CVdsPnPNotificationBase::Unregister(struct _NotificationListeningRequest * __ptr64) __ptr64 +?Unregister@CVdsPnPNotificationBase@@QEAAXPEAU_NotificationListeningRequest@@@Z +; public: void __cdecl CVdsPnPNotificationBase::UnregisterHandle(void * __ptr64) __ptr64 +?UnregisterHandle@CVdsPnPNotificationBase@@QEAAXPEAX@Z +; long __cdecl UnregisterProvider(struct _GUID) +?UnregisterProvider@@YAJU_GUID@@@Z +; unsigned short * __ptr64 __cdecl VdsAllocateEmptyString(void) +?VdsAllocateEmptyString@@YAPEAGXZ +; void * __ptr64 __cdecl VdsHeapAlloc(void * __ptr64,unsigned long,unsigned __int64) +?VdsHeapAlloc@@YAPEAXPEAXK_K@Z +; int __cdecl VdsHeapFree(void * __ptr64,unsigned long,void * __ptr64) +?VdsHeapFree@@YAHPEAXK0@Z +; unsigned long __cdecl VdsInitializeCriticalSection(struct _RTL_CRITICAL_SECTION * __ptr64) +?VdsInitializeCriticalSection@@YAKPEAU_RTL_CRITICAL_SECTION@@@Z +; public: static void __cdecl CVdsStructuredExceptionTranslator::VdsSeTranslator(unsigned int,struct _EXCEPTION_POINTERS * __ptr64) +?VdsSeTranslator@CVdsStructuredExceptionTranslator@@SAXIPEAU_EXCEPTION_POINTERS@@@Z +; void __cdecl VdsTrace(unsigned long,char * __ptr64,...) +?VdsTrace@@YAXKPEADZZ +; void __cdecl VdsTraceEx(unsigned long,unsigned long,char * __ptr64,...) +?VdsTraceEx@@YAXKKPEADZZ +; void __cdecl VdsTraceExHelper(unsigned long,unsigned long,char * __ptr64,char * __ptr64) +?VdsTraceExHelper@@YAXKKPEAD0@Z +; void __cdecl VdsTraceExW(unsigned long,unsigned long,unsigned short * __ptr64,...) +?VdsTraceExW@@YAXKKPEAGZZ +; void __cdecl VdsTraceExWHelper(unsigned long,unsigned long,unsigned short * __ptr64,char * __ptr64) +?VdsTraceExWHelper@@YAXKKPEAGPEAD@Z +; void __cdecl VdsTraceW(unsigned long,unsigned short * __ptr64,...) +?VdsTraceW@@YAXKPEAGZZ +; public: long __cdecl CVdsAsyncObjectBase::WaitImpl(long * __ptr64) __ptr64 +?WaitImpl@CVdsAsyncObjectBase@@QEAAJPEAJ@Z +; private: static __int64 __cdecl CVdsPnPNotificationBase::WindowProcEntry(struct HWND__ * __ptr64,unsigned int,unsigned __int64,__int64) +?WindowProcEntry@CVdsPnPNotificationBase@@CA_JPEAUHWND__@@I_K_J@Z +; public: void __cdecl CVdsAsyncObjectBase::ZeroAsyncOut(void) __ptr64 +?ZeroAsyncOut@CVdsAsyncObjectBase@@QEAAXXZ +DllMain +RegisterVdsFabric +UnregisterVdsFabric diff --git a/lib/libc/mingw/lib64/verifier.def b/lib/libc/mingw/lib64/verifier.def new file mode 100644 index 0000000000..bac610aeff --- /dev/null +++ b/lib/libc/mingw/lib64/verifier.def @@ -0,0 +1,25 @@ +; +; Exports of file VERIFIER.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY VERIFIER.dll +EXPORTS +VerifierAddFreeMemoryCallback +VerifierCreateRpcPageHeap +VerifierDeleteFreeMemoryCallback +VerifierDestroyRpcPageHeap +VerifierDisableFaultInjectionExclusionRange +VerifierDisableFaultInjectionTargetRange +VerifierEnableFaultInjectionExclusionRange +VerifierEnableFaultInjectionTargetRange +VerifierEnumerateResource +VerifierIsCurrentThreadHoldingLocks +VerifierIsDllEntryActive +VerifierLogMessage +VerifierQueryRuntimeFlags +VerifierSetFaultInjectionProbability +VerifierSetFlags +VerifierSetRuntimeFlags +VerifierStopMessage diff --git a/lib/libc/mingw/lib64/vgx.def b/lib/libc/mingw/lib64/vgx.def new file mode 100644 index 0000000000..e65f742654 --- /dev/null +++ b/lib/libc/mingw/lib64/vgx.def @@ -0,0 +1,17 @@ +; +; Exports of file VGX.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY VGX.DLL +EXPORTS +$DllMain$_gdiplus +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +MsoAssertSzProcVar +MsoFFeature +MsoFInitOffice +MsoFSetFeature diff --git a/lib/libc/mingw/lib64/vmx_mode.def b/lib/libc/mingw/lib64/vmx_mode.def new file mode 100644 index 0000000000..2ae9d0135f --- /dev/null +++ b/lib/libc/mingw/lib64/vmx_mode.def @@ -0,0 +1,9 @@ +; +; Exports of file VMX_MODE.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY VMX_MODE.dll +EXPORTS +VMX_ModeChange diff --git a/lib/libc/mingw/lib64/w3core.def b/lib/libc/mingw/lib64/w3core.def new file mode 100644 index 0000000000..233b67547e --- /dev/null +++ b/lib/libc/mingw/lib64/w3core.def @@ -0,0 +1,17 @@ +; +; Exports of file w3core.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY w3core.dll +EXPORTS +; int __cdecl FindInETagList(char const * __ptr64,char const * __ptr64,int) +?FindInETagList@@YAHPEBD0H@Z +; public: static class W3_FILE_INFO_CACHE * __ptr64 __cdecl W3_FILE_INFO_CACHE::GetFileCache(void) +?GetFileCache@W3_FILE_INFO_CACHE@@SAPEAV1@XZ +; public: long __cdecl W3_FILE_INFO_CACHE::GetFileInfo(class STRU & __ptr64,struct DIRMON_CONFIG * __ptr64,class CACHE_USER * __ptr64,int,class W3_FILE_INFO * __ptr64 * __ptr64,struct FILE_CACHE_ASYNC_CONTEXT * __ptr64,int * __ptr64,int,int,struct _ETW_TRACE_INFO * __ptr64) __ptr64 +?GetFileInfo@W3_FILE_INFO_CACHE@@QEAAJAEAVSTRU@@PEAUDIRMON_CONFIG@@PEAVCACHE_USER@@HPEAPEAVW3_FILE_INFO@@PEAUFILE_CACHE_ASYNC_CONTEXT@@PEAHHHPEAU_ETW_TRACE_INFO@@@Z +; public: int __cdecl W3_FILE_INFO::SetAssociatedObject(class ASSOCIATED_FILE_OBJECT * __ptr64) __ptr64 +?SetAssociatedObject@W3_FILE_INFO@@QEAAHPEAVASSOCIATED_FILE_OBJECT@@@Z +UlW3Start diff --git a/lib/libc/mingw/lib64/w3ctrs.def b/lib/libc/mingw/lib64/w3ctrs.def new file mode 100644 index 0000000000..559c055483 --- /dev/null +++ b/lib/libc/mingw/lib64/w3ctrs.def @@ -0,0 +1,11 @@ +; +; Exports of file W3CTRS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY W3CTRS.dll +EXPORTS +OpenW3PerformanceData +CollectW3PerformanceData +CloseW3PerformanceData diff --git a/lib/libc/mingw/lib64/w3dt.def b/lib/libc/mingw/lib64/w3dt.def new file mode 100644 index 0000000000..a4b4fe4762 --- /dev/null +++ b/lib/libc/mingw/lib64/w3dt.def @@ -0,0 +1,28 @@ +; +; Exports of file w3dt.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY w3dt.dll +EXPORTS +; public: class IPM_MESSAGE_PIPE & __ptr64 __cdecl IPM_MESSAGE_PIPE::operator=(class IPM_MESSAGE_PIPE const & __ptr64) __ptr64 +??4IPM_MESSAGE_PIPE@@QEAAAEAV0@AEBV0@@Z +UlAtqAddFragmentToCache +UlAtqAllocateMemory +UlAtqFlushUlCache +UlAtqFreeContext +UlAtqGetContextProperty +UlAtqInduceShutdown +UlAtqInitialize +UlAtqReadFragmentFromCache +UlAtqReceiveClientCertificate +UlAtqReceiveEntityBody +UlAtqRemoveFragmentFromCache +UlAtqSendEntityBody +UlAtqSendHttpResponse +UlAtqSetContextProperty +UlAtqSetUnhealthy +UlAtqStartListen +UlAtqTerminate +UlAtqWaitForDisconnect diff --git a/lib/libc/mingw/lib64/w3isapi.def b/lib/libc/mingw/lib64/w3isapi.def new file mode 100644 index 0000000000..4dea32be91 --- /dev/null +++ b/lib/libc/mingw/lib64/w3isapi.def @@ -0,0 +1,12 @@ +; +; Exports of file w3isapi.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY w3isapi.dll +EXPORTS +InitModule +ProcessIsapiCompletion +ProcessIsapiRequest +TerminateModule diff --git a/lib/libc/mingw/lib64/w3ssl.def b/lib/libc/mingw/lib64/w3ssl.def new file mode 100644 index 0000000000..39f4956147 --- /dev/null +++ b/lib/libc/mingw/lib64/w3ssl.def @@ -0,0 +1,10 @@ +; +; Exports of file w3ssl.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY w3ssl.dll +EXPORTS +HTTPFilterServiceMain +ServiceEntry diff --git a/lib/libc/mingw/lib64/w3tp.def b/lib/libc/mingw/lib64/w3tp.def new file mode 100644 index 0000000000..bb4b520bac --- /dev/null +++ b/lib/libc/mingw/lib64/w3tp.def @@ -0,0 +1,31 @@ +; +; Exports of file W3TP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY W3TP.dll +EXPORTS +; private: __cdecl THREAD_POOL::THREAD_POOL(void) __ptr64 +??0THREAD_POOL@@AEAA@XZ +; private: __cdecl THREAD_POOL::~THREAD_POOL(void) __ptr64 +??1THREAD_POOL@@AEAA@XZ +; public: int __cdecl THREAD_POOL::BindIoCompletionCallback(void * __ptr64,void (__cdecl*)(unsigned long,unsigned long,struct _OVERLAPPED * __ptr64),unsigned long) __ptr64 +?BindIoCompletionCallback@THREAD_POOL@@QEAAHPEAXP6AXKKPEAU_OVERLAPPED@@@ZK@Z +; public: static int __cdecl THREAD_POOL::CreateThreadPool(class THREAD_POOL * __ptr64 * __ptr64,struct THREAD_POOL_CONFIG * __ptr64) +?CreateThreadPool@THREAD_POOL@@SAHPEAPEAV1@PEAUTHREAD_POOL_CONFIG@@@Z +; public: void __cdecl THREAD_POOL::GetStats(unsigned long * __ptr64,unsigned long * __ptr64,unsigned long * __ptr64) __ptr64 +?GetStats@THREAD_POOL@@QEAAXPEAK00@Z +; public: int __cdecl THREAD_POOL::PostCompletion(unsigned long,void (__cdecl*)(unsigned long,unsigned long,struct _OVERLAPPED * __ptr64),struct _OVERLAPPED * __ptr64) __ptr64 +?PostCompletion@THREAD_POOL@@QEAAHKP6AXKKPEAU_OVERLAPPED@@@Z0@Z +; public: unsigned __int64 __cdecl THREAD_POOL::SetInfo(enum THREAD_POOL_INFO,unsigned __int64) __ptr64 +?SetInfo@THREAD_POOL@@QEAA_KW4THREAD_POOL_INFO@@_K@Z +; public: void __cdecl THREAD_POOL::TerminateThreadPool(void) __ptr64 +?TerminateThreadPool@THREAD_POOL@@QEAAXXZ +ThreadPoolBindIoCompletionCallback +ThreadPoolGetStats +ThreadPoolInitialize +ThreadPoolPostCompletion +ThreadPoolSetInfo +ThreadPoolTerminate +DllMain diff --git a/lib/libc/mingw/lib64/wab32.def b/lib/libc/mingw/lib64/wab32.def new file mode 100644 index 0000000000..f73fda16de --- /dev/null +++ b/lib/libc/mingw/lib64/wab32.def @@ -0,0 +1,13 @@ +; +; Exports of file WAB32.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WAB32.dll +EXPORTS +WABOpen +WABCreateIProp +WABOpenEx +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wabimp.def b/lib/libc/mingw/lib64/wabimp.def new file mode 100644 index 0000000000..0698a63704 --- /dev/null +++ b/lib/libc/mingw/lib64/wabimp.def @@ -0,0 +1,22 @@ +; +; Exports of file WABIMP.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WABIMP.dll +EXPORTS +NetscapeImport +NetscapeExport +EudoraImport +EudoraExport +Athena16Import +Athena16Export +PABImport +PABExport +CSVImport +CSVExport +LDIFImport +MessengerImport +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wamreg.def b/lib/libc/mingw/lib64/wamreg.def new file mode 100644 index 0000000000..41b6ab56cd --- /dev/null +++ b/lib/libc/mingw/lib64/wamreg.def @@ -0,0 +1,19 @@ +; +; Exports of file wamreg.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wamreg.DLL +EXPORTS +CreateIISPackage +DeleteIISPackage +WamReg_RegisterSinkNotify +WamReg_UnRegisterSinkNotify +InstallWam +UnInstallWam +CreateCOMPlusApplication +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wbemcore.def b/lib/libc/mingw/lib64/wbemcore.def new file mode 100644 index 0000000000..ce174e1431 --- /dev/null +++ b/lib/libc/mingw/lib64/wbemcore.def @@ -0,0 +1,14 @@ +; +; Exports of file WBEMCORE.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WBEMCORE.DLL +EXPORTS +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer +Reinitialize +Shutdown diff --git a/lib/libc/mingw/lib64/wbemupgd.def b/lib/libc/mingw/lib64/wbemupgd.def new file mode 100644 index 0000000000..606f07da92 --- /dev/null +++ b/lib/libc/mingw/lib64/wbemupgd.def @@ -0,0 +1,15 @@ +; +; Exports of file WbemUpgd.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WbemUpgd.dll +EXPORTS +CheckWMISetup +LoadMofFiles +MUI_InstallMFLFiles +OcEntry +RepairWMISetup +DllInstall +DllRegisterServer diff --git a/lib/libc/mingw/lib64/wdmaud.def b/lib/libc/mingw/lib64/wdmaud.def new file mode 100644 index 0000000000..ce90a0d7c3 --- /dev/null +++ b/lib/libc/mingw/lib64/wdmaud.def @@ -0,0 +1,15 @@ +; +; Exports of file WDMAUD.DRV +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WDMAUD.DRV +EXPORTS +DriverProc +auxMessage +midMessage +modMessage +mxdMessage +widMessage +wodMessage diff --git a/lib/libc/mingw/lib64/wdsclient.def b/lib/libc/mingw/lib64/wdsclient.def new file mode 100644 index 0000000000..aeddde8d51 --- /dev/null +++ b/lib/libc/mingw/lib64/wdsclient.def @@ -0,0 +1,19 @@ +; +; Definition file of WdsClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsClient.dll" +EXPORTS +CallBack_WdsClient_ConnectToImageStore +CallBack_WdsClient_DetectWdsMode +CallBack_WdsClient_GetImageList +CallBack_WdsClient_ImageSelectionDone +CallBack_WdsClient_ProcessCmdLine +GetServerParamsFromBootPacket +Module_Init_WdsClient +g_Kernel32 DATA +g_Mpr DATA +g_Wdscore DATA +g_Wdslib DATA +g_hSession DATA diff --git a/lib/libc/mingw/lib64/wdscore.def b/lib/libc/mingw/lib64/wdscore.def new file mode 100644 index 0000000000..b7836c523d --- /dev/null +++ b/lib/libc/mingw/lib64/wdscore.def @@ -0,0 +1,234 @@ +; +; Definition file of WDSCORE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSCORE.dll" +EXPORTS +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@EPEAE@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@EPEAUSKey@@@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@EPEAUSValue@@@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@GPEAG@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAA@_K@Z +; public: __cdecl ::(unsigned __int64)__ptr64 +??0?$CDynamicArray@_KPEA_K@@QEAA@_K@Z +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@EPEAE@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@EPEAUSKey@@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@EPEAUSValue@@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@GPEAG@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CDynamicArray@_KPEA_K@@QEAA@XZ +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@EPEAE@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@EPEAUSKey@@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@EPEAUSValue@@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@GPEAG@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CDynamicArray@_KPEA_K@@QEAAAEAV0@AEBV0@@Z +; public: struct SEnumBinContext *__ptr64 &__ptr64 __cdecl ::operator[](unsigned __int64)__ptr64 +??A?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAAEAPEAUSEnumBinContext@@_K@Z +; public: unsigned __int64 &__ptr64 __cdecl ::operator[](unsigned __int64)__ptr64 +??A?$CDynamicArray@_KPEA_K@@QEAAAEA_K_K@Z +; public: void __cdecl ::operator struct SKey *__ptr64(...)const __ptr64 throw() +??B?$CDynamicArray@EPEAUSKey@@@@QEBAPEAUSKey@@XZ +; public: void __cdecl ::operator struct SValue *__ptr64(...)const __ptr64 throw() +??B?$CDynamicArray@EPEAUSValue@@@@QEBAPEAUSValue@@XZ +; public: void __cdecl ::operator unsigned short *__ptr64(...)const __ptr64 throw() +??B?$CDynamicArray@GPEAG@@QEBAPEAGXZ +; public: struct SKey *__ptr64 __cdecl ::operator ->(void)const __ptr64 +??C?$CDynamicArray@EPEAUSKey@@@@QEBAPEAUSKey@@XZ +; public: struct SValue *__ptr64 __cdecl ::operator ->(void)const __ptr64 +??C?$CDynamicArray@EPEAUSValue@@@@QEBAPEAUSValue@@XZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@EPEAE@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@EPEAUSKey@@@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@EPEAUSValue@@@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@GPEAG@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAXXZ +; public: void __cdecl ::__dflt_ctor_closure(void)__ptr64 +??_F?$CDynamicArray@_KPEA_K@@QEAAXXZ +; public: int __cdecl ::Add(struct SEnumBinContext *__ptr64 &__ptr64 )__ptr64 +?Add@?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAHAEAPEAUSEnumBinContext@@@Z +; public: int __cdecl ::Add(struct CBlackboardFactory::SKeeperEntry &__ptr64 )__ptr64 +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAHAEAUSKeeperEntry@CBlackboardFactory@@@Z +; public: int __cdecl ::Add(struct CBlackboardFactory::SKeeperEntry &__ptr64 ,unsigned __int64 &__ptr64 )__ptr64 +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAHAEAUSKeeperEntry@CBlackboardFactory@@AEA_K@Z +; public: int __cdecl ::Add(unsigned __int64 &__ptr64 )__ptr64 +?Add@?$CDynamicArray@_KPEA_K@@QEAAHAEA_K@Z +; public: unsigned short &__ptr64 __cdecl ::ElementAt(unsigned __int64)__ptr64 +?ElementAt@?$CDynamicArray@GPEAG@@QEAAAEAG_K@Z +; public: struct CBlackboardFactory::SKeeperEntry &__ptr64 __cdecl ::ElementAt(unsigned __int64)__ptr64 +?ElementAt@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAAEAUSKeeperEntry@CBlackboardFactory@@_K@Z +; public: unsigned char *__ptr64 __cdecl ::GetBuffer(unsigned __int64)__ptr64 +?GetBuffer@?$CDynamicArray@EPEAE@@QEAAPEAE_K@Z +; public: struct SValue *__ptr64 __cdecl ::GetBuffer(unsigned __int64)__ptr64 +?GetBuffer@?$CDynamicArray@EPEAUSValue@@@@QEAAPEAUSValue@@_K@Z +; public: unsigned short *__ptr64 __cdecl ::GetBuffer(unsigned __int64)__ptr64 +?GetBuffer@?$CDynamicArray@GPEAG@@QEAAPEAG_K@Z +; public: unsigned __int64 __cdecl ::GetSize(void)const __ptr64 +?GetSize@?$CDynamicArray@EPEAE@@QEBA_KXZ +; public: unsigned __int64 __cdecl ::GetSize(void)const __ptr64 +?GetSize@?$CDynamicArray@GPEAG@@QEBA_KXZ +; public: unsigned __int64 __cdecl ::GetSize(void)const __ptr64 +?GetSize@?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEBA_KXZ +; public: unsigned __int64 __cdecl ::GetSize(void)const __ptr64 +?GetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEBA_KXZ +; public: unsigned __int64 __cdecl ::GetSize(void)const __ptr64 +?GetSize@?$CDynamicArray@_KPEA_K@@QEBA_KXZ +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@EPEAE@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@EPEAUSKey@@@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@EPEAUSValue@@@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@GPEAG@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@IEAAX_K@Z +; protected: void __cdecl ::Init(unsigned __int64)__ptr64 +?Init@?$CDynamicArray@_KPEA_K@@IEAAX_K@Z +; public: void __cdecl ::RemoveAll(void)__ptr64 +?RemoveAll@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAXXZ +; public: void __cdecl ::RemoveAll(void)__ptr64 +?RemoveAll@?$CDynamicArray@_KPEA_K@@QEAAXXZ +; public: void __cdecl ::RemoveItemFromTail(void)__ptr64 +?RemoveItemFromTail@?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAXXZ +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@EPEAE@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@EPEAUSKey@@@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@EPEAUSValue@@@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@GPEAG@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@PEAUSEnumBinContext@@PEAPEAU1@@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PEAU12@@@QEAAH_K@Z +; public: int __cdecl ::SetSize(unsigned __int64)__ptr64 +?SetSize@?$CDynamicArray@_KPEA_K@@QEAAH_K@Z +WdsGetPointer +g_Kernel32 DATA +g_bEnableDiagnosticMode DATA +ConstructPartialMsgIfA +ConstructPartialMsgIfW +ConstructPartialMsgVA +ConstructPartialMsgVW +CurrentIP +EndMajorTask +EndMinorTask +GetMajorTask +GetMajorTaskA +GetMinorTask +GetMinorTaskA +StartMajorTask +StartMinorTask +WdsAbortBlackboardItemEnum +WdsAddModule +WdsAddUsmtLogStack +WdsAllocCollection +WdsCollectionAddValue +WdsCollectionGetValue +WdsCopyBlackboardItems +WdsCopyBlackboardItemsEx +WdsCreateBlackboard +WdsDeleteBlackboardValue +WdsDeleteEvent +WdsDestroyBlackboard +WdsDuplicateData +WdsEnableDiagnosticMode +WdsEnableExit +WdsEnableExitEx +WdsEnumFirstBlackboardItem +WdsEnumFirstCollectionValue +WdsEnumNextBlackboardItem +WdsEnumNextCollectionValue +WdsExecuteWorkQueue +WdsExecuteWorkQueue2 +WdsExecuteWorkQueueEx +WdsExitImmediately +WdsExitImmediatelyEx +WdsFreeCollection +WdsFreeData +WdsGenericSetupLogInit +WdsGetAssertFlags +WdsGetBlackboardBinaryData +WdsGetBlackboardStringA +WdsGetBlackboardStringW +WdsGetBlackboardUintPtr +WdsGetBlackboardValue +WdsGetCurrentExecutionGroup +WdsGetSetupLog +WdsGetTempDir +WdsInitialize +WdsInitializeCallbackArray +WdsInitializeDataBinary +WdsInitializeDataStringA +WdsInitializeDataStringW +WdsInitializeDataUInt32 +WdsInitializeDataUInt64 +WdsIsDiagnosticModeEnabled +WdsIterateOfflineQueue +WdsIterateQueue +WdsLockBlackboardValue +WdsLockExecutionGroup +WdsLogCreate +WdsLogDestroy +WdsLogRegStockProviders +WdsLogRegisterProvider +WdsLogStructuredException +WdsLogUnRegStockProviders +WdsLogUnRegisterProvider +WdsPackCollection +WdsPublish +WdsPublishEx +WdsPublishImmediateAsync +WdsPublishImmediateEx +WdsPublishOffline +WdsSeqAlloc +WdsSeqFree +WdsSetAssertFlags +WdsSetBlackboardValue +WdsSetNextExecutionGroup +WdsSetUILanguage +WdsSetupLogDestroy +WdsSetupLogInit +WdsSetupLogMessageA +WdsSetupLogMessageW +WdsSubscribeEx +WdsTerminate +WdsUnlockExecutionGroup +WdsUnpackCollection +WdsUnsubscribe +WdsUnsubscribeEx +WdsValidBlackboard diff --git a/lib/libc/mingw/lib64/wdscsl.def b/lib/libc/mingw/lib64/wdscsl.def new file mode 100644 index 0000000000..08b6fc5413 --- /dev/null +++ b/lib/libc/mingw/lib64/wdscsl.def @@ -0,0 +1,23 @@ +; +; Definition file of WDSCSL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSCSL.dll" +EXPORTS +WdsClientExecute +WdsClientInitializeLibrary +WdsClientPacketAllocate +WdsClientPacketFree +WdsClientRegisterTrace +WdsClientSessionCreate +WdsClientSessionExecute +WdsClientSessionShutdown +WdsCpPacketGetBuffer +WdsCpPacketInitialize +WdsCpPacketRelease +WdsCpParameterAdd +WdsCpParameterDelete +WdsCpParameterQuery +WdsCpParameterValidate +WdsCpRecvPacketInitialize diff --git a/lib/libc/mingw/lib64/wdsimage.def b/lib/libc/mingw/lib64/wdsimage.def new file mode 100644 index 0000000000..391975bfb4 --- /dev/null +++ b/lib/libc/mingw/lib64/wdsimage.def @@ -0,0 +1,81 @@ +; +; Definition file of WdsImage.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsImage.dll" +EXPORTS +FindFirstImage +FindNextImage +WDSFreeImageInformation +WDSGetImageInformation +WDSInitializeEmptyImageInformation +WDSParseImageInformation +WDSSetImageInformation +WdsImgAddReference +WdsImgApplyImage +WdsImgCaptureImage +WdsImgClose +WdsImgCopyImage +WdsImgCreateImageGroup +WdsImgDeleteImage +WdsImgDeleteImageGroup +WdsImgDeleteUnattendFile +WdsImgExportImage +WdsImgExtractFiles +WdsImgFindFirstImage +WdsImgFindFirstImageGroup +WdsImgFindNextImage +WdsImgFindNextImageGroup +WdsImgGetArchitecture +WdsImgGetBootIndex +WdsImgGetCompressionType +WdsImgGetCreationTime +WdsImgGetDependantFiles +WdsImgGetDescription +WdsImgGetEnabled +WdsImgGetExFlags +WdsImgGetFlags +WdsImgGetHalName +WdsImgGetHandleFromFindHandle +WdsImgGetImageType +WdsImgGetIndex +WdsImgGetLanguage +WdsImgGetLanguages +WdsImgGetLastModifiedTime +WdsImgGetName +WdsImgGetPartitionStyle +WdsImgGetPath +WdsImgGetProductFamily +WdsImgGetProductName +WdsImgGetResourcePath +WdsImgGetSecurity +WdsImgGetServicePackLevel +WdsImgGetSize +WdsImgGetSystemRoot +WdsImgGetUnattendFilePresent +WdsImgGetVersion +WdsImgGetXml +WdsImgGroupCanImportImage +WdsImgGroupGetName +WdsImgGroupGetSecurity +WdsImgGroupSetName +WdsImgGroupSetSecurity +WdsImgImportImage +WdsImgIsAccessible +WdsImgIsBootImage +WdsImgIsFoundationImage +WdsImgIsValidImageFile +WdsImgOpenBootImageGroup +WdsImgOpenImage +WdsImgOpenImageGroup +WdsImgOpenImageStore +WdsImgRefreshData +WdsImgReplaceImage +WdsImgSetBootImage +WdsImgSetDescription +WdsImgSetEnabled +WdsImgSetName +WdsImgSetSecurity +WdsImgSetUnattendFile +WdsImgVerifyImageFile diff --git a/lib/libc/mingw/lib64/wdsupgcompl.def b/lib/libc/mingw/lib64/wdsupgcompl.def new file mode 100644 index 0000000000..e7afe3c2ed --- /dev/null +++ b/lib/libc/mingw/lib64/wdsupgcompl.def @@ -0,0 +1,8 @@ +; +; Definition file of WdsUpgCompl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WdsUpgCompl.dll" +EXPORTS +WdsUpgradeComplianceCheck diff --git a/lib/libc/mingw/lib64/wdsutil.def b/lib/libc/mingw/lib64/wdsutil.def new file mode 100644 index 0000000000..9333b93d41 --- /dev/null +++ b/lib/libc/mingw/lib64/wdsutil.def @@ -0,0 +1,525 @@ +; +; Definition file of WDSUTIL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WDSUTIL.dll" +EXPORTS +; public: __cdecl ::(class const &__ptr64 )__ptr64 +??0?$CShimUserSetting@VCStringUserSetting@@@@QEAA@AEBV0@@Z +; public: __cdecl ::(void)__ptr64 +??0?$CShimUserSetting@VCStringUserSetting@@@@QEAA@XZ +; public: __cdecl ::(class const &__ptr64 )__ptr64 +??0?$CShimUserSetting@VCUInt32UserSetting@@@@QEAA@AEBV0@@Z +; public: __cdecl ::(void)__ptr64 +??0?$CShimUserSetting@VCUInt32UserSetting@@@@QEAA@XZ +; public: __cdecl ::(class const &__ptr64 )__ptr64 +??0?$CShimUserSetting@VCUInt64UserSetting@@@@QEAA@AEBV0@@Z +; public: __cdecl ::(void)__ptr64 +??0?$CShimUserSetting@VCUInt64UserSetting@@@@QEAA@XZ +; public: __cdecl CComputerNameSetting::CComputerNameSetting(class CComputerNameSetting const &__ptr64 )__ptr64 +??0CComputerNameSetting@@QEAA@AEBV0@@Z +; public: __cdecl CComputerNameSetting::CComputerNameSetting(void)__ptr64 +??0CComputerNameSetting@@QEAA@XZ +; public: __cdecl CDUUIProgressSetting::CDUUIProgressSetting(class CDUUIProgressSetting const &__ptr64 )__ptr64 +??0CDUUIProgressSetting@@QEAA@AEBV0@@Z +; public: __cdecl CDUUIProgressSetting::CDUUIProgressSetting(void)__ptr64 +??0CDUUIProgressSetting@@QEAA@XZ +; public: __cdecl CDUUIWelcomeSetting::CDUUIWelcomeSetting(class CDUUIWelcomeSetting const &__ptr64 )__ptr64 +??0CDUUIWelcomeSetting@@QEAA@AEBV0@@Z +; public: __cdecl CDUUIWelcomeSetting::CDUUIWelcomeSetting(void)__ptr64 +??0CDUUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CDiskPartFileSystemUserSetting::CDiskPartFileSystemUserSetting(class CDiskPartFileSystemUserSetting const &__ptr64 )__ptr64 +??0CDiskPartFileSystemUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CDiskPartFileSystemUserSetting::CDiskPartFileSystemUserSetting(void)__ptr64 +??0CDiskPartFileSystemUserSetting@@QEAA@XZ +; public: __cdecl CDiskPartFormatUserSetting::CDiskPartFormatUserSetting(class CDiskPartFormatUserSetting const &__ptr64 )__ptr64 +??0CDiskPartFormatUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CDiskPartFormatUserSetting::CDiskPartFormatUserSetting(void)__ptr64 +??0CDiskPartFormatUserSetting@@QEAA@XZ +; public: __cdecl CDiskPartUserSetting::CDiskPartUserSetting(class CDiskPartUserSetting const &__ptr64 )__ptr64 +??0CDiskPartUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CDiskPartUserSetting::CDiskPartUserSetting(void)__ptr64 +??0CDiskPartUserSetting@@QEAA@XZ +; public: __cdecl CEulaSetting::CEulaSetting(class CEulaSetting const &__ptr64 )__ptr64 +??0CEulaSetting@@QEAA@AEBV0@@Z +; public: __cdecl CEulaSetting::CEulaSetting(void)__ptr64 +??0CEulaSetting@@QEAA@XZ +; public: __cdecl CIBSUIImageSelectionSetting::CIBSUIImageSelectionSetting(class CIBSUIImageSelectionSetting const &__ptr64 )__ptr64 +??0CIBSUIImageSelectionSetting@@QEAA@AEBV0@@Z +; public: __cdecl CIBSUIImageSelectionSetting::CIBSUIImageSelectionSetting(void)__ptr64 +??0CIBSUIImageSelectionSetting@@QEAA@XZ +; public: __cdecl CKeyboardSetting::CKeyboardSetting(class CKeyboardSetting const &__ptr64 )__ptr64 +??0CKeyboardSetting@@QEAA@AEBV0@@Z +; public: __cdecl CKeyboardSetting::CKeyboardSetting(void)__ptr64 +??0CKeyboardSetting@@QEAA@XZ +; public: __cdecl COOBEUIFinishSetting::COOBEUIFinishSetting(class COOBEUIFinishSetting const &__ptr64 )__ptr64 +??0COOBEUIFinishSetting@@QEAA@AEBV0@@Z +; public: __cdecl COOBEUIFinishSetting::COOBEUIFinishSetting(void)__ptr64 +??0COOBEUIFinishSetting@@QEAA@XZ +; public: __cdecl COOBEUIWelcomeSetting::COOBEUIWelcomeSetting(class COOBEUIWelcomeSetting const &__ptr64 )__ptr64 +??0COOBEUIWelcomeSetting@@QEAA@AEBV0@@Z +; public: __cdecl COOBEUIWelcomeSetting::COOBEUIWelcomeSetting(void)__ptr64 +??0COOBEUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CProductKeyUserSetting::CProductKeyUserSetting(class CProductKeyUserSetting const &__ptr64 )__ptr64 +??0CProductKeyUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CProductKeyUserSetting::CProductKeyUserSetting(void)__ptr64 +??0CProductKeyUserSetting@@QEAA@XZ +; public: __cdecl CSetupUISummarySetting::CSetupUISummarySetting(class CSetupUISummarySetting const &__ptr64 )__ptr64 +??0CSetupUISummarySetting@@QEAA@AEBV0@@Z +; public: __cdecl CSetupUISummarySetting::CSetupUISummarySetting(void)__ptr64 +??0CSetupUISummarySetting@@QEAA@XZ +; public: __cdecl CSetupUIWelcomeSetting::CSetupUIWelcomeSetting(class CSetupUIWelcomeSetting const &__ptr64 )__ptr64 +??0CSetupUIWelcomeSetting@@QEAA@AEBV0@@Z +; public: __cdecl CSetupUIWelcomeSetting::CSetupUIWelcomeSetting(void)__ptr64 +??0CSetupUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CShimStringUserSetting::CShimStringUserSetting(class CShimStringUserSetting const &__ptr64 )__ptr64 +??0CShimStringUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CShimStringUserSetting::CShimStringUserSetting(void)__ptr64 +??0CShimStringUserSetting@@QEAA@XZ +; public: __cdecl CShimUInt32UserSetting::CShimUInt32UserSetting(class CShimUInt32UserSetting const &__ptr64 )__ptr64 +??0CShimUInt32UserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CShimUInt32UserSetting::CShimUInt32UserSetting(void)__ptr64 +??0CShimUInt32UserSetting@@QEAA@XZ +; public: __cdecl CShimUInt64UserSetting::CShimUInt64UserSetting(class CShimUInt64UserSetting const &__ptr64 )__ptr64 +??0CShimUInt64UserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CShimUInt64UserSetting::CShimUInt64UserSetting(void)__ptr64 +??0CShimUInt64UserSetting@@QEAA@XZ +; protected: __cdecl CShowFlagUserSetting::CShowFlagUserSetting(void)__ptr64 +??0CShowFlagUserSetting@@IEAA@XZ +; public: __cdecl CShowFlagUserSetting::CShowFlagUserSetting(class CShowFlagUserSetting const &__ptr64 )__ptr64 +??0CShowFlagUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CSimpleStringUserSetting::CSimpleStringUserSetting(class CSimpleStringUserSetting const &__ptr64 )__ptr64 +??0CSimpleStringUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CSimpleStringUserSetting::CSimpleStringUserSetting(void)__ptr64 +??0CSimpleStringUserSetting@@QEAA@XZ +; public: __cdecl CSimpleUInt32UserSetting::CSimpleUInt32UserSetting(class CSimpleUInt32UserSetting const &__ptr64 )__ptr64 +??0CSimpleUInt32UserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CSimpleUInt32UserSetting::CSimpleUInt32UserSetting(void)__ptr64 +??0CSimpleUInt32UserSetting@@QEAA@XZ +; public: __cdecl CSimpleUInt64UserSetting::CSimpleUInt64UserSetting(class CSimpleUInt64UserSetting const &__ptr64 )__ptr64 +??0CSimpleUInt64UserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CSimpleUInt64UserSetting::CSimpleUInt64UserSetting(void)__ptr64 +??0CSimpleUInt64UserSetting@@QEAA@XZ +; protected: __cdecl CStringUserSetting::CStringUserSetting(void)__ptr64 +??0CStringUserSetting@@IEAA@XZ +; public: __cdecl CStringUserSetting::CStringUserSetting(class CStringUserSetting const &__ptr64 )__ptr64 +??0CStringUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CTimezoneSetting::CTimezoneSetting(class CTimezoneSetting const &__ptr64 )__ptr64 +??0CTimezoneSetting@@QEAA@AEBV0@@Z +; public: __cdecl CTimezoneSetting::CTimezoneSetting(void)__ptr64 +??0CTimezoneSetting@@QEAA@XZ +; protected: __cdecl CUInt32UserSetting::CUInt32UserSetting(void)__ptr64 +??0CUInt32UserSetting@@IEAA@XZ +; public: __cdecl CUInt32UserSetting::CUInt32UserSetting(class CUInt32UserSetting const &__ptr64 )__ptr64 +??0CUInt32UserSetting@@QEAA@AEBV0@@Z +; protected: __cdecl CUInt64UserSetting::CUInt64UserSetting(void)__ptr64 +??0CUInt64UserSetting@@IEAA@XZ +; public: __cdecl CUInt64UserSetting::CUInt64UserSetting(class CUInt64UserSetting const &__ptr64 )__ptr64 +??0CUInt64UserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CUpgStoreUserSetting::CUpgStoreUserSetting(class CUpgStoreUserSetting const &__ptr64 )__ptr64 +??0CUpgStoreUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CUpgStoreUserSetting::CUpgStoreUserSetting(void)__ptr64 +??0CUpgStoreUserSetting@@QEAA@XZ +; public: __cdecl CUpgradeUserSetting::CUpgradeUserSetting(class CUpgradeUserSetting const &__ptr64 )__ptr64 +??0CUpgradeUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CUpgradeUserSetting::CUpgradeUserSetting(void)__ptr64 +??0CUpgradeUserSetting@@QEAA@XZ +; public: __cdecl CUserSetting::CUserSetting(class CUserSetting const &__ptr64 )__ptr64 +??0CUserSetting@@QEAA@AEBV0@@Z +; public: __cdecl CUserSetting::CUserSetting(void)__ptr64 +??0CUserSetting@@QEAA@XZ +; public: __cdecl CWDSUIImageSelectionSetting::CWDSUIImageSelectionSetting(class CWDSUIImageSelectionSetting const &__ptr64 )__ptr64 +??0CWDSUIImageSelectionSetting@@QEAA@AEBV0@@Z +; public: __cdecl CWDSUIImageSelectionSetting::CWDSUIImageSelectionSetting(void)__ptr64 +??0CWDSUIImageSelectionSetting@@QEAA@XZ +; public: __cdecl CWDSUIWelcomeSetting::CWDSUIWelcomeSetting(class CWDSUIWelcomeSetting const &__ptr64 )__ptr64 +??0CWDSUIWelcomeSetting@@QEAA@AEBV0@@Z +; public: __cdecl CWDSUIWelcomeSetting::CWDSUIWelcomeSetting(void)__ptr64 +??0CWDSUIWelcomeSetting@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CShimUserSetting@VCStringUserSetting@@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CShimUserSetting@VCUInt32UserSetting@@@@QEAA@XZ +; public: __cdecl ::~(void)__ptr64 +??1?$CShimUserSetting@VCUInt64UserSetting@@@@QEAA@XZ +; public: __cdecl CComputerNameSetting::~CComputerNameSetting(void)__ptr64 +??1CComputerNameSetting@@QEAA@XZ +; public: __cdecl CDUUIProgressSetting::~CDUUIProgressSetting(void)__ptr64 +??1CDUUIProgressSetting@@QEAA@XZ +; public: __cdecl CDUUIWelcomeSetting::~CDUUIWelcomeSetting(void)__ptr64 +??1CDUUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CDiskPartFileSystemUserSetting::~CDiskPartFileSystemUserSetting(void)__ptr64 +??1CDiskPartFileSystemUserSetting@@QEAA@XZ +; public: __cdecl CDiskPartFormatUserSetting::~CDiskPartFormatUserSetting(void)__ptr64 +??1CDiskPartFormatUserSetting@@QEAA@XZ +; public: __cdecl CDiskPartUserSetting::~CDiskPartUserSetting(void)__ptr64 +??1CDiskPartUserSetting@@QEAA@XZ +; public: __cdecl CEulaSetting::~CEulaSetting(void)__ptr64 +??1CEulaSetting@@QEAA@XZ +; public: __cdecl CIBSUIImageSelectionSetting::~CIBSUIImageSelectionSetting(void)__ptr64 +??1CIBSUIImageSelectionSetting@@QEAA@XZ +; public: __cdecl CKeyboardSetting::~CKeyboardSetting(void)__ptr64 +??1CKeyboardSetting@@QEAA@XZ +; public: __cdecl COOBEUIFinishSetting::~COOBEUIFinishSetting(void)__ptr64 +??1COOBEUIFinishSetting@@QEAA@XZ +; public: __cdecl COOBEUIWelcomeSetting::~COOBEUIWelcomeSetting(void)__ptr64 +??1COOBEUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CProductKeyUserSetting::~CProductKeyUserSetting(void)__ptr64 +??1CProductKeyUserSetting@@QEAA@XZ +; public: __cdecl CSetupUISummarySetting::~CSetupUISummarySetting(void)__ptr64 +??1CSetupUISummarySetting@@QEAA@XZ +; public: __cdecl CSetupUIWelcomeSetting::~CSetupUIWelcomeSetting(void)__ptr64 +??1CSetupUIWelcomeSetting@@QEAA@XZ +; public: __cdecl CShimStringUserSetting::~CShimStringUserSetting(void)__ptr64 +??1CShimStringUserSetting@@QEAA@XZ +; public: __cdecl CShimUInt32UserSetting::~CShimUInt32UserSetting(void)__ptr64 +??1CShimUInt32UserSetting@@QEAA@XZ +; public: __cdecl CShimUInt64UserSetting::~CShimUInt64UserSetting(void)__ptr64 +??1CShimUInt64UserSetting@@QEAA@XZ +; protected: __cdecl CShowFlagUserSetting::~CShowFlagUserSetting(void)__ptr64 +??1CShowFlagUserSetting@@IEAA@XZ +; public: __cdecl CSimpleStringUserSetting::~CSimpleStringUserSetting(void)__ptr64 +??1CSimpleStringUserSetting@@QEAA@XZ +; public: __cdecl CSimpleUInt32UserSetting::~CSimpleUInt32UserSetting(void)__ptr64 +??1CSimpleUInt32UserSetting@@QEAA@XZ +; public: __cdecl CSimpleUInt64UserSetting::~CSimpleUInt64UserSetting(void)__ptr64 +??1CSimpleUInt64UserSetting@@QEAA@XZ +; protected: __cdecl CStringUserSetting::~CStringUserSetting(void)__ptr64 +??1CStringUserSetting@@IEAA@XZ +; public: __cdecl CTimezoneSetting::~CTimezoneSetting(void)__ptr64 +??1CTimezoneSetting@@QEAA@XZ +; protected: __cdecl CUInt32UserSetting::~CUInt32UserSetting(void)__ptr64 +??1CUInt32UserSetting@@IEAA@XZ +; protected: __cdecl CUInt64UserSetting::~CUInt64UserSetting(void)__ptr64 +??1CUInt64UserSetting@@IEAA@XZ +; public: __cdecl CUpgStoreUserSetting::~CUpgStoreUserSetting(void)__ptr64 +??1CUpgStoreUserSetting@@QEAA@XZ +; public: __cdecl CUpgradeUserSetting::~CUpgradeUserSetting(void)__ptr64 +??1CUpgradeUserSetting@@QEAA@XZ +; public: __cdecl CUserSetting::~CUserSetting(void)__ptr64 +??1CUserSetting@@QEAA@XZ +; public: __cdecl CWDSUIImageSelectionSetting::~CWDSUIImageSelectionSetting(void)__ptr64 +??1CWDSUIImageSelectionSetting@@QEAA@XZ +; public: __cdecl CWDSUIWelcomeSetting::~CWDSUIWelcomeSetting(void)__ptr64 +??1CWDSUIWelcomeSetting@@QEAA@XZ +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CShimUserSetting@VCStringUserSetting@@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CShimUserSetting@VCUInt32UserSetting@@@@QEAAAEAV0@AEBV0@@Z +; public: class &__ptr64 __cdecl ::operator =(class const &__ptr64 )__ptr64 +??4?$CShimUserSetting@VCUInt64UserSetting@@@@QEAAAEAV0@AEBV0@@Z +; public: class CComputerNameSetting &__ptr64 __cdecl CComputerNameSetting::operator =(class CComputerNameSetting const &__ptr64 )__ptr64 +??4CComputerNameSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CDUUIProgressSetting &__ptr64 __cdecl CDUUIProgressSetting::operator =(class CDUUIProgressSetting const &__ptr64 )__ptr64 +??4CDUUIProgressSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CDUUIWelcomeSetting &__ptr64 __cdecl CDUUIWelcomeSetting::operator =(class CDUUIWelcomeSetting const &__ptr64 )__ptr64 +??4CDUUIWelcomeSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CDiskPartFileSystemUserSetting &__ptr64 __cdecl CDiskPartFileSystemUserSetting::operator =(class CDiskPartFileSystemUserSetting const &__ptr64 )__ptr64 +??4CDiskPartFileSystemUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CDiskPartFormatUserSetting &__ptr64 __cdecl CDiskPartFormatUserSetting::operator =(class CDiskPartFormatUserSetting const &__ptr64 )__ptr64 +??4CDiskPartFormatUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CDiskPartUserSetting &__ptr64 __cdecl CDiskPartUserSetting::operator =(class CDiskPartUserSetting const &__ptr64 )__ptr64 +??4CDiskPartUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CEulaSetting &__ptr64 __cdecl CEulaSetting::operator =(class CEulaSetting const &__ptr64 )__ptr64 +??4CEulaSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CIBSUIImageSelectionSetting &__ptr64 __cdecl CIBSUIImageSelectionSetting::operator =(class CIBSUIImageSelectionSetting const &__ptr64 )__ptr64 +??4CIBSUIImageSelectionSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CKeyboardSetting &__ptr64 __cdecl CKeyboardSetting::operator =(class CKeyboardSetting const &__ptr64 )__ptr64 +??4CKeyboardSetting@@QEAAAEAV0@AEBV0@@Z +; public: class COOBEUIFinishSetting &__ptr64 __cdecl COOBEUIFinishSetting::operator =(class COOBEUIFinishSetting const &__ptr64 )__ptr64 +??4COOBEUIFinishSetting@@QEAAAEAV0@AEBV0@@Z +; public: class COOBEUIWelcomeSetting &__ptr64 __cdecl COOBEUIWelcomeSetting::operator =(class COOBEUIWelcomeSetting const &__ptr64 )__ptr64 +??4COOBEUIWelcomeSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CProductKeyUserSetting &__ptr64 __cdecl CProductKeyUserSetting::operator =(class CProductKeyUserSetting const &__ptr64 )__ptr64 +??4CProductKeyUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CSetupUISummarySetting &__ptr64 __cdecl CSetupUISummarySetting::operator =(class CSetupUISummarySetting const &__ptr64 )__ptr64 +??4CSetupUISummarySetting@@QEAAAEAV0@AEBV0@@Z +; public: class CSetupUIWelcomeSetting &__ptr64 __cdecl CSetupUIWelcomeSetting::operator =(class CSetupUIWelcomeSetting const &__ptr64 )__ptr64 +??4CSetupUIWelcomeSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CShimStringUserSetting &__ptr64 __cdecl CShimStringUserSetting::operator =(class CShimStringUserSetting const &__ptr64 )__ptr64 +??4CShimStringUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CShimUInt32UserSetting &__ptr64 __cdecl CShimUInt32UserSetting::operator =(class CShimUInt32UserSetting const &__ptr64 )__ptr64 +??4CShimUInt32UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CShimUInt64UserSetting &__ptr64 __cdecl CShimUInt64UserSetting::operator =(class CShimUInt64UserSetting const &__ptr64 )__ptr64 +??4CShimUInt64UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CShowFlagUserSetting &__ptr64 __cdecl CShowFlagUserSetting::operator =(class CShowFlagUserSetting const &__ptr64 )__ptr64 +??4CShowFlagUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CSimpleStringUserSetting &__ptr64 __cdecl CSimpleStringUserSetting::operator =(class CSimpleStringUserSetting const &__ptr64 )__ptr64 +??4CSimpleStringUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CSimpleUInt32UserSetting &__ptr64 __cdecl CSimpleUInt32UserSetting::operator =(class CSimpleUInt32UserSetting const &__ptr64 )__ptr64 +??4CSimpleUInt32UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CSimpleUInt64UserSetting &__ptr64 __cdecl CSimpleUInt64UserSetting::operator =(class CSimpleUInt64UserSetting const &__ptr64 )__ptr64 +??4CSimpleUInt64UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CStringUserSetting &__ptr64 __cdecl CStringUserSetting::operator =(class CStringUserSetting const &__ptr64 )__ptr64 +??4CStringUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CTimezoneSetting &__ptr64 __cdecl CTimezoneSetting::operator =(class CTimezoneSetting const &__ptr64 )__ptr64 +??4CTimezoneSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CUInt32UserSetting &__ptr64 __cdecl CUInt32UserSetting::operator =(class CUInt32UserSetting const &__ptr64 )__ptr64 +??4CUInt32UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CUInt64UserSetting &__ptr64 __cdecl CUInt64UserSetting::operator =(class CUInt64UserSetting const &__ptr64 )__ptr64 +??4CUInt64UserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CUpgStoreUserSetting &__ptr64 __cdecl CUpgStoreUserSetting::operator =(class CUpgStoreUserSetting const &__ptr64 )__ptr64 +??4CUpgStoreUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CUpgradeUserSetting &__ptr64 __cdecl CUpgradeUserSetting::operator =(class CUpgradeUserSetting const &__ptr64 )__ptr64 +??4CUpgradeUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CUserSetting &__ptr64 __cdecl CUserSetting::operator =(class CUserSetting const &__ptr64 )__ptr64 +??4CUserSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CWDSUIImageSelectionSetting &__ptr64 __cdecl CWDSUIImageSelectionSetting::operator =(class CWDSUIImageSelectionSetting const &__ptr64 )__ptr64 +??4CWDSUIImageSelectionSetting@@QEAAAEAV0@AEBV0@@Z +; public: class CWDSUIWelcomeSetting &__ptr64 __cdecl CWDSUIWelcomeSetting::operator =(class CWDSUIWelcomeSetting const &__ptr64 )__ptr64 +??4CWDSUIWelcomeSetting@@QEAAAEAV0@AEBV0@@Z +; const ::$vftable +??_7?$CShimUserSetting@VCStringUserSetting@@@@6B@ DATA +; const ::$vftable +??_7?$CShimUserSetting@VCUInt32UserSetting@@@@6B@ DATA +; const ::$vftable +??_7?$CShimUserSetting@VCUInt64UserSetting@@@@6B@ DATA +; const CComputerNameSetting::$vftable +??_7CComputerNameSetting@@6B@ DATA +; const CDUUIProgressSetting::$vftable +??_7CDUUIProgressSetting@@6B@ DATA +; const CDUUIWelcomeSetting::$vftable +??_7CDUUIWelcomeSetting@@6B@ DATA +; const CDiskPartFileSystemUserSetting::$vftable +??_7CDiskPartFileSystemUserSetting@@6B@ DATA +; const CDiskPartFormatUserSetting::$vftable +??_7CDiskPartFormatUserSetting@@6B@ DATA +; const CDiskPartUserSetting::$vftable +??_7CDiskPartUserSetting@@6B@ DATA +; const CEulaSetting::$vftable +??_7CEulaSetting@@6B@ DATA +; const CIBSUIImageSelectionSetting::$vftable +??_7CIBSUIImageSelectionSetting@@6B@ DATA +; const CKeyboardSetting::$vftable +??_7CKeyboardSetting@@6B@ DATA +; const COOBEUIFinishSetting::$vftable +??_7COOBEUIFinishSetting@@6B@ DATA +; const COOBEUIWelcomeSetting::$vftable +??_7COOBEUIWelcomeSetting@@6B@ DATA +; const CProductKeyUserSetting::$vftable +??_7CProductKeyUserSetting@@6B@ DATA +; const CSetupUISummarySetting::$vftable +??_7CSetupUISummarySetting@@6B@ DATA +; const CSetupUIWelcomeSetting::$vftable +??_7CSetupUIWelcomeSetting@@6B@ DATA +; const CShimStringUserSetting::$vftable +??_7CShimStringUserSetting@@6B@ DATA +; const CShimUInt32UserSetting::$vftable +??_7CShimUInt32UserSetting@@6B@ DATA +; const CShimUInt64UserSetting::$vftable +??_7CShimUInt64UserSetting@@6B@ DATA +; const CShowFlagUserSetting::$vftable +??_7CShowFlagUserSetting@@6B@ DATA +; const CSimpleStringUserSetting::$vftable +??_7CSimpleStringUserSetting@@6B@ DATA +; const CSimpleUInt32UserSetting::$vftable +??_7CSimpleUInt32UserSetting@@6B@ DATA +; const CSimpleUInt64UserSetting::$vftable +??_7CSimpleUInt64UserSetting@@6B@ DATA +; const CStringUserSetting::$vftable +??_7CStringUserSetting@@6B@ DATA +; const CTimezoneSetting::$vftable +??_7CTimezoneSetting@@6B@ DATA +; const CUInt32UserSetting::$vftable +??_7CUInt32UserSetting@@6B@ DATA +; const CUInt64UserSetting::$vftable +??_7CUInt64UserSetting@@6B@ DATA +; const CUpgStoreUserSetting::$vftable +??_7CUpgStoreUserSetting@@6B@ DATA +; const CUpgradeUserSetting::$vftable +??_7CUpgradeUserSetting@@6B@ DATA +; const CUserSetting::$vftable +??_7CUserSetting@@6B@ DATA +; const CWDSUIImageSelectionSetting::$vftable +??_7CWDSUIImageSelectionSetting@@6B@ DATA +; const CWDSUIWelcomeSetting::$vftable +??_7CWDSUIWelcomeSetting@@6B@ DATA +; protected: void __cdecl CUserSetting::AcquireMutex(void)__ptr64 +?AcquireMutex@CUserSetting@@IEAAXXZ +; protected: long __cdecl CUserSetting::DeserializeField(unsigned short const *__ptr64,unsigned int,struct WDS_DATA *__ptr64,int)__ptr64 +?DeserializeField@CUserSetting@@IEAAJPEBGIPEAUWDS_DATA@@H@Z +; protected: long __cdecl CStringUserSetting::DeserializeString(unsigned short *__ptr64 *__ptr64,int)__ptr64 +?DeserializeString@CStringUserSetting@@IEAAJPEAPEAGH@Z +; protected: long __cdecl CUInt32UserSetting::DeserializeUInt32(unsigned int *__ptr64,int)__ptr64 +?DeserializeUInt32@CUInt32UserSetting@@IEAAJPEAIH@Z +; protected: long __cdecl CUInt64UserSetting::DeserializeUInt64(unsigned __int64 *__ptr64,int)__ptr64 +?DeserializeUInt64@CUInt64UserSetting@@IEAAJPEA_KH@Z +DiskRegionSupportsCapabilityForType +DiskSupportsCapabilityForType +FreeReason +GetApplicableDiskReason +GetApplicableDiskRegionReason +; protected: struct _BLACKBOARD *__ptr64 __cdecl CUserSetting::GetBlackboard(void)__ptr64 +?GetBlackboard@CUserSetting@@IEAAPEAU_BLACKBOARD@@XZ +GetDiskKey +; protected: long __cdecl CUserSetting::GetKeyName(unsigned short *__ptr64,int,int)__ptr64 +?GetKeyName@CUserSetting@@IEAAJPEAGHH@Z +; public: void *__ptr64 __cdecl CUserSetting::GetModuleId(void)__ptr64 +?GetModuleId@CUserSetting@@QEAAPEAXXZ +GetRegionKey +; public: static int __cdecl CUpgradeUserSetting::IsUpgrade(void) +?IsUpgrade@CUpgradeUserSetting@@SAHXZ +LogDiskReasons +LogDiskRegionReasons +; protected: long __cdecl CUserSetting::ReadError(long *__ptr64,int)__ptr64 +?ReadError@CUserSetting@@IEAAJPEAJH@Z +; protected: long __cdecl CUserSetting::ReadShow(int *__ptr64,int)__ptr64 +?ReadShow@CUserSetting@@IEAAJPEAHH@Z +; protected: void __cdecl CUserSetting::ReleaseMutex(void)__ptr64 +?ReleaseMutex@CUserSetting@@IEAAXXZ +; protected: void __cdecl CUserSetting::SerializeField(unsigned short const *__ptr64,struct WDS_DATA *__ptr64)__ptr64 +?SerializeField@CUserSetting@@IEAAXPEBGPEAUWDS_DATA@@@Z +; protected: void __cdecl CStringUserSetting::SerializeString(unsigned short const *__ptr64)__ptr64 +?SerializeString@CStringUserSetting@@IEAAXPEBG@Z +; protected: void __cdecl CUInt32UserSetting::SerializeUInt32(unsigned int)__ptr64 +?SerializeUInt32@CUInt32UserSetting@@IEAAXI@Z +; protected: void __cdecl CUInt64UserSetting::SerializeUInt64(unsigned __int64)__ptr64 +?SerializeUInt64@CUInt64UserSetting@@IEAAX_K@Z +; public: void __cdecl CUserSetting::SetModuleId(void *__ptr64)__ptr64 +?SetModuleId@CUserSetting@@QEAAXPEAX@Z +; protected: long __cdecl CStringUserSetting::Simple_get_String(unsigned short *__ptr64 *__ptr64)__ptr64 +?Simple_get_String@CStringUserSetting@@IEAAJPEAPEAG@Z +; protected: long __cdecl CUInt32UserSetting::Simple_get_UInt32(unsigned int *__ptr64)__ptr64 +?Simple_get_UInt32@CUInt32UserSetting@@IEAAJPEAI@Z +; protected: long __cdecl CUInt64UserSetting::Simple_get_UInt64(unsigned __int64 *__ptr64)__ptr64 +?Simple_get_UInt64@CUInt64UserSetting@@IEAAJPEA_K@Z +; protected: long __cdecl CStringUserSetting::Simple_set_String(unsigned short const *__ptr64)__ptr64 +?Simple_set_String@CStringUserSetting@@IEAAJPEBG@Z +; protected: long __cdecl CUInt32UserSetting::Simple_set_UInt32(unsigned int)__ptr64 +?Simple_set_UInt32@CUInt32UserSetting@@IEAAJI@Z +; protected: long __cdecl CUInt64UserSetting::Simple_set_UInt64(unsigned __int64)__ptr64 +?Simple_set_UInt64@CUInt64UserSetting@@IEAAJ_K@Z +; public: static int __cdecl CUpgradeUserSetting::UnattendChecked(void) +?UnattendChecked@CUpgradeUserSetting@@SAHXZ +; protected: static unsigned short const *__ptr64 const const __ptr64 CUserSetting::c_stErrorName +?c_stErrorName@CUserSetting@@1QEBGEB DATA +; protected: static unsigned short const *__ptr64 const const __ptr64 CUserSetting::c_stMutex +?c_stMutex@CUserSetting@@1QEBGEB DATA +; protected: static unsigned short const *__ptr64 const const __ptr64 CUserSetting::c_stShowName +?c_stShowName@CUserSetting@@1QEBGEB DATA +; protected: static unsigned short const *__ptr64 const const __ptr64 CUserSetting::c_stValueName +?c_stValueName@CUserSetting@@1QEBGEB DATA +; public: virtual long __cdecl ::get_Error(long *__ptr64)__ptr64 +?get_Error@?$CShimUserSetting@VCStringUserSetting@@@@UEAAJPEAJ@Z +; public: virtual long __cdecl ::get_Error(long *__ptr64)__ptr64 +?get_Error@?$CShimUserSetting@VCUInt32UserSetting@@@@UEAAJPEAJ@Z +; public: virtual long __cdecl ::get_Error(long *__ptr64)__ptr64 +?get_Error@?$CShimUserSetting@VCUInt64UserSetting@@@@UEAAJPEAJ@Z +; public: virtual long __cdecl CShowFlagUserSetting::get_Error(long *__ptr64)__ptr64 +?get_Error@CShowFlagUserSetting@@UEAAJPEAJ@Z +; public: virtual long __cdecl CSimpleStringUserSetting::get_Error(long *__ptr64)__ptr64 +?get_Error@CSimpleStringUserSetting@@UEAAJPEAJ@Z +; public: virtual long __cdecl CSimpleUInt32UserSetting::get_Error(long *__ptr64)__ptr64 +?get_Error@CSimpleUInt32UserSetting@@UEAAJPEAJ@Z +; public: virtual long __cdecl CSimpleUInt64UserSetting::get_Error(long *__ptr64)__ptr64 +?get_Error@CSimpleUInt64UserSetting@@UEAAJPEAJ@Z +; private: virtual unsigned short *__ptr64 __cdecl CComputerNameSetting::get_Name(void)__ptr64 +?get_Name@CComputerNameSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CDUUIProgressSetting::get_Name(void)__ptr64 +?get_Name@CDUUIProgressSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CDUUIWelcomeSetting::get_Name(void)__ptr64 +?get_Name@CDUUIWelcomeSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CDiskPartFileSystemUserSetting::get_Name(void)__ptr64 +?get_Name@CDiskPartFileSystemUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CDiskPartFormatUserSetting::get_Name(void)__ptr64 +?get_Name@CDiskPartFormatUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CDiskPartUserSetting::get_Name(void)__ptr64 +?get_Name@CDiskPartUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CEulaSetting::get_Name(void)__ptr64 +?get_Name@CEulaSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CIBSUIImageSelectionSetting::get_Name(void)__ptr64 +?get_Name@CIBSUIImageSelectionSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CKeyboardSetting::get_Name(void)__ptr64 +?get_Name@CKeyboardSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl COOBEUIFinishSetting::get_Name(void)__ptr64 +?get_Name@COOBEUIFinishSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl COOBEUIWelcomeSetting::get_Name(void)__ptr64 +?get_Name@COOBEUIWelcomeSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CProductKeyUserSetting::get_Name(void)__ptr64 +?get_Name@CProductKeyUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CSetupUISummarySetting::get_Name(void)__ptr64 +?get_Name@CSetupUISummarySetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CSetupUIWelcomeSetting::get_Name(void)__ptr64 +?get_Name@CSetupUIWelcomeSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CTimezoneSetting::get_Name(void)__ptr64 +?get_Name@CTimezoneSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CUpgStoreUserSetting::get_Name(void)__ptr64 +?get_Name@CUpgStoreUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CUpgradeUserSetting::get_Name(void)__ptr64 +?get_Name@CUpgradeUserSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CWDSUIImageSelectionSetting::get_Name(void)__ptr64 +?get_Name@CWDSUIImageSelectionSetting@@EEAAPEAGXZ +; private: virtual unsigned short *__ptr64 __cdecl CWDSUIWelcomeSetting::get_Name(void)__ptr64 +?get_Name@CWDSUIWelcomeSetting@@EEAAPEAGXZ +; public: virtual long __cdecl ::get_Show(int *__ptr64)__ptr64 +?get_Show@?$CShimUserSetting@VCStringUserSetting@@@@UEAAJPEAH@Z +; public: virtual long __cdecl ::get_Show(int *__ptr64)__ptr64 +?get_Show@?$CShimUserSetting@VCUInt32UserSetting@@@@UEAAJPEAH@Z +; public: virtual long __cdecl ::get_Show(int *__ptr64)__ptr64 +?get_Show@?$CShimUserSetting@VCUInt64UserSetting@@@@UEAAJPEAH@Z +; public: virtual long __cdecl CComputerNameSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CComputerNameSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CDiskPartUserSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CDiskPartUserSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CShowFlagUserSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CShowFlagUserSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CSimpleStringUserSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CSimpleStringUserSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CSimpleUInt32UserSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CSimpleUInt32UserSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CSimpleUInt64UserSetting::get_Show(int *__ptr64)__ptr64 +?get_Show@CSimpleUInt64UserSetting@@UEAAJPEAH@Z +; public: virtual long __cdecl CShimStringUserSetting::get_String(unsigned short *__ptr64 *__ptr64)__ptr64 +?get_String@CShimStringUserSetting@@UEAAJPEAPEAG@Z +; public: virtual long __cdecl CSimpleStringUserSetting::get_String(unsigned short *__ptr64 *__ptr64)__ptr64 +?get_String@CSimpleStringUserSetting@@UEAAJPEAPEAG@Z +; public: virtual long __cdecl CDiskPartUserSetting::get_UInt32(unsigned int *__ptr64)__ptr64 +?get_UInt32@CDiskPartUserSetting@@UEAAJPEAI@Z +; public: virtual long __cdecl CShimUInt32UserSetting::get_UInt32(unsigned int *__ptr64)__ptr64 +?get_UInt32@CShimUInt32UserSetting@@UEAAJPEAI@Z +; public: virtual long __cdecl CSimpleUInt32UserSetting::get_UInt32(unsigned int *__ptr64)__ptr64 +?get_UInt32@CSimpleUInt32UserSetting@@UEAAJPEAI@Z +; public: virtual long __cdecl CShimUInt64UserSetting::get_UInt64(unsigned __int64 *__ptr64)__ptr64 +?get_UInt64@CShimUInt64UserSetting@@UEAAJPEA_K@Z +; public: virtual long __cdecl CSimpleUInt64UserSetting::get_UInt64(unsigned __int64 *__ptr64)__ptr64 +?get_UInt64@CSimpleUInt64UserSetting@@UEAAJPEA_K@Z +; private: virtual int __cdecl CComputerNameSetting::get_ValidateID(void)__ptr64 +?get_ValidateID@CComputerNameSetting@@EEAAHXZ +; private: virtual int __cdecl CDiskPartUserSetting::get_ValidateID(void)__ptr64 +?get_ValidateID@CDiskPartUserSetting@@EEAAHXZ +; private: virtual int __cdecl CProductKeyUserSetting::get_ValidateID(void)__ptr64 +?get_ValidateID@CProductKeyUserSetting@@EEAAHXZ +; public: long __cdecl CUserSetting::set_Error(long)__ptr64 +?set_Error@CUserSetting@@QEAAJJ@Z +; public: long __cdecl CUserSetting::set_Show(int)__ptr64 +?set_Show@CUserSetting@@QEAAJH@Z +; public: virtual long __cdecl CComputerNameSetting::set_String(unsigned short const *__ptr64)__ptr64 +?set_String@CComputerNameSetting@@UEAAJPEBG@Z +; public: virtual long __cdecl CShimStringUserSetting::set_String(unsigned short const *__ptr64)__ptr64 +?set_String@CShimStringUserSetting@@UEAAJPEBG@Z +; public: virtual long __cdecl CSimpleStringUserSetting::set_String(unsigned short const *__ptr64)__ptr64 +?set_String@CSimpleStringUserSetting@@UEAAJPEBG@Z +; public: virtual long __cdecl CDiskPartUserSetting::set_UInt32(unsigned int)__ptr64 +?set_UInt32@CDiskPartUserSetting@@UEAAJI@Z +; public: virtual long __cdecl CShimUInt32UserSetting::set_UInt32(unsigned int)__ptr64 +?set_UInt32@CShimUInt32UserSetting@@UEAAJI@Z +; public: virtual long __cdecl CSimpleUInt32UserSetting::set_UInt32(unsigned int)__ptr64 +?set_UInt32@CSimpleUInt32UserSetting@@UEAAJI@Z +; public: virtual long __cdecl CUpgradeUserSetting::set_UInt32(unsigned int)__ptr64 +?set_UInt32@CUpgradeUserSetting@@UEAAJI@Z +; public: virtual long __cdecl CShimUInt64UserSetting::set_UInt64(unsigned __int64)__ptr64 +?set_UInt64@CShimUInt64UserSetting@@UEAAJ_K@Z +; public: virtual long __cdecl CSimpleUInt64UserSetting::set_UInt64(unsigned __int64)__ptr64 +?set_UInt64@CSimpleUInt64UserSetting@@UEAAJ_K@Z +CallbackGetArgumentInt32 +CallbackGetArgumentString +CallbackGetArgumentUInt64 +IsCrossArchitectureInstall +PublishMessage +SignalSetupComplianceBlock +WdsCollectionAddString +WdsCollectionAddUInt32 +WdsCollectionAddUInt64 +WdsPickTempDriveBasedOnInstallDrive +WdsValidateInstallDrive diff --git a/lib/libc/mingw/lib64/webcheck.def b/lib/libc/mingw/lib64/webcheck.def new file mode 100644 index 0000000000..f0d77469ae --- /dev/null +++ b/lib/libc/mingw/lib64/webcheck.def @@ -0,0 +1,14 @@ +; +; Exports of file WebCheck.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WebCheck.dll +EXPORTS +XMLScheduleElementToTaskTrigger +DllCanUnloadNow +DllGetClassObject +DllInstall +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/webhits.def b/lib/libc/mingw/lib64/webhits.def new file mode 100644 index 0000000000..0712a60fb8 --- /dev/null +++ b/lib/libc/mingw/lib64/webhits.def @@ -0,0 +1,11 @@ +; +; Exports of file WEBHITS.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WEBHITS.dll +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/lib64/wevtfwd.def b/lib/libc/mingw/lib64/wevtfwd.def new file mode 100644 index 0000000000..78f04c2258 --- /dev/null +++ b/lib/libc/mingw/lib64/wevtfwd.def @@ -0,0 +1,12 @@ +; +; Definition file of WEVTFWD.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WEVTFWD.DLL" +EXPORTS +WSManProvPullEvents +WSManProvShutdown +WSManProvStartup +WSManProvSubscribe +WSManProvUnsubscribe diff --git a/lib/libc/mingw/lib64/wiadss.def b/lib/libc/mingw/lib64/wiadss.def new file mode 100644 index 0000000000..628b19245d --- /dev/null +++ b/lib/libc/mingw/lib64/wiadss.def @@ -0,0 +1,39 @@ +; +; Exports of file WIADSS.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WIADSS.DLL +EXPORTS +FindFirstImportDS +FindNextImportDS +CloseFindContext +LoadImportDS +UnloadImportDS +GetLoaderStatus +FindImportDSByDeviceName +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z diff --git a/lib/libc/mingw/lib64/wiarpc.def b/lib/libc/mingw/lib64/wiarpc.def new file mode 100644 index 0000000000..8a3ce7f495 --- /dev/null +++ b/lib/libc/mingw/lib64/wiarpc.def @@ -0,0 +1,34 @@ +; +; Exports of file wiarpc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wiarpc.dll +EXPORTS +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +WiaEventsInitialize +WiaEventsTerminate diff --git a/lib/libc/mingw/lib64/wiaservc.def b/lib/libc/mingw/lib64/wiaservc.def new file mode 100644 index 0000000000..af756087a2 --- /dev/null +++ b/lib/libc/mingw/lib64/wiaservc.def @@ -0,0 +1,90 @@ +; +; Exports of file wiaservc.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wiaservc.dll +EXPORTS +; public: __cdecl BUFFER::BUFFER(unsigned int) __ptr64 +??0BUFFER@@QEAA@I@Z +; public: __cdecl BUFFER_CHAIN::BUFFER_CHAIN(void) __ptr64 +??0BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::BUFFER_CHAIN_ITEM(unsigned int) __ptr64 +??0BUFFER_CHAIN_ITEM@@QEAA@I@Z +; public: __cdecl BUFFER::~BUFFER(void) __ptr64 +??1BUFFER@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN::~BUFFER_CHAIN(void) __ptr64 +??1BUFFER_CHAIN@@QEAA@XZ +; public: __cdecl BUFFER_CHAIN_ITEM::~BUFFER_CHAIN_ITEM(void) __ptr64 +??1BUFFER_CHAIN_ITEM@@QEAA@XZ +; public: void __cdecl BUFFER::`default constructor closure'(void) __ptr64 +??_FBUFFER@@QEAAXXZ +; public: void __cdecl BUFFER_CHAIN_ITEM::`default constructor closure'(void) __ptr64 +??_FBUFFER_CHAIN_ITEM@@QEAAXXZ +; public: void * __ptr64 __cdecl BUFFER::QueryPtr(void)const __ptr64 +?QueryPtr@BUFFER@@QEBAPEAXXZ +; public: unsigned int __cdecl BUFFER::QuerySize(void)const __ptr64 +?QuerySize@BUFFER@@QEBAIXZ +; public: unsigned long __cdecl BUFFER_CHAIN_ITEM::QueryUsed(void)const __ptr64 +?QueryUsed@BUFFER_CHAIN_ITEM@@QEBAKXZ +ServiceMain +; public: void __cdecl BUFFER_CHAIN_ITEM::SetUsed(unsigned long) __ptr64 +?SetUsed@BUFFER_CHAIN_ITEM@@QEAAXK@Z +SvchostPushServiceGlobals +DllEntryPoint +DllRegisterServer +DllUnregisterServer +wiasCreateChildAppItem +wiasCreateDrvItem +wiasCreateLogInstance +wiasCreatePropContext +wiasDebugError +wiasDebugTrace +wiasDownSampleBuffer +wiasFormatArgs +wiasFreePropContext +wiasGetChangedValueFloat +wiasGetChangedValueGuid +wiasGetChangedValueLong +wiasGetChangedValueStr +wiasGetChildrenContexts +wiasGetContextFromName +wiasGetDrvItem +wiasGetImageInformation +wiasGetItemType +wiasGetPropertyAttributes +wiasGetRootItem +wiasIsPropChanged +wiasParseEndorserString +wiasPrintDebugHResult +wiasQueueEvent +wiasReadMultiple +wiasReadPropBin +wiasReadPropFloat +wiasReadPropGuid +wiasReadPropLong +wiasReadPropStr +wiasSendEndOfPage +wiasSetItemPropAttribs +wiasSetItemPropNames +wiasSetPropChanged +wiasSetPropertyAttributes +wiasSetValidFlag +wiasSetValidListFloat +wiasSetValidListGuid +wiasSetValidListLong +wiasSetValidListStr +wiasSetValidRangeFloat +wiasSetValidRangeLong +wiasUpdateScanRect +wiasUpdateValidFormat +wiasValidateItemProperties +wiasWriteBufToFile +wiasWriteMultiple +wiasWritePageBufToFile +wiasWritePropBin +wiasWritePropFloat +wiasWritePropGuid +wiasWritePropLong +wiasWritePropStr diff --git a/lib/libc/mingw/lib64/winhvemulation.def b/lib/libc/mingw/lib64/winhvemulation.def new file mode 100644 index 0000000000..9fb7bd81dd --- /dev/null +++ b/lib/libc/mingw/lib64/winhvemulation.def @@ -0,0 +1,6 @@ +LIBRARY "winhvemulation.dll" +EXPORTS +WHvEmulatorCreateEmulator +WHvEmulatorDestroyEmulator +WHvEmulatorTryIoEmulation +WHvEmulatorTryMmioEmulation diff --git a/lib/libc/mingw/lib64/winhvplatform.def b/lib/libc/mingw/lib64/winhvplatform.def new file mode 100644 index 0000000000..4be84a51c4 --- /dev/null +++ b/lib/libc/mingw/lib64/winhvplatform.def @@ -0,0 +1,68 @@ +LIBRARY "winhvplatform.dll" +EXPORTS +WHvAcceptPartitionMigration +WHvAdviseGpaRange +WHvAllocateVpciResource +WHvCancelPartitionMigration +WHvCancelRunVirtualProcessor +WHvCompletePartitionMigration +WHvCreateNotificationPort +WHvCreatePartition +WHvCreateTrigger +WHvCreateVirtualProcessor +WHvCreateVirtualProcessor2 +WHvCreateVpciDevice +WHvDeleteNotificationPort +WHvDeletePartition +WHvDeleteTrigger +WHvDeleteVirtualProcessor +WHvDeleteVpciDevice +WHvGetCapability +WHvGetInterruptTargetVpSet +WHvGetPartitionCounters +WHvGetPartitionProperty +WHvGetVirtualProcessorCounters +WHvGetVirtualProcessorCpuidOutput +WHvGetVirtualProcessorInterruptControllerState +WHvGetVirtualProcessorInterruptControllerState2 +WHvGetVirtualProcessorRegisters +WHvGetVirtualProcessorState +WHvGetVirtualProcessorXsaveState +WHvGetVpciDeviceInterruptTarget +WHvGetVpciDeviceNotification +WHvGetVpciDeviceProperty +WHvMapGpaRange +WHvMapGpaRange2 +WHvMapVpciDeviceInterrupt +WHvMapVpciDeviceMmioRanges +WHvPostVirtualProcessorSynicMessage +WHvQueryGpaRangeDirtyBitmap +WHvReadGpaRange +WHvReadVpciDeviceRegister +WHvRegisterPartitionDoorbellEvent +WHvRequestInterrupt +WHvRequestVpciDeviceInterrupt +WHvResetPartition +WHvResumePartitionTime +WHvRetargetVpciDeviceInterrupt +WHvRunVirtualProcessor +WHvSetNotificationPortProperty +WHvSetPartitionProperty +WHvSetVirtualProcessorInterruptControllerState +WHvSetVirtualProcessorInterruptControllerState2 +WHvSetVirtualProcessorRegisters +WHvSetVirtualProcessorState +WHvSetVirtualProcessorXsaveState +WHvSetVpciDevicePowerState +WHvSetupPartition +WHvSignalVirtualProcessorSynicEvent +WHvStartPartitionMigration +WHvSuspendPartitionTime +WHvTranslateGva +WHvUnmapGpaRange +WHvUnmapVpciDeviceInterrupt +WHvUnmapVpciDeviceMmioRanges +WHvUnregisterPartitionDoorbellEvent +WHvUpdateTriggerParameters +WHvWriteGpaRange +WHvWriteVpciDeviceRegister diff --git a/lib/libc/mingw/lib64/winipsec.def b/lib/libc/mingw/lib64/winipsec.def new file mode 100644 index 0000000000..c8ef6f31a9 --- /dev/null +++ b/lib/libc/mingw/lib64/winipsec.def @@ -0,0 +1,71 @@ +; +; Exports of file WINIPSEC.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WINIPSEC.DLL +EXPORTS +SPDApiBufferAllocate +SPDApiBufferFree +AddTransportFilter +DeleteTransportFilter +EnumTransportFilters +SetTransportFilter +GetTransportFilter +AddQMPolicy +DeleteQMPolicy +EnumQMPolicies +SetQMPolicy +GetQMPolicy +AddMMPolicy +DeleteMMPolicy +EnumMMPolicies +SetMMPolicy +GetMMPolicy +AddMMFilter +DeleteMMFilter +EnumMMFilters +SetMMFilter +GetMMFilter +MatchMMFilter +MatchTransportFilter +GetQMPolicyByID +GetMMPolicyByID +AddMMAuthMethods +DeleteMMAuthMethods +EnumMMAuthMethods +SetMMAuthMethods +GetMMAuthMethods +InitiateIKENegotiation +QueryIKENegotiationStatus +CloseIKENegotiationHandle +EnumMMSAs +QueryIKEStatistics +DeleteMMSAs +RegisterIKENotifyClient +QueryIKENotifyData +CloseIKENotifyHandle +QueryIPSecStatistics +EnumQMSAs +AddTunnelFilter +DeleteTunnelFilter +EnumTunnelFilters +SetTunnelFilter +GetTunnelFilter +MatchTunnelFilter +OpenMMFilterHandle +CloseMMFilterHandle +OpenTransportFilterHandle +CloseTransportFilterHandle +OpenTunnelFilterHandle +CloseTunnelFilterHandle +EnumIPSecInterfaces +AddSAs +DeleteQMSAs +GetConfigurationVariables +SetConfigurationVariables +QuerySpdPolicyState +OpenIPSecPerformanceData +CollectIPSecPerformanceData +CloseIPSecPerformanceData diff --git a/lib/libc/mingw/lib64/wlnotify.def b/lib/libc/mingw/lib64/wlnotify.def new file mode 100644 index 0000000000..5b3455bd8e --- /dev/null +++ b/lib/libc/mingw/lib64/wlnotify.def @@ -0,0 +1,38 @@ +; +; Exports of file WlNotify.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WlNotify.dll +EXPORTS +RegisterTicketExpiredNotificationEvent +SCardResumeCertProp +SCardStartCertProp +SCardStopCertProp +SCardSuspendCertProp +SchedEventLogOff +SchedStartShell +ShowNotificationBalloonW +UnregisterTicketExpiredNotificationEvent +SensDisconnectEvent +SensLockEvent +SensLogoffEvent +SensLogonEvent +SensPostShellEvent +SensReconnectEvent +SensShutdownEvent +SensStartScreenSaverEvent +SensStartShellEvent +SensStartupEvent +SensStopScreenSaverEvent +SensUnlockEvent +TSEventDisconnect +TSEventLogoff +TSEventLogon +TSEventPostShell +TSEventReconnect +TSEventShutdown +TSEventStartShell +TSEventStartup +TermsrvCreateTempDir diff --git a/lib/libc/mingw/lib64/wlstore.def b/lib/libc/mingw/lib64/wlstore.def new file mode 100644 index 0000000000..401cabd896 --- /dev/null +++ b/lib/libc/mingw/lib64/wlstore.def @@ -0,0 +1,33 @@ +; +; Exports of file WLSTORE.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WLSTORE.DLL +EXPORTS +DllRegisterServer +DllUnregisterServer +UpdateWirelessPSData +WirelessAddPSToPolicy +WirelessAllocPolMem +WirelessAllocPolStr +WirelessClearWMIStore +WirelessClosePolicyStore +WirelessCopyPolicyData +WirelessCreatePolicyData +WirelessDeletePolicyData +WirelessEnumPolicyData +WirelessFreeMulPolicyData +WirelessFreePolMem +WirelessFreePolStr +WirelessFreePolicyData +WirelessGPOOpenPolicyStore +WirelessPolicyPSId +WirelessReallocatePolMem +WirelessReallocatePolStr +WirelessRemovePSFromPolicy +WirelessRemovePSFromPolicyId +WirelessSetPSDataInPolicy +WirelessSetPolicyData +WirelessWriteDirectoryPolicyToWMI diff --git a/lib/libc/mingw/lib64/wmi2xml.def b/lib/libc/mingw/lib64/wmi2xml.def new file mode 100644 index 0000000000..fc5b243500 --- /dev/null +++ b/lib/libc/mingw/lib64/wmi2xml.def @@ -0,0 +1,16 @@ +; +; Exports of file wmi2xml.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wmi2xml.dll +EXPORTS +CloseWbemTextSource +OpenWbemTextSource +TextToWbemObject +WbemObjectToText +DllCanUnloadNow +DllGetClassObject +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wmiaprpl.def b/lib/libc/mingw/lib64/wmiaprpl.def new file mode 100644 index 0000000000..342ccfe5b8 --- /dev/null +++ b/lib/libc/mingw/lib64/wmiaprpl.def @@ -0,0 +1,13 @@ +; +; Exports of file WmiApRpl.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WmiApRpl.dll +EXPORTS +WmiClosePerfData +WmiCollectPerfData +WmiOpenPerfData +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wmilib.def b/lib/libc/mingw/lib64/wmilib.def new file mode 100644 index 0000000000..edb07a4781 --- /dev/null +++ b/lib/libc/mingw/lib64/wmilib.def @@ -0,0 +1,10 @@ +; +; Definition file of WMILIB.SYS +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "WMILIB.SYS" +EXPORTS +WmiCompleteRequest +WmiFireEvent +WmiSystemControl diff --git a/lib/libc/mingw/lib64/wmisvc.def b/lib/libc/mingw/lib64/wmisvc.def new file mode 100644 index 0000000000..5fe78cb45f --- /dev/null +++ b/lib/libc/mingw/lib64/wmisvc.def @@ -0,0 +1,225 @@ +; +; Exports of file WMIsvc.DLL +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY WMIsvc.DLL +EXPORTS +; public: __cdecl C9XAce::C9XAce(class C9XAce const & __ptr64) __ptr64 +??0C9XAce@@QEAA@AEBV0@@Z +; public: __cdecl C9XAce::C9XAce(void) __ptr64 +??0C9XAce@@QEAA@XZ +; public: __cdecl CArena::CArena(class CArena const & __ptr64) __ptr64 +??0CArena@@QEAA@AEBV0@@Z +; public: __cdecl CArena::CArena(void) __ptr64 +??0CArena@@QEAA@XZ +; public: __cdecl CBaseAce::CBaseAce(class CBaseAce const & __ptr64) __ptr64 +??0CBaseAce@@QEAA@AEBV0@@Z +; public: __cdecl CBaseAce::CBaseAce(void) __ptr64 +??0CBaseAce@@QEAA@XZ +; public: __cdecl CCheckedInCritSec::CCheckedInCritSec(class CCritSec * __ptr64) __ptr64 +??0CCheckedInCritSec@@QEAA@PEAVCCritSec@@@Z +; public: __cdecl CCritSec::CCritSec(void) __ptr64 +??0CCritSec@@QEAA@XZ +; public: __cdecl CEnterWbemCriticalSection::CEnterWbemCriticalSection(class CWbemCriticalSection * __ptr64,unsigned long) __ptr64 +??0CEnterWbemCriticalSection@@QEAA@PEAVCWbemCriticalSection@@K@Z +; public: __cdecl CHaltable::CHaltable(class CHaltable const & __ptr64) __ptr64 +??0CHaltable@@QEAA@AEBV0@@Z +; public: __cdecl CInCritSec::CInCritSec(struct _RTL_CRITICAL_SECTION * __ptr64) __ptr64 +??0CInCritSec@@QEAA@PEAU_RTL_CRITICAL_SECTION@@@Z +; public: __cdecl CNtAce::CNtAce(void) __ptr64 +??0CNtAce@@QEAA@XZ +; public: __cdecl CNtSid::CNtSid(void) __ptr64 +??0CNtSid@@QEAA@XZ +; public: __cdecl CWin32DefaultArena::CWin32DefaultArena(class CWin32DefaultArena const & __ptr64) __ptr64 +??0CWin32DefaultArena@@QEAA@AEBV0@@Z +; public: __cdecl CWin32DefaultArena::CWin32DefaultArena(void) __ptr64 +??0CWin32DefaultArena@@QEAA@XZ +; public: virtual __cdecl CBaseAce::~CBaseAce(void) __ptr64 +??1CBaseAce@@UEAA@XZ +; public: __cdecl CCheckedInCritSec::~CCheckedInCritSec(void) __ptr64 +??1CCheckedInCritSec@@QEAA@XZ +; public: __cdecl CCritSec::~CCritSec(void) __ptr64 +??1CCritSec@@QEAA@XZ +; public: __cdecl CEnterWbemCriticalSection::~CEnterWbemCriticalSection(void) __ptr64 +??1CEnterWbemCriticalSection@@QEAA@XZ +; public: __cdecl CInCritSec::~CInCritSec(void) __ptr64 +??1CInCritSec@@QEAA@XZ +; public: __cdecl CWin32DefaultArena::~CWin32DefaultArena(void) __ptr64 +??1CWin32DefaultArena@@QEAA@XZ +; public: class C9XAce & __ptr64 __cdecl C9XAce::operator=(class C9XAce const & __ptr64) __ptr64 +??4C9XAce@@QEAAAEAV0@AEBV0@@Z +; public: class CArena & __ptr64 __cdecl CArena::operator=(class CArena const & __ptr64) __ptr64 +??4CArena@@QEAAAEAV0@AEBV0@@Z +; public: class CBaseAce & __ptr64 __cdecl CBaseAce::operator=(class CBaseAce const & __ptr64) __ptr64 +??4CBaseAce@@QEAAAEAV0@AEBV0@@Z +; public: class CCheckedInCritSec & __ptr64 __cdecl CCheckedInCritSec::operator=(class CCheckedInCritSec const & __ptr64) __ptr64 +??4CCheckedInCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CCritSec & __ptr64 __cdecl CCritSec::operator=(class CCritSec const & __ptr64) __ptr64 +??4CCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CEnterWbemCriticalSection & __ptr64 __cdecl CEnterWbemCriticalSection::operator=(class CEnterWbemCriticalSection const & __ptr64) __ptr64 +??4CEnterWbemCriticalSection@@QEAAAEAV0@AEBV0@@Z +; public: class CFlexQueue & __ptr64 __cdecl CFlexQueue::operator=(class CFlexQueue const & __ptr64) __ptr64 +??4CFlexQueue@@QEAAAEAV0@AEBV0@@Z +; public: class CHaltable & __ptr64 __cdecl CHaltable::operator=(class CHaltable const & __ptr64) __ptr64 +??4CHaltable@@QEAAAEAV0@AEBV0@@Z +; public: class CInCritSec & __ptr64 __cdecl CInCritSec::operator=(class CInCritSec const & __ptr64) __ptr64 +??4CInCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CNtSecurity & __ptr64 __cdecl CNtSecurity::operator=(class CNtSecurity const & __ptr64) __ptr64 +??4CNtSecurity@@QEAAAEAV0@AEBV0@@Z +; public: class CPersistentConfig & __ptr64 __cdecl CPersistentConfig::operator=(class CPersistentConfig const & __ptr64) __ptr64 +??4CPersistentConfig@@QEAAAEAV0@AEBV0@@Z +; public: class CSmallArrayBlob & __ptr64 __cdecl CSmallArrayBlob::operator=(class CSmallArrayBlob const & __ptr64) __ptr64 +??4CSmallArrayBlob@@QEAAAEAV0@AEBV0@@Z +; public: class CStaticCritSec & __ptr64 __cdecl CStaticCritSec::operator=(class CStaticCritSec const & __ptr64) __ptr64 +??4CStaticCritSec@@QEAAAEAV0@AEBV0@@Z +; public: class CWbemCriticalSection & __ptr64 __cdecl CWbemCriticalSection::operator=(class CWbemCriticalSection const & __ptr64) __ptr64 +??4CWbemCriticalSection@@QEAAAEAV0@AEBV0@@Z +; public: class CWin32DefaultArena & __ptr64 __cdecl CWin32DefaultArena::operator=(class CWin32DefaultArena const & __ptr64) __ptr64 +??4CWin32DefaultArena@@QEAAAEAV0@AEBV0@@Z +; public: class MD5 & __ptr64 __cdecl MD5::operator=(class MD5 const & __ptr64) __ptr64 +??4MD5@@QEAAAEAV0@AEBV0@@Z +; public: class Registry & __ptr64 __cdecl Registry::operator=(class Registry const & __ptr64) __ptr64 +??4Registry@@QEAAAEAV0@AEBV0@@Z +; public: void * __ptr64 & __ptr64 __cdecl CFlexArray::operator[](int) __ptr64 +??ACFlexArray@@QEAAAEAPEAXH@Z +; public: void * __ptr64 __cdecl CFlexArray::operator[](int)const __ptr64 +??ACFlexArray@@QEBAPEAXH@Z +; public: void * __ptr64 __cdecl CSmallArrayBlob::operator[](int)const __ptr64 +??ACSmallArrayBlob@@QEBAPEAXH@Z +; public: unsigned short * __ptr64 __cdecl CWStringArray::operator[](int)const __ptr64 +??ACWStringArray@@QEBAPEAGH@Z +; const C9XAce::`vftable' +??_7C9XAce@@6B@ +; const CArena::`vftable' +??_7CArena@@6B@ +; const CBaseAce::`vftable' +??_7CBaseAce@@6B@ +; const CHaltable::`vftable' +??_7CHaltable@@6B@ +; const CNtAce::`vftable' +??_7CNtAce@@6B@ +; const CWin32DefaultArena::`vftable' +??_7CWin32DefaultArena@@6B@ +; public: void __cdecl CFlexArray::`default constructor closure'(void) __ptr64 +??_FCFlexArray@@QEAAXXZ +; public: void __cdecl CFlexQueue::`default constructor closure'(void) __ptr64 +??_FCFlexQueue@@QEAAXXZ +; public: void __cdecl CNtAcl::`default constructor closure'(void) __ptr64 +??_FCNtAcl@@QEAAXXZ +; public: void __cdecl CWStringArray::`default constructor closure'(void) __ptr64 +??_FCWStringArray@@QEAAXXZ +; public: int __cdecl CFlexArray::Add(void * __ptr64) __ptr64 +?Add@CFlexArray@@QEAAHPEAX@Z +; public: virtual void * __ptr64 __cdecl CWin32DefaultArena::Alloc(unsigned __int64) __ptr64 +?Alloc@CWin32DefaultArena@@UEAAPEAX_K@Z +; public: void __cdecl CWStringArray::Compress(void) __ptr64 +?Compress@CWStringArray@@QEAAXXZ +; protected: void __cdecl CFlexQueue::DecrementIndex(int & __ptr64) __ptr64 +?DecrementIndex@CFlexQueue@@IEAAXAEAH@Z +DredgeRA +; public: void __cdecl CCheckedInCritSec::Enter(void) __ptr64 +?Enter@CCheckedInCritSec@@QEAAXXZ +; public: void __cdecl CCritSec::Enter(void) __ptr64 +?Enter@CCritSec@@QEAAXXZ +; public: virtual int __cdecl CWin32DefaultArena::Free(void * __ptr64) __ptr64 +?Free@CWin32DefaultArena@@UEAAHPEAX@Z +; public: virtual unsigned long __cdecl C9XAce::GetAccessMask(void) __ptr64 +?GetAccessMask@C9XAce@@UEAAKXZ +; public: void * __ptr64 * __ptr64 __cdecl CFlexArray::GetArrayPtr(void) __ptr64 +?GetArrayPtr@CFlexArray@@QEAAPEAPEAXXZ +; public: void * __ptr64 const * __ptr64 __cdecl CFlexArray::GetArrayPtr(void)const __ptr64 +?GetArrayPtr@CFlexArray@@QEBAPEBQEAXXZ +; public: void * __ptr64 * __ptr64 __cdecl CSmallArrayBlob::GetArrayPtr(void) __ptr64 +?GetArrayPtr@CSmallArrayBlob@@QEAAPEAPEAXXZ +; public: void * __ptr64 const * __ptr64 __cdecl CSmallArrayBlob::GetArrayPtr(void)const __ptr64 +?GetArrayPtr@CSmallArrayBlob@@QEBAPEBQEAXXZ +; public: unsigned short const * __ptr64 * __ptr64 __cdecl CWStringArray::GetArrayPtr(void) __ptr64 +?GetArrayPtr@CWStringArray@@QEAAPEAPEBGXZ +; public: void * __ptr64 __cdecl CFlexArray::GetAt(int)const __ptr64 +?GetAt@CFlexArray@@QEBAPEAXH@Z +; public: void * __ptr64 __cdecl CSmallArrayBlob::GetAt(int)const __ptr64 +?GetAt@CSmallArrayBlob@@QEBAPEAXH@Z +; public: unsigned short * __ptr64 __cdecl CWStringArray::GetAt(int)const __ptr64 +?GetAt@CWStringArray@@QEBAPEAGH@Z +; public: virtual int __cdecl C9XAce::GetFlags(void) __ptr64 +?GetFlags@C9XAce@@UEAAHXZ +; public: long __cdecl Registry::GetLastError(void) __ptr64 +?GetLastError@Registry@@QEAAJXZ +; public: long __cdecl CWbemCriticalSection::GetLockCount(void) __ptr64 +?GetLockCount@CWbemCriticalSection@@QEAAJXZ +; public: unsigned long __cdecl CWbemCriticalSection::GetOwningThreadId(void) __ptr64 +?GetOwningThreadId@CWbemCriticalSection@@QEAAKXZ +; public: struct _ACCESS_ALLOWED_ACE * __ptr64 __cdecl CNtAce::GetPtr(void) __ptr64 +?GetPtr@CNtAce@@QEAAPEAU_ACCESS_ALLOWED_ACE@@XZ +; public: struct _ACL * __ptr64 __cdecl CNtAcl::GetPtr(void) __ptr64 +?GetPtr@CNtAcl@@QEAAPEAU_ACL@@XZ +; public: void * __ptr64 __cdecl CNtSecurityDescriptor::GetPtr(void) __ptr64 +?GetPtr@CNtSecurityDescriptor@@QEAAPEAXXZ +; public: void * __ptr64 __cdecl CNtSid::GetPtr(void) __ptr64 +?GetPtr@CNtSid@@QEAAPEAXXZ +; public: int __cdecl CFlexQueue::GetQueueSize(void)const __ptr64 +?GetQueueSize@CFlexQueue@@QEBAHXZ +; public: long __cdecl CWbemCriticalSection::GetRecursionCount(void) __ptr64 +?GetRecursionCount@CWbemCriticalSection@@QEAAJXZ +; public: unsigned long __cdecl CNtAce::GetSize(void) __ptr64 +?GetSize@CNtAce@@QEAAKXZ +; public: virtual unsigned long __cdecl C9XAce::GetStatus(void) __ptr64 +?GetStatus@C9XAce@@UEAAKXZ +; public: virtual unsigned long __cdecl CNtAce::GetStatus(void) __ptr64 +?GetStatus@CNtAce@@UEAAKXZ +; public: unsigned long __cdecl CNtAcl::GetStatus(void) __ptr64 +?GetStatus@CNtAcl@@QEAAKXZ +; public: unsigned long __cdecl CNtSecurityDescriptor::GetStatus(void) __ptr64 +?GetStatus@CNtSecurityDescriptor@@QEAAKXZ +; public: unsigned long __cdecl CNtSid::GetStatus(void) __ptr64 +?GetStatus@CNtSid@@QEAAKXZ +; public: virtual int __cdecl C9XAce::GetType(void) __ptr64 +?GetType@C9XAce@@UEAAHXZ +; protected: void __cdecl CFlexQueue::IncrementIndex(int & __ptr64) __ptr64 +?IncrementIndex@CFlexQueue@@IEAAXAEAH@Z +; public: int __cdecl CCheckedInCritSec::IsEntered(void) __ptr64 +?IsEntered@CCheckedInCritSec@@QEAAHXZ +; public: int __cdecl CEnterWbemCriticalSection::IsEntered(void) __ptr64 +?IsEntered@CEnterWbemCriticalSection@@QEAAHXZ +IsShutDown +; public: bool __cdecl CNtSid::IsUser(void) __ptr64 +?IsUser@CNtSid@@QEAA_NXZ +; public: int __cdecl CNtAcl::IsValid(void) __ptr64 +?IsValid@CNtAcl@@QEAAHXZ +; public: int __cdecl CNtSecurityDescriptor::IsValid(void) __ptr64 +?IsValid@CNtSecurityDescriptor@@QEAAHXZ +; public: int __cdecl CNtSid::IsValid(void) __ptr64 +?IsValid@CNtSid@@QEAAHXZ +; public: void __cdecl CCheckedInCritSec::Leave(void) __ptr64 +?Leave@CCheckedInCritSec@@QEAAXXZ +; public: void __cdecl CCritSec::Leave(void) __ptr64 +?Leave@CCritSec@@QEAAXXZ +MoveToAlone +MoveToShared +; public: virtual void * __ptr64 __cdecl CWin32DefaultArena::Realloc(void * __ptr64,unsigned __int64) __ptr64 +?Realloc@CWin32DefaultArena@@UEAAPEAXPEAX_K@Z +ServiceMain +; public: void __cdecl CFlexArray::SetAt(int,void * __ptr64) __ptr64 +?SetAt@CFlexArray@@QEAAXHPEAX@Z +; public: virtual void __cdecl C9XAce::SetFlags(long) __ptr64 +?SetFlags@C9XAce@@UEAAXJ@Z +; public: virtual void __cdecl CNtAce::SetFlags(long) __ptr64 +?SetFlags@CNtAce@@UEAAXJ@Z +; public: void __cdecl CFlexArray::SetSize(int) __ptr64 +?SetSize@CFlexArray@@QEAAXH@Z +; public: int __cdecl CFlexArray::Size(void)const __ptr64 +?Size@CFlexArray@@QEBAHXZ +; public: int __cdecl CSmallArrayBlob::Size(void)const __ptr64 +?Size@CSmallArrayBlob@@QEBAHXZ +; public: int __cdecl CWStringArray::Size(void)const __ptr64 +?Size@CWStringArray@@QEBAHXZ +; public: void * __ptr64 __cdecl CFlexQueue::Unqueue(void) __ptr64 +?Unqueue@CFlexQueue@@QEAAPEAXXZ +; public: static void __cdecl CWin32DefaultArena::WbemSysFreeString(unsigned short * __ptr64) +?WbemSysFreeString@CWin32DefaultArena@@SAXPEAG@Z +; public: bool __cdecl CHaltable::isValid(void) __ptr64 +?isValid@CHaltable@@QEAA_NXZ +DllRegisterServer +DllUnregisterServer diff --git a/lib/libc/mingw/lib64/wow64.def b/lib/libc/mingw/lib64/wow64.def new file mode 100644 index 0000000000..9acd718e1a --- /dev/null +++ b/lib/libc/mingw/lib64/wow64.def @@ -0,0 +1,32 @@ +; +; Exports of file wow64.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wow64.dll +EXPORTS +Wow64AllocateHeap +Wow64AllocateTemp +Wow64ApcRoutine +Wow64Assert +Wow64CheckIfNXEnabled +Wow64EmulateAtlThunk +Wow64ExecuteFlags DATA +Wow64FreeHeap +Wow64GetWow64ImageOption +Wow64KiUserCallbackDispatcher +Wow64LdrpInitialize +Wow64LogPrint +Wow64OpenConfigKey +Wow64PrepareForDebuggerAttach +Wow64PrepareForException +Wow64RaiseException +Wow64ShallowThunkAllocObjectAttributes32TO64_FNC +Wow64ShallowThunkAllocSecurityQualityOfService32TO64_FNC +Wow64ShallowThunkSIZE_T32TO64 +Wow64ShallowThunkSIZE_T64TO32 +Wow64StartupContextToContextX86 +Wow64SystemService +Wow64SystemServiceEx +pfnWow64PerfMonitorCall DATA diff --git a/lib/libc/mingw/lib64/wow64cpu.def b/lib/libc/mingw/lib64/wow64cpu.def new file mode 100644 index 0000000000..9866ada2d9 --- /dev/null +++ b/lib/libc/mingw/lib64/wow64cpu.def @@ -0,0 +1,29 @@ +; +; Exports of file wow64cpu.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wow64cpu.dll +EXPORTS +CpuFlushInstructionCache +CpuGetContext +CpuGetStackPointer +CpuInitializeStartupContext +CpuNotifyDllLoad +CpuNotifyDllUnload +CpuPrepareForDebuggerAttach +CpuProcessDebugEvent +CpuProcessInit +CpuProcessTerm +CpuResetFloatingPoint +CpuResetToConsistentState +CpuSetContext +CpuSetInstructionPointer +CpuSetStackPointer +CpuSimulate +CpuSuspendThread +CpuThreadInit +CpuThreadTerm +TurboDispatchJumpAddressEnd +TurboDispatchJumpAddressStart diff --git a/lib/libc/mingw/lib64/wow64mib.def b/lib/libc/mingw/lib64/wow64mib.def new file mode 100644 index 0000000000..85f6818512 --- /dev/null +++ b/lib/libc/mingw/lib64/wow64mib.def @@ -0,0 +1,13 @@ +; +; Exports of file wow64mib.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wow64mib.dll +EXPORTS +SnmpExtensionClose +SnmpExtensionInit +SnmpExtensionInitEx +SnmpExtensionQuery +SnmpExtensionTrap diff --git a/lib/libc/mingw/lib64/wow64win.def b/lib/libc/mingw/lib64/wow64win.def new file mode 100644 index 0000000000..241beb2576 --- /dev/null +++ b/lib/libc/mingw/lib64/wow64win.def @@ -0,0 +1,12 @@ +; +; Exports of file wow64win.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wow64win.dll +EXPORTS +Win32kCallbackTable +ptcbc DATA +sdwhcon DATA +sdwhwin32 DATA diff --git a/lib/libc/mingw/lib64/wshatm.def b/lib/libc/mingw/lib64/wshatm.def new file mode 100644 index 0000000000..b01e4f27f6 --- /dev/null +++ b/lib/libc/mingw/lib64/wshatm.def @@ -0,0 +1,24 @@ +; +; Exports of file wshatm.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY wshatm.dll +EXPORTS +WSHAddressToString +WSHEnumProtocols +WSHGetBroadcastSockaddr +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/lib64/x3daudio1_2.def b/lib/libc/mingw/lib64/x3daudio1_2.def new file mode 100644 index 0000000000..0c5a48a163 --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_2.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_2.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudio1_3.def b/lib/libc/mingw/lib64/x3daudio1_3.def new file mode 100644 index 0000000000..48ef4b8a74 --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_3.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_3.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudio1_4.def b/lib/libc/mingw/lib64/x3daudio1_4.def new file mode 100644 index 0000000000..e0f9da42a5 --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_4.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_4.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_4.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudio1_5.def b/lib/libc/mingw/lib64/x3daudio1_5.def new file mode 100644 index 0000000000..76345f3a9e --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_5.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_5.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudio1_6.def b/lib/libc/mingw/lib64/x3daudio1_6.def new file mode 100644 index 0000000000..60b812498a --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_6.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_6.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_6.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudio1_7.def b/lib/libc/mingw/lib64/x3daudio1_7.def new file mode 100644 index 0000000000..370ff98c97 --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudio1_7.def @@ -0,0 +1,9 @@ +; +; Definition file of X3DAudio1_7.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudio1_7.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize diff --git a/lib/libc/mingw/lib64/x3daudiod1_7.def b/lib/libc/mingw/lib64/x3daudiod1_7.def new file mode 100644 index 0000000000..efab4c686e --- /dev/null +++ b/lib/libc/mingw/lib64/x3daudiod1_7.def @@ -0,0 +1,10 @@ +; +; Definition file of X3DAudioD1_7.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "X3DAudioD1_7.dll" +EXPORTS +X3DAudioCalculate +X3DAudioInitialize +X3DAudioSetValidationCallback diff --git a/lib/libc/mingw/lib64/xapofx1_0.def b/lib/libc/mingw/lib64/xapofx1_0.def new file mode 100644 index 0000000000..6fbdf3e7d3 --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_0.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_0.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_0.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofx1_1.def b/lib/libc/mingw/lib64/xapofx1_1.def new file mode 100644 index 0000000000..36a8ffbe6a --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_1.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_1.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_1.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofx1_2.def b/lib/libc/mingw/lib64/xapofx1_2.def new file mode 100644 index 0000000000..8d67a7c15c --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_2.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_2.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofx1_3.def b/lib/libc/mingw/lib64/xapofx1_3.def new file mode 100644 index 0000000000..85d8454a13 --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_3.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_3.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofx1_4.def b/lib/libc/mingw/lib64/xapofx1_4.def new file mode 100644 index 0000000000..8608567f3b --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_4.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_4.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_4.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofx1_5.def b/lib/libc/mingw/lib64/xapofx1_5.def new file mode 100644 index 0000000000..d4ca940172 --- /dev/null +++ b/lib/libc/mingw/lib64/xapofx1_5.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFX1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFX1_5.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xapofxd1_5.def b/lib/libc/mingw/lib64/xapofxd1_5.def new file mode 100644 index 0000000000..d50b4a23a1 --- /dev/null +++ b/lib/libc/mingw/lib64/xapofxd1_5.def @@ -0,0 +1,8 @@ +; +; Definition file of XAPOFXd1_5.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XAPOFXd1_5.dll" +EXPORTS +CreateFX diff --git a/lib/libc/mingw/lib64/xinput1_1.def b/lib/libc/mingw/lib64/xinput1_1.def new file mode 100644 index 0000000000..593ad26675 --- /dev/null +++ b/lib/libc/mingw/lib64/xinput1_1.def @@ -0,0 +1,13 @@ +; +; Definition file of XINPUT1_1.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_1.dll" +EXPORTS +DllMain +XInputEnable +XInputGetCapabilities +XInputGetDSoundAudioDeviceGuids +XInputGetState +XInputSetState diff --git a/lib/libc/mingw/lib64/xinput1_2.def b/lib/libc/mingw/lib64/xinput1_2.def new file mode 100644 index 0000000000..2622af14a9 --- /dev/null +++ b/lib/libc/mingw/lib64/xinput1_2.def @@ -0,0 +1,13 @@ +; +; Definition file of XINPUT1_2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_2.dll" +EXPORTS +DllMain +XInputEnable +XInputGetCapabilities +XInputGetDSoundAudioDeviceGuids +XInputGetState +XInputSetState diff --git a/lib/libc/mingw/lib64/xinput1_3.def b/lib/libc/mingw/lib64/xinput1_3.def new file mode 100644 index 0000000000..b99e4af63e --- /dev/null +++ b/lib/libc/mingw/lib64/xinput1_3.def @@ -0,0 +1,19 @@ +; +; Definition file of XINPUT1_3.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT1_3.dll" +EXPORTS +DllMain +XInputGetState +XInputSetState +XInputGetCapabilities +XInputEnable +XInputGetDSoundAudioDeviceGuids +XInputGetBatteryInformation +XInputGetKeystroke +;ord_100 @100 +;ord_101 @101 +;ord_102 @102 +;ord_103 @103 diff --git a/lib/libc/mingw/lib64/xinput9_1_0.def b/lib/libc/mingw/lib64/xinput9_1_0.def new file mode 100644 index 0000000000..45489d5715 --- /dev/null +++ b/lib/libc/mingw/lib64/xinput9_1_0.def @@ -0,0 +1,12 @@ +; +; Definition file of XINPUT9_1_0.dll +; Automatic generated by gendef +; written by Kai Tietz 2008 +; +LIBRARY "XINPUT9_1_0.dll" +EXPORTS +;DllMain +XInputGetCapabilities +XInputGetDSoundAudioDeviceGuids +XInputGetState +XInputSetState diff --git a/lib/libc/mingw/lib64/zoneoc.def b/lib/libc/mingw/lib64/zoneoc.def new file mode 100644 index 0000000000..4fab621e3b --- /dev/null +++ b/lib/libc/mingw/lib64/zoneoc.def @@ -0,0 +1,9 @@ +; +; Exports of file ZoneOC.dll +; +; Autogenerated by gen_exportdef +; Written by Kai Tietz, 2007 +; +LIBRARY ZoneOC.dll +EXPORTS +ZoneSetupProc diff --git a/lib/libc/mingw/libarm32/acppage.def b/lib/libc/mingw/libarm32/acppage.def new file mode 100644 index 0000000000..7807a7bb7e --- /dev/null +++ b/lib/libc/mingw/libarm32/acppage.def @@ -0,0 +1,8 @@ +; +; Definition file of acppage.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "acppage.dll" +EXPORTS +GetExeFromLnk diff --git a/lib/libc/mingw/libarm32/acproxy.def b/lib/libc/mingw/libarm32/acproxy.def new file mode 100644 index 0000000000..a089cacd14 --- /dev/null +++ b/lib/libc/mingw/libarm32/acproxy.def @@ -0,0 +1,8 @@ +; +; Definition file of ACPROXY.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ACPROXY.dll" +EXPORTS +PerformAutochkOperations diff --git a/lib/libc/mingw/libarm32/actionqueue.def b/lib/libc/mingw/libarm32/actionqueue.def new file mode 100644 index 0000000000..306b825577 --- /dev/null +++ b/lib/libc/mingw/libarm32/actionqueue.def @@ -0,0 +1,9 @@ +; +; Definition file of ActionQueue.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ActionQueue.dll" +EXPORTS +GenerateActionQueue +ProcessActionQueue diff --git a/lib/libc/mingw/libarm32/adhapi.def b/lib/libc/mingw/libarm32/adhapi.def new file mode 100644 index 0000000000..dc78a55c29 --- /dev/null +++ b/lib/libc/mingw/libarm32/adhapi.def @@ -0,0 +1,13 @@ +; +; Definition file of AdhApi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AdhApi.dll" +EXPORTS +AdhEngineClose +AdhEngineOpen +AdhGetConfig +AdhGetEvidenceCollectorResult +AdhStatusEventSubscribe +AdhStatusEventUnsubscribe diff --git a/lib/libc/mingw/libarm32/adhsvc.def b/lib/libc/mingw/libarm32/adhsvc.def new file mode 100644 index 0000000000..3893705b51 --- /dev/null +++ b/lib/libc/mingw/libarm32/adhsvc.def @@ -0,0 +1,10 @@ +; +; Definition file of adhsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "adhsvc.dll" +EXPORTS +SubServiceScmNotification +SubServiceStart +SubServiceStop diff --git a/lib/libc/mingw/libarm32/admtmpl.def b/lib/libc/mingw/libarm32/admtmpl.def new file mode 100644 index 0000000000..8d1eb1ee81 --- /dev/null +++ b/lib/libc/mingw/libarm32/admtmpl.def @@ -0,0 +1,9 @@ +; +; Definition file of ADMTMPL.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ADMTMPL.DLL" +EXPORTS +CreateCmtStoreObject +CreateParserObject diff --git a/lib/libc/mingw/libarm32/adsldpc.def b/lib/libc/mingw/libarm32/adsldpc.def new file mode 100644 index 0000000000..e53b3ee6b3 --- /dev/null +++ b/lib/libc/mingw/libarm32/adsldpc.def @@ -0,0 +1,182 @@ +; +; Definition file of adsldpc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "adsldpc.dll" +EXPORTS +??0CLexer@@QAA@XZ +??1CLexer@@QAA@XZ +ADSIPrint +ADsAbandonSearch +ADsCloseSearchHandle +ADsCreateAttributeDefinition +ADsCreateClassDefinition +ADsCreateDSObject +ADsCreateDSObjectExt +ADsDeleteAttributeDefinition +ADsDeleteClassDefinition +ADsDeleteDSObject +ADsEnumAttributes +ADsEnumClasses +ADsExecuteSearch +ADsFreeColumn +ADsGetColumn +ADsGetFirstRow +ADsGetNextColumnName +ADsGetNextRow +ADsGetObjectAttributes +ADsGetPreviousRow +ADsHelperGetCurrentRowMessage +ADsObject +ADsSetObjectAttributes +ADsSetSearchPreference +ADsWriteAttributeDefinition +ADsWriteClassDefinition +AdsTypeToLdapTypeCopyConstruct +AdsTypeToLdapTypeCopyDNWithBinary +AdsTypeToLdapTypeCopyDNWithString +AdsTypeToLdapTypeCopyGeneralizedTime +AdsTypeToLdapTypeCopyTime +BerBvFree +BerEncodingQuotaControl +BuildADsParentPath +BuildADsParentPathFromObjectInfo2 +BuildADsParentPathFromObjectInfo +BuildADsPathFromLDAPPath2 +BuildADsPathFromLDAPPath +BuildADsPathFromParent +BuildLDAPPathFromADsPath2 +BuildLDAPPathFromADsPath +ChangeSeparator +Component +ConvertSidToString +ConvertSidToU2Trustee +ConvertU2TrusteeToSid +FindEntryInSearchTable +FindSearchTableIndex +FreeObjectInfo +GetDefaultServer +GetDisplayName +GetDomainDNSNameForDomain +GetLDAPTypeName +?GetNextToken@CLexer@@QAAJPAGPAK@Z +GetServerAndPort +GetSyntaxOfAttribute +InitObjectInfo +?InitializePath@CLexer@@QAAJPAG@Z +IsGCNamespace +LdapAddExtS +LdapAddS +LdapAttributeFree +LdapCacheAddRef +LdapCloseObject +LdapCompareExt +LdapControlFree +LdapControlsFree +LdapCountEntries +LdapCrackUserDNtoNTLMUser2 +LdapCreatePageControl +LdapDeleteExtS +LdapDeleteS +LdapFirstAttribute +LdapFirstEntry +LdapGetDn +LdapGetNextPageS +LdapGetSchemaObjectCount +LdapGetSubSchemaSubEntryPath +LdapGetSyntaxIdOfAttribute +LdapGetSyntaxOfAttributeOnServer +LdapGetValues +LdapGetValuesLen +LdapInitializeSearchPreferences +LdapIsClassNameValidOnServer +LdapMakeSchemaCacheObsolete +LdapMemFree +LdapModDnS +LdapModifyExtS +LdapModifyS +LdapMsgFree +LdapNextAttribute +LdapNextEntry +LdapOpenObject2 +LdapOpenObject +LdapParsePageControl +LdapParseResult +LdapReadAttribute2 +LdapReadAttribute +LdapReadAttributeFast +LdapRenameExtS +LdapResult +LdapSearch +LdapSearchAbandonPage +LdapSearchExtS +LdapSearchInitPage +LdapSearchS +LdapSearchST +LdapTypeBinaryToString +LdapTypeCopyConstruct +LdapTypeFreeLdapModList +LdapTypeFreeLdapModObject +LdapTypeFreeLdapObjects +LdapTypeToAdsTypeDNWithBinary +LdapTypeToAdsTypeDNWithString +LdapTypeToAdsTypeGeneralizedTime +LdapTypeToAdsTypeUTCTime +LdapValueFree +LdapValueFreeLen +LdapcKeepHandleAround +LdapcSetStickyServer +PathName +ReadPagingSupportedAttr +ReadSecurityDescriptorControlType +ReadServerSupportsIsADAMControl +ReadServerSupportsIsADControl +SchemaAddRef +SchemaClose +SchemaGetClassInfo +SchemaGetClassInfoByIndex +SchemaGetObjectCount +SchemaGetPropertyInfo +SchemaGetPropertyInfoByIndex +SchemaGetStringsFromStringTable +SchemaGetSyntaxOfAttribute +SchemaIsClassAContainer +SchemaOpen +?SetAtDisabler@CLexer@@QAAXH@Z +?SetExclaimnationDisabler@CLexer@@QAAXH@Z +?SetFSlashDisabler@CLexer@@QAAXH@Z +SortAndRemoveDuplicateOIDs +UnMarshallLDAPToLDAPSynID +intcmp +ADSIAbandonSearch +ADSICloseDSObject +ADSICloseSearchHandle +ADSICreateDSObject +ADSIDeleteDSObject +ADSIExecuteSearch +ADSIFreeColumn +ADSIGetColumn +ADSIGetFirstRow +ADSIGetNextColumnName +ADSIGetNextRow +ADSIGetObjectAttributes +ADSIGetPreviousRow +ADSIModifyRdn +ADSIOpenDSObject +ADSISetObjectAttributes +ADSISetSearchPreference +ADsDecodeBinaryData +ADsEncodeBinaryData +ADsGetLastError +ADsSetLastError +AdsTypeFreeAdsObjects +AllocADsMem +AllocADsStr +FreeADsMem +FreeADsStr +LdapTypeToAdsTypeCopyConstruct +MapADSTypeToLDAPType +MapLDAPTypeToADSType +ReallocADsMem +ReallocADsStr diff --git a/lib/libc/mingw/libarm32/aecache.def b/lib/libc/mingw/libarm32/aecache.def new file mode 100644 index 0000000000..00cf7054b8 --- /dev/null +++ b/lib/libc/mingw/libarm32/aecache.def @@ -0,0 +1,8 @@ +; +; Definition file of AECache.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AECache.dll" +EXPORTS +AeCachePrep diff --git a/lib/libc/mingw/libarm32/aeinv.def b/lib/libc/mingw/libarm32/aeinv.def new file mode 100644 index 0000000000..c8c6dc3d08 --- /dev/null +++ b/lib/libc/mingw/libarm32/aeinv.def @@ -0,0 +1,13 @@ +; +; Definition file of aeinv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "aeinv.dll" +EXPORTS +CollectMatchingInfo +CollectMatchingInformation +CreateAppxPackageInventory +CreateSoftwareInventory +SetFileExtensionList +UpdateSoftwareInventoryW diff --git a/lib/libc/mingw/libarm32/aelupsvc.def b/lib/libc/mingw/libarm32/aelupsvc.def new file mode 100644 index 0000000000..0bc3fa1432 --- /dev/null +++ b/lib/libc/mingw/libarm32/aelupsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of AELUPSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AELUPSVC.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/aepdu.def b/lib/libc/mingw/libarm32/aepdu.def new file mode 100644 index 0000000000..0f63abe114 --- /dev/null +++ b/lib/libc/mingw/libarm32/aepdu.def @@ -0,0 +1,8 @@ +; +; Definition file of AEPDU.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AEPDU.dll" +EXPORTS +AePduRunUpdateW diff --git a/lib/libc/mingw/libarm32/aepic.def b/lib/libc/mingw/libarm32/aepic.def new file mode 100644 index 0000000000..d515722986 --- /dev/null +++ b/lib/libc/mingw/libarm32/aepic.def @@ -0,0 +1,12 @@ +; +; Definition file of AEPIC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AEPIC.dll" +EXPORTS +PicAmiClose +PicAmiInitialize +PicFreeFileInfo +PicRetrieveFileInfo +PicRetrieveFileInfoAppx diff --git a/lib/libc/mingw/libarm32/apphlpdm.def b/lib/libc/mingw/libarm32/apphlpdm.def new file mode 100644 index 0000000000..8d501ff9e6 --- /dev/null +++ b/lib/libc/mingw/libarm32/apphlpdm.def @@ -0,0 +1,10 @@ +; +; Definition file of Apphlpdm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Apphlpdm.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/appinfo.def b/lib/libc/mingw/libarm32/appinfo.def new file mode 100644 index 0000000000..7e5327a4e0 --- /dev/null +++ b/lib/libc/mingw/libarm32/appinfo.def @@ -0,0 +1,9 @@ +; +; Definition file of appinfo.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "appinfo.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/apprepapi.def b/lib/libc/mingw/libarm32/apprepapi.def new file mode 100644 index 0000000000..6f5d99a757 --- /dev/null +++ b/lib/libc/mingw/libarm32/apprepapi.def @@ -0,0 +1,15 @@ +; +; Definition file of apprepapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "apprepapi.dll" +EXPORTS +AppRepComputeImageHash +AppRepComputeSignatureInfo +AppRepFreeAttributeLib +AppRepInitializeAttributeLib +AppRepParameterCleanup +RepGetFileInformation +RepGetFileReputation +RepInformUserAction diff --git a/lib/libc/mingw/libarm32/appsruprov.def b/lib/libc/mingw/libarm32/appsruprov.def new file mode 100644 index 0000000000..e2edb12da7 --- /dev/null +++ b/lib/libc/mingw/libarm32/appsruprov.def @@ -0,0 +1,11 @@ +; +; Definition file of AppSruProv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppSruProv.dll" +EXPORTS +PsmQueryApplicationPerformanceInformation +PsmQueryQuotaInformation +SruInitializeProvider +SruUninitializeProvider diff --git a/lib/libc/mingw/libarm32/appxalluserstore.def b/lib/libc/mingw/libarm32/appxalluserstore.def new file mode 100644 index 0000000000..89df469a7b --- /dev/null +++ b/lib/libc/mingw/libarm32/appxalluserstore.def @@ -0,0 +1,39 @@ +; +; Definition file of AppXAllUserStore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppXAllUserStore.dll" +EXPORTS +AddPackageToRegistryStore +AddStagedPackageToRegistryStore +CheckPackagePreinstallPolicy +CommitTakeOwnershipSession +DeleteAllPackagesFromMainPackageArray +DeleteAllPackagesFromPackageArray +DeletePackageInfo +DeleteUserRegistryKeyFromAllUserStore +DidAppSurviveOSUpgradeForUser +DoesPerUserStoreExist +FamilyMonikerStringToSid +FindExistingVersionInRegistryStore +GetAllNonInboxPackagesFromRegistryStore +GetAllPackagesToBeInstalledForUser +GetAllStagedPackagesForMainPackageFromRegistryStore +GetAppxProvisionFactory +HasStagedPackages +IsEnterprisePolicyEnabled +IsInboxPackage +IsNonInboxAllUserPackage +IsPackageInUpgradeKey +IsSystemInAuditBoot +MarkStatusOfMainPackageForUser +PackageFamilyNameFromId +PackageIdBasicFromFullName +PackageSidToPackageCapabilitySid +RemovePackageFromRegistryStore +RemoveStagedPackageFromRegistryStore +RollbackTakeOwnershipSession +TakeOwnershipOnFolder +UpdateFrameworkPackageInRegistryStore +UpdatePackageInRegistryStore diff --git a/lib/libc/mingw/libarm32/appxapplicabilityengine.def b/lib/libc/mingw/libarm32/appxapplicabilityengine.def new file mode 100644 index 0000000000..2e43340657 --- /dev/null +++ b/lib/libc/mingw/libarm32/appxapplicabilityengine.def @@ -0,0 +1,987 @@ +; +; Definition file of AppxApplicabilityEngine.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppxApplicabilityEngine.dll" +EXPORTS +??0Atom@Resources@Microsoft@@QAA@HH@Z +??0Atom@Resources@Microsoft@@QAA@T_DEF_ATOM@@@Z +??0Atom@Resources@Microsoft@@QAA@T_DEF_ATOM_SMALL@@@Z +??0Atom@Resources@Microsoft@@QAA@XZ +??0AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0AtomPoolGroup@Resources@Microsoft@@QAA@ABV012@@Z +??0BaseAtomLinkedFile@Resources@Microsoft@@QAA@ABV012@@Z +??0BaseFile@Resources@Microsoft@@QAA@ABV012@@Z +??0BaseFileSectionResult@Resources@Microsoft@@QAA@ABV012@@Z +??0DataBlobBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DataItemsBuildInstanceReference@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DataItemsSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DataSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DecisionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DecisionInfoBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DecisionInfoFileSection@Resources@Microsoft@@QAA@ABV012@@Z +??0DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DecisionInfoSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0DecisionResult@Resources@Microsoft@@QAA@ABV012@@Z +??0DefChecksum@Resources@Microsoft@@QAA@XZ +??0DefObject@Resources@Microsoft@@QAA@XZ +??0DefStatus@Resources@Microsoft@@QAA@ABV012@@Z +??0DefStatus@Resources@Microsoft@@QAA@XZ +??0DefStatusWrapper@Resources@Microsoft@@QAA@ABV012@@Z +??0DefStatusWrapper@Resources@Microsoft@@QAA@PAU_DEFSTATUS@@@Z +??0EnvironmentCollectionBase@Resources@Microsoft@@IAA@XZ +??0EnvironmentCollectionBase@Resources@Microsoft@@QAA@ABV012@@Z +??0EnvironmentReference@Resources@Microsoft@@IAA@XZ +??0EnvironmentReference@Resources@Microsoft@@QAA@ABV012@@Z +??0EnvironmentReferenceBuilder@Build@Resources@Microsoft@@IAA@XZ +??0EnvironmentReferenceBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileAtomPool@Resources@Microsoft@@QAA@ABV012@@Z +??0FileAtomPoolBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileAtoms@Resources@Microsoft@@QAA@XZ +??0FileBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileFileList@Resources@Microsoft@@QAA@ABV012@@Z +??0FileInfo@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileInfoPrivateData@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileListBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FileSectionBase@Resources@Microsoft@@QAA@ABV012@@Z +??0FileSectionBuildInstanceReference@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0FolderInfo@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0HNamesNode@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0HierarchicalName@Build@Resources@Microsoft@@QAA@PBVHierarchicalNamesConfig@23@@Z +??0HierarchicalNameSegment@Build@Resources@Microsoft@@QAA@PBVHierarchicalNamesConfig@23@@Z +??0HierarchicalNames@Resources@Microsoft@@QAA@ABV012@@Z +??0HierarchicalNamesBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0HierarchicalNamesConfig@Resources@Microsoft@@IAA@XZ +??0HierarchicalNamesConfig@Resources@Microsoft@@QAA@ABV012@@Z +??0HierarchicalSchema@Resources@Microsoft@@QAA@ABV012@@Z +??0HierarchicalSchemaReference@Resources@Microsoft@@QAA@ABV012@@Z +??0HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0HierarchicalSchemaVersionInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0IAtomPool@Resources@Microsoft@@QAA@ABV012@@Z +??0IAtomPool@Resources@Microsoft@@QAA@XZ +??0IAtomPoolWriter@Resources@Microsoft@@QAA@ABV012@@Z +??0IAtomPoolWriter@Resources@Microsoft@@QAA@XZ +??0IBuildInstanceReference@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0IBuildInstanceReference@Build@Resources@Microsoft@@QAA@XZ +??0ICondition@Resources@Microsoft@@QAA@ABV012@@Z +??0ICondition@Resources@Microsoft@@QAA@XZ +??0IDecision@Resources@Microsoft@@QAA@ABV012@@Z +??0IDecision@Resources@Microsoft@@QAA@XZ +??0IDecisionInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0IDecisionInfo@Resources@Microsoft@@QAA@XZ +??0IDefStatus@Resources@Microsoft@@QAA@ABV012@@Z +??0IDefStatus@Resources@Microsoft@@QAA@XZ +??0IEnvironment@Resources@Microsoft@@QAA@ABV012@@Z +??0IEnvironment@Resources@Microsoft@@QAA@XZ +??0IEnvironmentCollection@Resources@Microsoft@@IAA@XZ +??0IEnvironmentCollection@Resources@Microsoft@@QAA@ABV012@@Z +??0IEnvironmentVersionInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0IEnvironmentVersionInfo@Resources@Microsoft@@QAA@XZ +??0IFileList@Resources@Microsoft@@IAA@XZ +??0IFileList@Resources@Microsoft@@QAA@ABV012@@Z +??0IFileSection@Resources@Microsoft@@QAA@ABV012@@Z +??0IFileSection@Resources@Microsoft@@QAA@XZ +??0IFileSectionResolver@Resources@Microsoft@@QAA@ABV012@@Z +??0IFileSectionResolver@Resources@Microsoft@@QAA@XZ +??0IHNamesGlobalNodes@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0IHNamesGlobalNodes@Build@Resources@Microsoft@@QAA@XZ +??0IHierarchicalNames@Resources@Microsoft@@QAA@ABV012@@Z +??0IHierarchicalNames@Resources@Microsoft@@QAA@XZ +??0IHierarchicalSchema@Resources@Microsoft@@QAA@ABV012@@Z +??0IHierarchicalSchema@Resources@Microsoft@@QAA@XZ +??0IHierarchicalSchemaDescription@Resources@Microsoft@@QAA@ABV012@@Z +??0IHierarchicalSchemaDescription@Resources@Microsoft@@QAA@XZ +??0IHierarchicalSchemaVersionInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0IHierarchicalSchemaVersionInfo@Resources@Microsoft@@QAA@XZ +??0IMrmFile@Resources@Microsoft@@QAA@ABV012@@Z +??0IMrmFile@Resources@Microsoft@@QAA@XZ +??0INamedResourceBase@Resources@Microsoft@@QAA@ABV012@@Z +??0INamedResourceBase@Resources@Microsoft@@QAA@XZ +??0IQualifier@Resources@Microsoft@@QAA@ABV012@@Z +??0IQualifier@Resources@Microsoft@@QAA@XZ +??0IQualifierSet@Resources@Microsoft@@QAA@ABV012@@Z +??0IQualifierSet@Resources@Microsoft@@QAA@XZ +??0IQualifierType@Resources@Microsoft@@QAA@ABV012@@Z +??0IQualifierType@Resources@Microsoft@@QAA@XZ +??0IQualifierValueProvider@Resources@Microsoft@@QAA@ABV012@@Z +??0IQualifierValueProvider@Resources@Microsoft@@QAA@XZ +??0IResourceCandidateBase@Resources@Microsoft@@QAA@ABV012@@Z +??0IResourceCandidateBase@Resources@Microsoft@@QAA@XZ +??0IResourceMapBase@Resources@Microsoft@@QAA@ABV012@@Z +??0IResourceMapBase@Resources@Microsoft@@QAA@XZ +??0IResourceMapCollection@Resources@Microsoft@@QAA@ABV012@@Z +??0IResourceMapCollection@Resources@Microsoft@@QAA@XZ +??0ISchemaCollection@Resources@Microsoft@@QAA@ABV012@@Z +??0ISchemaCollection@Resources@Microsoft@@QAA@XZ +??0ISchemaVersionInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0ISchemaVersionInfo@Resources@Microsoft@@QAA@XZ +??0ISectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0ISectionBuilder@Build@Resources@Microsoft@@QAA@XZ +??0IStringResult@Resources@Microsoft@@QAA@ABV012@@Z +??0IStringResult@Resources@Microsoft@@QAA@XZ +??0IUnifiedResourceView@Resources@Microsoft@@QAA@ABV012@@Z +??0IUnifiedResourceView@Resources@Microsoft@@QAA@XZ +??0ItemInfo@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0MrmBuildConfiguration@Build@Resources@Microsoft@@IAA@T_DEFFILE_MAGIC@@I@Z +??0MrmBuildConfiguration@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0MrmFile@Resources@Microsoft@@QAA@ABV012@@Z +??0NamedResourceResult@Resources@Microsoft@@QAA@ABV012@@Z +??0PriDescriptor@Resources@Microsoft@@QAA@ABV012@@Z +??0PriFile@Resources@Microsoft@@QAA@ABV012@@Z +??0PriFileBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0PriFileMerger@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0PriMapMerger@Build@Resources@Microsoft@@QAA@XZ +??0PriSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0QualifierResult@Resources@Microsoft@@QAA@ABV012@@Z +??0QualifierSetResult@Resources@Microsoft@@QAA@ABV012@@Z +??0RemapInfo@Resources@Microsoft@@QAA@ABV012@@Z +??0RemapUInt16@Resources@Microsoft@@QAA@ABV012@@Z +??0ResourceCandidateResult@Resources@Microsoft@@QAA@ABV012@@Z +??0ResourceMapBase@Resources@Microsoft@@QAA@ABV012@@Z +??0ResourceMapSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0ResourceMapSubtree@Resources@Microsoft@@QAA@ABV012@@Z +??0ReverseFileMap@Resources@Microsoft@@QAA@ABV012@@Z +??0ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0ScopeInfo@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??0StandalonePriFile@Resources@Microsoft@@QAA@ABV012@@Z +??0StaticAtomPool@Resources@Microsoft@@IAA@PBQBGHPBGW4_DEFCOMPAREOPTIONS@@@Z +??0StaticAtomPool@Resources@Microsoft@@QAA@ABV012@@Z +??0StaticHierarchicalSchemaDescription@Resources@Microsoft@@QAA@ABV012@@Z +??0StringResult@Resources@Microsoft@@QAA@ABV012@@Z +??0StringResultWrapper@Resources@Microsoft@@IAA@PAU_DEFSTRINGRESULT@@@Z +??0StringResultWrapper@Resources@Microsoft@@QAA@ABV012@@Z +??0StringResultWrapper@Resources@Microsoft@@QAA@PAU_DEFSTRINGRESULT@@PAVIDefStatus@12@@Z +??0WindowsRuntimeEnvironment@Resources@Microsoft@@IAA@XZ +??0WindowsRuntimeEnvironment@Resources@Microsoft@@QAA@ABV012@@Z +??0WriteableStringPool@Build@Resources@Microsoft@@QAA@ABV0123@@Z +??1BaseFileSectionResult@Resources@Microsoft@@UAA@XZ +??1BuilderCandidateResult@Build@Resources@Microsoft@@QAA@XZ +??1DataItemsBuildInstanceReference@Build@Resources@Microsoft@@UAA@XZ +??1DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UAA@XZ +??1DefObject@Resources@Microsoft@@QAA@XZ +??1DefStatus@Resources@Microsoft@@UAA@XZ +??1DefStatusWrapper@Resources@Microsoft@@UAA@XZ +??1EnvironmentCollectionBase@Resources@Microsoft@@MAA@XZ +??1EnvironmentReference@Resources@Microsoft@@QAA@XZ +??1EnvironmentReferenceBuilder@Build@Resources@Microsoft@@QAA@XZ +??1ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@UAA@XZ +??1FileAtoms@Resources@Microsoft@@QAA@XZ +??1FileFileList@Resources@Microsoft@@UAA@XZ +??1FileSectionBuildInstanceReference@Build@Resources@Microsoft@@UAA@XZ +??1HNamesNode@Build@Resources@Microsoft@@UAA@XZ +??1HierarchicalName@Build@Resources@Microsoft@@QAA@XZ +??1HierarchicalNameSegment@Build@Resources@Microsoft@@QAA@XZ +??1HierarchicalSchemaReference@Resources@Microsoft@@UAA@XZ +??1HierarchicalSchemaVersionInfo@Resources@Microsoft@@QAA@XZ +??1HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@QAA@XZ +??1IAtomPool@Resources@Microsoft@@UAA@XZ +??1IAtomPoolWriter@Resources@Microsoft@@UAA@XZ +??1IBuildInstanceReference@Build@Resources@Microsoft@@UAA@XZ +??1ICondition@Resources@Microsoft@@QAA@XZ +??1IDecision@Resources@Microsoft@@QAA@XZ +??1IDecisionInfo@Resources@Microsoft@@QAA@XZ +??1IDefStatus@Resources@Microsoft@@UAA@XZ +??1IEnvironment@Resources@Microsoft@@UAA@XZ +??1IEnvironmentCollection@Resources@Microsoft@@MAA@XZ +??1IEnvironmentVersionInfo@Resources@Microsoft@@QAA@XZ +??1IFileSection@Resources@Microsoft@@UAA@XZ +??1IFileSectionResolver@Resources@Microsoft@@UAA@XZ +??1IHierarchicalNames@Resources@Microsoft@@QAA@XZ +??1IHierarchicalSchema@Resources@Microsoft@@UAA@XZ +??1IHierarchicalSchemaDescription@Resources@Microsoft@@UAA@XZ +??1IHierarchicalSchemaVersionInfo@Resources@Microsoft@@QAA@XZ +??1IMrmFile@Resources@Microsoft@@UAA@XZ +??1INamedResourceBase@Resources@Microsoft@@QAA@XZ +??1IQualifier@Resources@Microsoft@@QAA@XZ +??1IQualifierSet@Resources@Microsoft@@QAA@XZ +??1IQualifierType@Resources@Microsoft@@UAA@XZ +??1IQualifierValueProvider@Resources@Microsoft@@UAA@XZ +??1IResourceCandidateBase@Resources@Microsoft@@QAA@XZ +??1IResourceMapBase@Resources@Microsoft@@QAA@XZ +??1IResourceMapCollection@Resources@Microsoft@@QAA@XZ +??1ISchemaCollection@Resources@Microsoft@@QAA@XZ +??1ISchemaVersionInfo@Resources@Microsoft@@QAA@XZ +??1ISectionBuilder@Build@Resources@Microsoft@@UAA@XZ +??1IStringResult@Resources@Microsoft@@UAA@XZ +??1IUnifiedResourceView@Resources@Microsoft@@UAA@XZ +??1MrmBuildConfiguration@Build@Resources@Microsoft@@UAA@XZ +??1PriDescriptor@Resources@Microsoft@@UAA@XZ +??1PriMapMerger@Build@Resources@Microsoft@@QAA@XZ +??1ResourceCandidateResult@Resources@Microsoft@@QAA@XZ +??1StaticAtomPool@Resources@Microsoft@@UAA@XZ +??1StringResultWrapper@Resources@Microsoft@@UAA@XZ +??2Atom@Resources@Microsoft@@SAPAXI@Z +??2Atom@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@@Z +??2Atom@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@PAVIDefStatus@12@@Z +??2Atom@Resources@Microsoft@@SAPAXIPAX@Z +??2DefObject@Resources@Microsoft@@SAPAXI@Z +??2DefObject@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@@Z +??2DefObject@Resources@Microsoft@@SAPAXIPAX@Z +??3Atom@Resources@Microsoft@@SAXPAX@Z +??3Atom@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@@Z +??3Atom@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@PAVIDefStatus@12@@Z +??3DefObject@Resources@Microsoft@@SAXPAX@Z +??3DefObject@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@@Z +??3DefObject@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@PAVIDefStatus@12@@Z +??4Atom@Resources@Microsoft@@QAAAAU012@ABU012@@Z +??4AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4AtomPoolGroup@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4BaseAtomLinkedFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4BaseFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4BaseFileSectionResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4BuilderCandidateResult@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DataBlobBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DataItemsBuildInstanceReference@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DataItemsSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DataSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DecisionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DecisionInfoBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DecisionInfoFileSection@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DecisionInfoSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4DecisionResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4DefChecksum@Resources@Microsoft@@QAAAAU012@ABU012@@Z +??4DefObject@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4DefStatus@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4DefStatusWrapper@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4EnvironmentCollectionBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4EnvironmentReference@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4EnvironmentReferenceBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileAtomPool@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4FileAtomPoolBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileAtoms@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4FileBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileFileList@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4FileInfo@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileInfoPrivateData@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileListBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FileSectionBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4FileSectionBuildInstanceReference@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4FolderInfo@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HNamesNode@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HierarchicalName@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HierarchicalNameSegment@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HierarchicalNames@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4HierarchicalNamesBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HierarchicalNamesConfig@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4HierarchicalSchema@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4HierarchicalSchemaReference@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4HierarchicalSchemaVersionInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4IAtomPool@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IAtomPoolWriter@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IBuildInstanceReference@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4ICondition@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IDecision@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IDecisionInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IDefStatus@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IEnvironment@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IEnvironmentCollection@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IEnvironmentVersionInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IFileList@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IFileSection@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IFileSectionResolver@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IHNamesGlobalNodes@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4IHierarchicalNames@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IHierarchicalSchema@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IHierarchicalSchemaDescription@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IHierarchicalSchemaVersionInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IMrmFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4INamedResourceBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IQualifier@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IQualifierSet@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IQualifierType@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IQualifierValueProvider@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IResourceCandidateBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IResourceMapBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IResourceMapCollection@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ISchemaCollection@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ISchemaVersionInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ISectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4IStringResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4IUnifiedResourceView@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ItemInfo@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4MrmBuildConfiguration@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4MrmFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4NamedResourceResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4PriDescriptor@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4PriFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4PriFileBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4PriFileMerger@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4PriMapMerger@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4PriSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4QualifierResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4QualifierSetResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4RemapInfo@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4RemapUInt16@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ResourceCandidateResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ResourceMapBase@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ResourceMapSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4ResourceMapSubtree@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ReverseFileMap@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4ScopeInfo@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??4StandalonePriFile@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4StaticAtomPool@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4StaticHierarchicalSchemaDescription@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4StringResult@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4StringResultWrapper@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4WindowsRuntimeEnvironment@Resources@Microsoft@@QAAAAV012@ABV012@@Z +??4WriteableStringPool@Build@Resources@Microsoft@@QAAAAV0123@ABV0123@@Z +??8Atom@Resources@Microsoft@@QBA_NABU012@@Z +??9Atom@Resources@Microsoft@@QBA_NABU012@@Z +??_7AtomIndexedDictionaryBase@Build@Resources@Microsoft@@6B@ DATA +??_7AtomPoolGroup@Resources@Microsoft@@6B@ DATA +??_7BaseAtomLinkedFile@Resources@Microsoft@@6B@ DATA +??_7BaseFile@Resources@Microsoft@@6B@ DATA +??_7BaseFileSectionResult@Resources@Microsoft@@6B@ DATA +??_7DataBlobBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7DataItemsBuildInstanceReference@Build@Resources@Microsoft@@6B@ DATA +??_7DataItemsSectionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7DataSectionBuilder@Build@Resources@Microsoft@@6BDataBlobBuilder@123@@ DATA +??_7DataSectionBuilder@Build@Resources@Microsoft@@6BISectionBuilder@123@@ DATA +??_7DecisionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7DecisionInfoBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7DecisionInfoFileSection@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7DecisionInfoFileSection@Resources@Microsoft@@6BIDecisionInfo@12@@ DATA +??_7DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7DecisionInfoSectionBuilder@Build@Resources@Microsoft@@6BDecisionInfoBuilder@123@@ DATA +??_7DecisionInfoSectionBuilder@Build@Resources@Microsoft@@6BISectionBuilder@123@@ DATA +??_7DecisionResult@Resources@Microsoft@@6B@ DATA +??_7DefStatus@Resources@Microsoft@@6B@ DATA +??_7DefStatusWrapper@Resources@Microsoft@@6B@ DATA +??_7EnvironmentCollectionBase@Resources@Microsoft@@6B@ DATA +??_7EnvironmentReference@Resources@Microsoft@@6B@ DATA +??_7EnvironmentReferenceBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@6B@ DATA +??_7FileAtomPool@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7FileAtomPool@Resources@Microsoft@@6BIAtomPool@12@@ DATA +??_7FileAtomPoolBuilder@Build@Resources@Microsoft@@6BIAtomPoolWriter@23@@ DATA +??_7FileAtomPoolBuilder@Build@Resources@Microsoft@@6BISectionBuilder@123@@ DATA +??_7FileBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7FileFileList@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7FileFileList@Resources@Microsoft@@6BIFileList@12@@ DATA +??_7FileInfo@Build@Resources@Microsoft@@6B@ DATA +??_7FileInfoPrivateData@Build@Resources@Microsoft@@6B@ DATA +??_7FileListBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7FileSectionBase@Resources@Microsoft@@6B@ DATA +??_7FileSectionBuildInstanceReference@Build@Resources@Microsoft@@6B@ DATA +??_7FolderInfo@Build@Resources@Microsoft@@6B@ DATA +??_7HNamesNode@Build@Resources@Microsoft@@6B@ DATA +??_7HierarchicalNames@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7HierarchicalNames@Resources@Microsoft@@6BHierarchicalNamesConfig@12@@ DATA +??_7HierarchicalNames@Resources@Microsoft@@6BIHierarchicalNames@12@@ DATA +??_7HierarchicalNamesBuilder@Build@Resources@Microsoft@@6BHierarchicalNamesConfig@23@@ DATA +??_7HierarchicalNamesBuilder@Build@Resources@Microsoft@@6BIHNamesGlobalNodes@123@@ DATA +??_7HierarchicalNamesBuilder@Build@Resources@Microsoft@@6BISectionBuilder@123@@ DATA +??_7HierarchicalNamesConfig@Resources@Microsoft@@6B@ DATA +??_7HierarchicalSchema@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7HierarchicalSchema@Resources@Microsoft@@6BIHierarchicalSchema@12@@ DATA +??_7HierarchicalSchemaReference@Resources@Microsoft@@6B@ DATA +??_7HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@6BIHierarchicalSchema@23@@ DATA +??_7HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@6BISectionBuilder@123@@ DATA +??_7HierarchicalSchemaVersionInfo@Resources@Microsoft@@6B@ DATA +??_7HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7IAtomPool@Resources@Microsoft@@6B@ DATA +??_7IAtomPoolWriter@Resources@Microsoft@@6B@ DATA +??_7IBuildInstanceReference@Build@Resources@Microsoft@@6B@ DATA +??_7ICondition@Resources@Microsoft@@6B@ DATA +??_7IDecision@Resources@Microsoft@@6B@ DATA +??_7IDecisionInfo@Resources@Microsoft@@6B@ DATA +??_7IDefStatus@Resources@Microsoft@@6B@ DATA +??_7IEnvironment@Resources@Microsoft@@6B@ DATA +??_7IEnvironmentCollection@Resources@Microsoft@@6B@ DATA +??_7IEnvironmentVersionInfo@Resources@Microsoft@@6B@ DATA +??_7IFileList@Resources@Microsoft@@6B@ DATA +??_7IFileSection@Resources@Microsoft@@6B@ DATA +??_7IFileSectionResolver@Resources@Microsoft@@6B@ DATA +??_7IHNamesGlobalNodes@Build@Resources@Microsoft@@6B@ DATA +??_7IHierarchicalNames@Resources@Microsoft@@6B@ DATA +??_7IHierarchicalSchema@Resources@Microsoft@@6B@ DATA +??_7IHierarchicalSchemaDescription@Resources@Microsoft@@6B@ DATA +??_7IHierarchicalSchemaVersionInfo@Resources@Microsoft@@6B@ DATA +??_7IMrmFile@Resources@Microsoft@@6B@ DATA +??_7INamedResourceBase@Resources@Microsoft@@6B@ DATA +??_7IQualifier@Resources@Microsoft@@6B@ DATA +??_7IQualifierSet@Resources@Microsoft@@6B@ DATA +??_7IQualifierType@Resources@Microsoft@@6B@ DATA +??_7IQualifierValueProvider@Resources@Microsoft@@6B@ DATA +??_7IResourceCandidateBase@Resources@Microsoft@@6B@ DATA +??_7IResourceMapBase@Resources@Microsoft@@6B@ DATA +??_7IResourceMapCollection@Resources@Microsoft@@6B@ DATA +??_7ISchemaCollection@Resources@Microsoft@@6B@ DATA +??_7ISchemaVersionInfo@Resources@Microsoft@@6B@ DATA +??_7ISectionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7IStringResult@Resources@Microsoft@@6B@ DATA +??_7IUnifiedResourceView@Resources@Microsoft@@6BIResourceMapCollection@12@@ DATA +??_7IUnifiedResourceView@Resources@Microsoft@@6BISchemaCollection@12@@ DATA +??_7ItemInfo@Build@Resources@Microsoft@@6B@ DATA +??_7MrmBuildConfiguration@Build@Resources@Microsoft@@6B@ DATA +??_7MrmFile@Resources@Microsoft@@6B@ DATA +??_7NamedResourceResult@Resources@Microsoft@@6B@ DATA +??_7PriDescriptor@Resources@Microsoft@@6B@ DATA +??_7PriFile@Resources@Microsoft@@6BIResourceMapCollection@12@@ DATA +??_7PriFile@Resources@Microsoft@@6BISchemaCollection@12@@ DATA +??_7PriFileBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7PriFileMerger@Build@Resources@Microsoft@@6B@ DATA +??_7PriSectionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7QualifierResult@Resources@Microsoft@@6B@ DATA +??_7QualifierSetResult@Resources@Microsoft@@6B@ DATA +??_7RemapInfo@Resources@Microsoft@@6B@ DATA +??_7RemapUInt16@Resources@Microsoft@@6B@ DATA +??_7ResourceCandidateResult@Resources@Microsoft@@6B@ DATA +??_7ResourceMapBase@Resources@Microsoft@@6BFileSectionBase@12@@ DATA +??_7ResourceMapBase@Resources@Microsoft@@6BIResourceMapBase@12@@ DATA +??_7ResourceMapBase@Resources@Microsoft@@6BResourceMapSubtree@12@@ DATA +??_7ResourceMapSectionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7ResourceMapSubtree@Resources@Microsoft@@6B@ DATA +??_7ReverseFileMap@Resources@Microsoft@@6B@ DATA +??_7ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@6B@ DATA +??_7ScopeInfo@Build@Resources@Microsoft@@6B@ DATA +??_7StandalonePriFile@Resources@Microsoft@@6B@ DATA +??_7StandalonePriFile@Resources@Microsoft@@6BIResourceMapCollection@12@@ DATA +??_7StandalonePriFile@Resources@Microsoft@@6BISchemaCollection@12@@ DATA +??_7StaticAtomPool@Resources@Microsoft@@6B@ DATA +??_7StaticHierarchicalSchemaDescription@Resources@Microsoft@@6B@ DATA +??_7StringResult@Resources@Microsoft@@6B@ DATA +??_7StringResultWrapper@Resources@Microsoft@@6B@ DATA +??_7WindowsRuntimeEnvironment@Resources@Microsoft@@6B@ DATA +??_7WriteableStringPool@Build@Resources@Microsoft@@6B@ DATA +??_UAtom@Resources@Microsoft@@SAPAXI@Z +??_UAtom@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@@Z +??_UAtom@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@PAVIDefStatus@12@@Z +??_UDefObject@Resources@Microsoft@@SAPAXI@Z +??_UDefObject@Resources@Microsoft@@SAPAXIABUnothrow_t@std@@@Z +??_VAtom@Resources@Microsoft@@SAXPAX@Z +??_VAtom@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@@Z +??_VAtom@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@PAVIDefStatus@12@@Z +??_VDefObject@Resources@Microsoft@@SAXPAX@Z +??_VDefObject@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@@Z +??_VDefObject@Resources@Microsoft@@SAXPAXABUnothrow_t@std@@PAVIDefStatus@12@@Z +?AddDataItem@DataItemsSectionBuilder@Build@Resources@Microsoft@@QAA_NPBXIPAVIDefStatus@34@PAU_PrebuildItemReference@1234@@Z +?AddQualifier@DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@QAA_NPBG0HNPAVIDefStatus@34@PAH@Z +?AdvanceToNextSegment@HierarchicalName@Build@Resources@Microsoft@@QAA_NPAVIDefStatus@34@@Z +?Align16Bit@BaseFile@Resources@Microsoft@@2IB +?Align32Bit@BaseFile@Resources@Microsoft@@2IB +?Align64Bit@BaseFile@Resources@Microsoft@@2IB +?AllConfigurationFlags@MrmBuildConfiguration@Build@Resources@Microsoft@@2IB +?AlwaysTrueQualifierIndex@IDecisionInfo@Resources@Microsoft@@2HB +?BaseFileOwnsDataFlag@BaseFile@Resources@Microsoft@@1IB +?CheckPhase@FileBuilder@Build@Resources@Microsoft@@QBA_NW4BuildPhase@234@PAVIDefStatus@34@@Z +?CheckSetPhase@FileBuilder@Build@Resources@Microsoft@@QAA_NW4BuildPhase@234@PAVIDefStatus@34@@Z +?CompareSegments@HierarchicalNamesConfig@Resources@Microsoft@@UBAHPBG0@Z +?CompareSegments@HierarchicalNamesConfig@Resources@Microsoft@@UBAHPBGH0H@Z +?ComputeAtomChecksum@DefChecksum@Resources@Microsoft@@QAAIUAtom@23@PBVAtomPoolGroup@23@PAVIDefStatus@23@@Z +?ComputeAtomPoolChecksum@DefChecksum@Resources@Microsoft@@QAAIPBVIAtomPool@23@HPAVIDefStatus@23@@Z +?ComputeAtomPoolChecksum@DefChecksum@Resources@Microsoft@@QAAIPBVIAtomPool@23@PAVIDefStatus@23@@Z +?ComputeChecksum@DefChecksum@Resources@Microsoft@@QAAIPBEIPAVIDefStatus@23@@Z +?ComputeHash@HNamesNode@Build@Resources@Microsoft@@SAIPBGPAVIDefStatus@34@@Z +?ComputeStringChecksum@DefChecksum@Resources@Microsoft@@QAAI_NPBGPAVIDefStatus@23@@Z +?ComputeUInt32Checksum@DefChecksum@Resources@Microsoft@@QAAII@Z +?ConcatPathElement@IStringResult@Resources@Microsoft@@UAA_NPBGPAVIDefStatus@23@@Z +?ConcatPathElement@StringResultWrapper@Resources@Microsoft@@UAA_NPBGPAVIDefStatus@23@@Z +?Contains@HierarchicalSchema@Resources@Microsoft@@QBA_NPBGHPAVIDefStatus@23@PAH22@Z +?Contains@HierarchicalSchema@Resources@Microsoft@@QBA_NPBGPAVIDefStatus@23@PAH22@Z +?Contains@HierarchicalSchema@Resources@Microsoft@@UBA_NPBGHPAVIDefStatus@23@PAH2@Z +?Contains@HierarchicalSchema@Resources@Microsoft@@UBA_NPBGPAVIDefStatus@23@PAH2@Z +?Contains@IAtomPool@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@@Z +?DefaultAlignment@BaseFile@Resources@Microsoft@@2IB +?DefaultAlignment@DataItemsSectionBuilder@Build@Resources@Microsoft@@2HB +?DefaultFlags@BaseFile@Resources@Microsoft@@2IB +?DefaultInitialSize@FileAtomPoolBuilder@Build@Resources@Microsoft@@1HB +?DefaultInitialSize@WriteableStringPool@Build@Resources@Microsoft@@1IB +?DescriptionLength@FileAtomPool@Resources@Microsoft@@2HB +?EmbeddedDataResourceValueTypeIndex@WindowsRuntimeEnvironment@Resources@Microsoft@@2HB +?EmptyDecisionIndex@IDecisionInfo@Resources@Microsoft@@2HB +?Failed@DefStatusWrapper@Resources@Microsoft@@UBA_NXZ +GetApplicabilityContext +?GetAtom@Atom@Resources@Microsoft@@QBA?AT_DEF_ATOM@@XZ +?GetAtomPoolGroup@FileAtomPool@Resources@Microsoft@@UBAPAVAtomPoolGroup@23@XZ +?GetAtomPoolGroup@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAPAVAtomPoolGroup@34@XZ +?GetAtomPoolMapping@RemapInfo@Resources@Microsoft@@QBAPAHPAH@Z +?GetAtomPoolSection@IMrmFile@Resources@Microsoft@@QBAPAVFileAtomPool@23@FPAVIDefStatus@23@@Z +?GetAtoms@BaseAtomLinkedFile@Resources@Microsoft@@QBAPBVAtomPoolGroup@23@XZ +?GetAtoms@PriSectionBuilder@Build@Resources@Microsoft@@QBAPAVAtomPoolGroup@34@XZ +?GetAtoms@StandalonePriFile@Resources@Microsoft@@UBAPAVAtomPoolGroup@23@XZ +?GetAtoms@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPAVAtomPoolGroup@23@XZ +?GetAttributeNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetAttributeTypeNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetAttributeTypesPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetAttributesPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetAutoMergeEnabled@PriDescriptor@Resources@Microsoft@@QBA_NXZ +?GetAutoMergeEnabled@PriFile@Resources@Microsoft@@QBA_NXZ +?GetAutoMergeEnabled@StandalonePriFile@Resources@Microsoft@@QBA_NXZ +?GetBaseFile@MrmFile@Resources@Microsoft@@UBAPBVBaseFile@23@PAVIDefStatus@23@@Z +?GetBaseMrmFile@PriFile@Resources@Microsoft@@QBAPBVIMrmFile@23@XZ +?GetBaseResourceView@PriFile@Resources@Microsoft@@QBAPBVIUnifiedResourceView@23@XZ +?GetBuffer@WriteableStringPool@Build@Resources@Microsoft@@QBAPBGXZ +?GetCandidateIndex@ResourceCandidateResult@Resources@Microsoft@@QBAHXZ +?GetChecksum@DefChecksum@Resources@Microsoft@@QBAIXZ +?GetConditionOperatorNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetConditionOperatorsPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetConfig@HNamesNode@Build@Resources@Microsoft@@QBAPBVHierarchicalNamesConfig@34@XZ +?GetConfig@HierarchicalName@Build@Resources@Microsoft@@QBAPBVHierarchicalNamesConfig@34@XZ +?GetConfig@HierarchicalNameSegment@Build@Resources@Microsoft@@QBAPBVHierarchicalNamesConfig@34@XZ +?GetConfig@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBAPBVHierarchicalNamesConfig@34@XZ +?GetCurrentDataSize@DataBlobBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetCurrentGeneration@ResourceMapBase@Resources@Microsoft@@UBA_KXZ +?GetCurrentSegment@HierarchicalName@Build@Resources@Microsoft@@QBAPBVHierarchicalNameSegment@234@XZ +?GetCurrentSegmentHash@HierarchicalName@Build@Resources@Microsoft@@QBAIPAVIDefStatus@34@@Z +?GetCurrentSegmentInitialChar@HierarchicalName@Build@Resources@Microsoft@@QBAGXZ +?GetCurrentSegmentText@HierarchicalName@Build@Resources@Microsoft@@QBAPBGXZ +?GetData@FileBuilder@Build@Resources@Microsoft@@IAAPBXXZ +?GetDataItemsSection@IMrmFile@Resources@Microsoft@@QBAPAVFileDataItemsSection@23@FPAVIDefStatus@23@@Z +?GetDataItemsSectionBuilder@DataItemsBuildInstanceReference@Build@Resources@Microsoft@@QAAPAVDataItemsSectionBuilder@234@XZ +?GetDataSection@IMrmFile@Resources@Microsoft@@QBAPAVFileDataSection@23@FPAVIDefStatus@23@@Z +?GetDataSize@FileBuilder@Build@Resources@Microsoft@@IAAIXZ +?GetDecisionInfo@ResourceMapSectionBuilder@Build@Resources@Microsoft@@QBAPAVDecisionInfoSectionBuilder@234@XZ +?GetDecisionInfoBuilder@PriSectionBuilder@Build@Resources@Microsoft@@QBAPAVDecisionInfoSectionBuilder@234@XZ +?GetDecisionInfoSection@IMrmFile@Resources@Microsoft@@QBAPAVDecisionInfoFileSection@23@FPAVIDefStatus@23@@Z +?GetDefStatus@DefStatusWrapper@Resources@Microsoft@@UAAPAU_DEFSTATUS@@XZ +?GetDefaultDecisionInfo@StandalonePriFile@Resources@Microsoft@@UBAPAVUnifiedDecisionInfo@23@XZ +?GetDefaultEnvironment@StandalonePriFile@Resources@Microsoft@@UBAPAVUnifiedEnvironment@23@XZ +?GetDefaultPathSeparator@HierarchicalNamesConfig@Resources@Microsoft@@UBAGXZ +?GetDesc@DefStatusWrapper@Resources@Microsoft@@UBAPBGXZ +?GetDescendents@HierarchicalSchema@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@HPAGPAHH12@Z +?GetDescription@FileAtomPool@Resources@Microsoft@@UBAPBGXZ +?GetDescription@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAPBGXZ +?GetDescriptor@PriFileBuilder@Build@Resources@Microsoft@@QAAPAVPriSectionBuilder@234@XZ +?GetDescriptorIndex@FileBuilder@Build@Resources@Microsoft@@QAAFXZ +?GetDetails@DefStatusWrapper@Resources@Microsoft@@QBAIXZ +?GetDisplayName@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBGXZ +?GetEnvironment@ResourceMapSectionBuilder@Build@Resources@Microsoft@@QBAPBVUnifiedEnvironment@34@XZ +?GetFileBuilder@PriSectionBuilder@Build@Resources@Microsoft@@QBAPAVFileBuilder@234@XZ +?GetFileData@BaseFile@Resources@Microsoft@@QBA_NPAVIDefStatus@23@PAVBlobResult@23@@Z +?GetFileHeader@BaseFile@Resources@Microsoft@@QBAPBU_DEFFILE_HEADER@@XZ +?GetFileListSection@IMrmFile@Resources@Microsoft@@QBAPAVFileFileList@23@FPAVIDefStatus@23@@Z +?GetFileMagicNumber@MrmBuildConfiguration@Build@Resources@Microsoft@@QBA?AT_DEFFILE_MAGIC@@XZ +?GetFileName@FileInfo@Build@Resources@Microsoft@@QBAPBGXZ +?GetFileSizeInBytes@BaseFile@Resources@Microsoft@@QBAIXZ +?GetFileTrailer@BaseFile@Resources@Microsoft@@SAPAU_DEFFILE_TRAILER@@PAU_DEFFILE_HEADER@@@Z +?GetFirstChild@ScopeInfo@Build@Resources@Microsoft@@QBAPAVHNamesNode@234@XZ +?GetFlag@FileInfo@Build@Resources@Microsoft@@QBAGXZ +?GetFlags@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@DataSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@FileListBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@PriSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFlags@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetFolderName@FolderInfo@Build@Resources@Microsoft@@QBAPBGXZ +?GetFullPath@HierarchicalName@Build@Resources@Microsoft@@QBAQBGXZ +?GetFullResourceMap@ResourceMapSubtree@Resources@Microsoft@@QBAPBVIResourceMapBase@23@XZ +?GetGlobalNodes@ScopeInfo@Build@Resources@Microsoft@@QAAPAVIHNamesGlobalNodes@234@XZ +?GetHash@HNamesNode@Build@Resources@Microsoft@@QBAIPAVIDefStatus@34@@Z +?GetHash@HierarchicalNameSegment@Build@Resources@Microsoft@@QBAIPAVIDefStatus@34@@Z +?GetIndex@Atom@Resources@Microsoft@@QBAHXZ +?GetIndex@DecisionBuilder@Build@Resources@Microsoft@@UBAHPAVIDefStatus@34@@Z +?GetIndex@DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@UBAHPAVIDefStatus@34@@Z +?GetIndex@FileInfo@Build@Resources@Microsoft@@QBAHXZ +?GetIndex@FileInfoPrivateData@Build@Resources@Microsoft@@QBA?BHXZ +?GetIndex@FolderInfo@Build@Resources@Microsoft@@QBAHXZ +?GetIndex@HNamesNode@Build@Resources@Microsoft@@QBAHXZ +?GetIndex@IAtomPool@Resources@Microsoft@@QBA_NPBGPAVIDefStatus@23@PAH@Z +?GetIndex@IAtomPool@Resources@Microsoft@@QBA_NUAtom@23@PAVIDefStatus@23@PAH@Z +?GetInitialChar@HNamesNode@Build@Resources@Microsoft@@QBAGXZ +?GetInitialChar@HierarchicalNameSegment@Build@Resources@Microsoft@@QBAGXZ +?GetInstanceLocatorNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetInstanceLocatorType@DataItemsBuildInstanceReference@Build@Resources@Microsoft@@UBAPBGXZ +?GetInstanceLocatorType@ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@UBAPBGXZ +?GetInstanceLocatorType@FileSectionBuildInstanceReference@Build@Resources@Microsoft@@UBAPBGXZ +?GetInstanceLocatorsPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetInstanceTypeNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetInstanceTypesPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetInt64@Atom@Resources@Microsoft@@QBA_JXZ +?GetIsAutomergeMergeResult@PriDescriptor@Resources@Microsoft@@QBA_NXZ +?GetIsCaseInsensitive@FileAtomPool@Resources@Microsoft@@UBA_NXZ +?GetIsCaseInsensitive@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBA_NXZ +?GetIsCaseInsensitive@WriteableStringPool@Build@Resources@Microsoft@@QBA_NXZ +?GetIsDeploymentMergeResult@PriDescriptor@Resources@Microsoft@@QBA_NXZ +?GetIsDeploymentMergeResult@PriFile@Resources@Microsoft@@QBA_NXZ +?GetIsDeploymentMergeable@PriDescriptor@Resources@Microsoft@@QBA_NXZ +?GetIsDeploymentMergeable@PriFile@Resources@Microsoft@@UBA_NXZ +?GetIsDeploymentMergeable@StandalonePriFile@Resources@Microsoft@@UBA_NXZ +?GetItemNames@HierarchicalNames@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetItemNames@HierarchicalNamesBuilder@Build@Resources@Microsoft@@QBAPAVIAtomPool@34@XZ +?GetItemNames@HierarchicalSchema@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetItemNames@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetItemTypeNames@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBVIAtomPool@23@XZ +?GetItemTypesPoolIndex@EnvironmentReference@Resources@Microsoft@@QBAHXZ +?GetItemsPoolIndex@HierarchicalSchemaReference@Resources@Microsoft@@QBAHXZ +?GetLine@DefStatusWrapper@Resources@Microsoft@@QBAIXZ +?GetLocatorType@DataItemsBuildInstanceReference@Build@Resources@Microsoft@@UBAEXZ +?GetLocatorType@ExternalFileStaticDataInstanceReference@Build@Resources@Microsoft@@UBAEXZ +?GetLocatorType@FileSectionBuildInstanceReference@Build@Resources@Microsoft@@UBAEXZ +?GetLongestPath@FileFileList@Resources@Microsoft@@UBAHXZ +?GetMagic@FileBuilder@Build@Resources@Microsoft@@QAA?AT_DEFFILE_MAGIC@@XZ +?GetMajorVersion@EnvironmentReference@Resources@Microsoft@@UBAGXZ +?GetMajorVersion@HierarchicalSchema@Resources@Microsoft@@UBAGXZ +?GetMajorVersion@HierarchicalSchemaReference@Resources@Microsoft@@QBAHXZ +?GetMajorVersion@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetMajorVersion@HierarchicalSchemaVersionInfo@Resources@Microsoft@@UBAGXZ +?GetMajorVersion@HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetMajorVersion@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAGXZ +?GetMaxAtomIndex@AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QBAHXZ +?GetMaxNameLength@HierarchicalNames@Resources@Microsoft@@UBAHXZ +?GetMaxNameLength@HierarchicalSchema@Resources@Microsoft@@QBAHXZ +?GetMaxPoolIndex@AtomPoolGroup@Resources@Microsoft@@QBAHXZ +?GetMaxSizeInBytes@EnvironmentReferenceBuilder@Build@Resources@Microsoft@@QBAIXZ +?GetMinAtomIndex@AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QAAHXZ +?GetMinorVersion@EnvironmentReference@Resources@Microsoft@@UBAGXZ +?GetMinorVersion@HierarchicalSchema@Resources@Microsoft@@UBAGXZ +?GetMinorVersion@HierarchicalSchemaReference@Resources@Microsoft@@QBAHXZ +?GetMinorVersion@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetMinorVersion@HierarchicalSchemaVersionInfo@Resources@Microsoft@@UBAGXZ +?GetMinorVersion@HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetMinorVersion@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAGXZ +?GetName@FileFileList@Resources@Microsoft@@IBAPBGHHPAVIDefStatus@23@@Z +?GetName@HNamesNode@Build@Resources@Microsoft@@QBAPBGXZ +?GetName@HierarchicalNameSegment@Build@Resources@Microsoft@@QBAPBGXZ +?GetNameIndex@HNamesNode@Build@Resources@Microsoft@@QBAHXZ +?GetNames@AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QAAPBVIAtomPool@34@XZ +?GetNext@FileInfoPrivateData@Build@Resources@Microsoft@@QBAPAV1234@XZ +?GetNextItem@AtomIndexedDictionaryBase@Build@Resources@Microsoft@@QBA_NPAVIterator@1234@PAVIDefStatus@34@PAH@Z +?GetNextSibling@HNamesNode@Build@Resources@Microsoft@@QAAPAV1234@XZ +?GetNumAtomPools@RemapInfo@Resources@Microsoft@@QBAHXZ +?GetNumAtoms@FileAtomPool@Resources@Microsoft@@UBAHXZ +?GetNumAtoms@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAHXZ +?GetNumAttributeTypes@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumAttributes@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumCharsInPool@WriteableStringPool@Build@Resources@Microsoft@@QBAIXZ +?GetNumChildItems@ScopeInfo@Build@Resources@Microsoft@@QBAHXZ +?GetNumChildScopes@ScopeInfo@Build@Resources@Microsoft@@QBAHXZ +?GetNumChildren@ScopeInfo@Build@Resources@Microsoft@@QBAHXZ +?GetNumConditionOperators@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumDataItemSections@PriDescriptor@Resources@Microsoft@@QBAHXZ +?GetNumDecisionInfos@PriDescriptor@Resources@Microsoft@@QBAHXZ +?GetNumDescendents@HierarchicalNames@Resources@Microsoft@@QBA_NHPAVIDefStatus@23@PAH1@Z +?GetNumDescendents@HierarchicalSchema@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@PAH1@Z +?GetNumEntries@ReverseFileMap@Resources@Microsoft@@QBAHXZ +?GetNumFiles@FolderInfo@Build@Resources@Microsoft@@QBAHXZ +?GetNumInstanceLocators@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumInstanceTypes@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumItemTypes@EnvironmentReference@Resources@Microsoft@@UBAHXZ +?GetNumItems@HierarchicalNames@Resources@Microsoft@@UBAHXZ +?GetNumItems@HierarchicalSchema@Resources@Microsoft@@UBAHXZ +?GetNumItems@HierarchicalSchemaReference@Resources@Microsoft@@QBAHXZ +?GetNumItems@HierarchicalSchemaVersionInfo@Resources@Microsoft@@UBAHXZ +?GetNumItems@HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@UBAHXZ +?GetNumItems@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAHXZ +?GetNumNames@HierarchicalNames@Resources@Microsoft@@UBAHXZ +?GetNumNames@HierarchicalSchema@Resources@Microsoft@@UBAHXZ +?GetNumPools@AtomPoolGroup@Resources@Microsoft@@QBAHXZ +?GetNumReferencedFileSections@PriDescriptor@Resources@Microsoft@@QBAHXZ +?GetNumResourceMaps@PriDescriptor@Resources@Microsoft@@QBAHXZ +?GetNumRootFolders@FileFileList@Resources@Microsoft@@UBAHXZ +?GetNumSchemas@PriDescriptor@Resources@Microsoft@@QBAHXZ +?GetNumScopes@HierarchicalNames@Resources@Microsoft@@UBAHXZ +?GetNumScopes@HierarchicalSchema@Resources@Microsoft@@UBAHXZ +?GetNumScopes@HierarchicalSchemaReference@Resources@Microsoft@@QBAHXZ +?GetNumScopes@HierarchicalSchemaVersionInfo@Resources@Microsoft@@UBAHXZ +?GetNumScopes@HierarchicalSchemaVersionInfoBuilder@Build@Resources@Microsoft@@UBAHXZ +?GetNumScopes@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAHXZ +?GetNumSections@BaseFile@Resources@Microsoft@@QBAFXZ +?GetNumSections@FileBuilder@Build@Resources@Microsoft@@QAAIXZ +?GetNumSections@RemapInfo@Resources@Microsoft@@QBAFXZ +?GetNumSubfolders@FolderInfo@Build@Resources@Microsoft@@QBAHXZ +?GetNumVersionInfos@HierarchicalSchema@Resources@Microsoft@@UBAHXZ +?GetNumVersionInfos@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAHXZ +?GetOperand1Qualifier@ICondition@Resources@Microsoft@@UBA_NPAVIDefStatus@23@PAUAtom@23@@Z +?GetOrAddQualifier@DecisionInfoBuilder@Build@Resources@Microsoft@@QAA_NPBG0GNPAVIDefStatus@34@PAVQualifierResult@34@@Z +?GetOwner@FileInfoPrivateData@Build@Resources@Microsoft@@QBAPBXXZ +?GetParentFolder@FileInfo@Build@Resources@Microsoft@@QBAPAVFolderInfo@234@XZ +?GetParentFolder@FolderInfo@Build@Resources@Microsoft@@QBAPAV1234@XZ +?GetParentSchema@NamedResourceResult@Resources@Microsoft@@UBAPBVIHierarchicalSchema@23@PAVIDefStatus@23@@Z +?GetParentScope@HNamesNode@Build@Resources@Microsoft@@QBAPAVScopeInfo@234@XZ +?GetPhase@FileBuilder@Build@Resources@Microsoft@@QBA?AW4BuildPhase@234@XZ +?GetPool@DecisionBuilder@Build@Resources@Microsoft@@UBAPBVIDecisionInfo@34@PAVIDefStatus@34@@Z +?GetPool@DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@UBAPBVIDecisionInfo@34@PAVIDefStatus@34@@Z +?GetPoolIndex@Atom@Resources@Microsoft@@QBAHXZ +?GetPoolIndex@FileAtomPool@Resources@Microsoft@@UBAHXZ +?GetPoolIndex@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAHXZ +?GetPreviousSibling@HNamesNode@Build@Resources@Microsoft@@QAAPAV1234@XZ +?GetPriDescriptor@PriFile@Resources@Microsoft@@QBAPBVPriDescriptor@23@XZ +?GetPriDescriptor@StandalonePriFile@Resources@Microsoft@@QBAPBVPriDescriptor@23@XZ +?GetPriDescriptorSection@IMrmFile@Resources@Microsoft@@QBAPAVPriDescriptor@23@FPAVIDefStatus@23@@Z +?GetPrivateData@FileInfo@Build@Resources@Microsoft@@QBAPAVFileInfoPrivateData@234@XZ +?GetProfile@PriFile@Resources@Microsoft@@UBAPBVMrmProfile@23@XZ +?GetProfile@StandalonePriFile@Resources@Microsoft@@UBAPBVMrmProfile@23@XZ +?GetQualifier@IEnvironment@Resources@Microsoft@@QBA_NHPAVIDefStatus@23@PAUResourceQualifier@23@@Z +?GetQualifier@IEnvironment@Resources@Microsoft@@QBA_NPBGPAVIDefStatus@23@PAUResourceQualifier@23@@Z +?GetQualifier@IEnvironment@Resources@Microsoft@@QBA_NUAtom@23@PAVIDefStatus@23@PAUResourceQualifier@23@@Z +?GetQualifierNames@IEnvironment@Resources@Microsoft@@QBAPBVIAtomPool@23@XZ +?GetQualifierTypeNames@IEnvironment@Resources@Microsoft@@QBAPBVIAtomPool@23@XZ +?GetRawResourceMap@ResourceCandidateResult@Resources@Microsoft@@QBAPBVIRawResourceMap@23@XZ +?GetResourceIndexInSchema@NamedResourceResult@Resources@Microsoft@@UBAHPAVIDefStatus@23@@Z +?GetResourceMap@ResourceMapBase@Resources@Microsoft@@IBAPBV123@XZ +?GetResourceMapSection@IMrmFile@Resources@Microsoft@@QBAPAVResourceMapBase@23@FPAVIDefStatus@23@@Z +?GetResourceValueLocatorNames@IEnvironment@Resources@Microsoft@@QBAPBVIAtomPool@23@XZ +?GetResourceValueTypeNames@IEnvironment@Resources@Microsoft@@QBAPBVIAtomPool@23@XZ +?GetReverseFileMapSection@IMrmFile@Resources@Microsoft@@QBAPAVReverseFileMap@23@FPAVIDefStatus@23@@Z +?GetRootSubtree@ResourceMapBase@Resources@Microsoft@@UBAPBVResourceMapSubtree@23@XZ +?GetRootSubtree@ResourceMapSubtree@Resources@Microsoft@@QBAPBV123@XZ +?GetSchema@ResourceMapSectionBuilder@Build@Resources@Microsoft@@QBAPAVHierarchicalSchemaSectionBuilder@234@XZ +?GetSchemaBlobFromFileSection@IHierarchicalSchema@Resources@Microsoft@@UBA_NPAVBlobResult@23@PAVIDefStatus@23@@Z +?GetSchemaSection@IMrmFile@Resources@Microsoft@@QBAPAVHierarchicalSchema@23@FPAVIDefStatus@23@@Z +?GetScopeNames@HierarchicalNames@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetScopeNames@HierarchicalNamesBuilder@Build@Resources@Microsoft@@QBAPAVIAtomPool@34@XZ +?GetScopeNames@HierarchicalSchema@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetScopeNames@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAPAVIAtomPool@23@XZ +?GetSection@IMrmFile@Resources@Microsoft@@QBAPBVIFileSection@23@FPAVIDefStatus@23@@Z +?GetSectionData@BaseFile@Resources@Microsoft@@SAPAEPBU_DEFFILE_HEADER@@H@Z +?GetSectionData@BaseFile@Resources@Microsoft@@SAPAXPBU_DEFFILE_HEADER@@PBU_DEFFILE_TOC_ENTRY@@@Z +?GetSectionDataSize@BaseFile@Resources@Microsoft@@SAIPBU_DEFFILE_TOC_ENTRY@@@Z +?GetSectionFlags@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@DataSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@FileListBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@PriSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionFlags@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UBAGXZ +?GetSectionHeader@BaseFile@Resources@Microsoft@@SAPAU_DEFFILE_SECTION_HEADER@@PBU_DEFFILE_HEADER@@PBU_DEFFILE_TOC_ENTRY@@@Z +?GetSectionIndex@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@DataSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@FileListBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@PriSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionIndex@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UBAFXZ +?GetSectionMapping@RemapInfo@Resources@Microsoft@@QBAPAFPAF@Z +?GetSectionQualifier@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@DataSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@FileListBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@PriSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionQualifier@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UBAIXZ +?GetSectionStructureOverhead@BaseFile@Resources@Microsoft@@SAIXZ +?GetSectionTrailer@BaseFile@Resources@Microsoft@@SAPAU_DEFFILE_SECTION_TRAILER@@PBU_DEFFILE_SECTION_HEADER@@@Z +?GetSectionType@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@DataSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@FileAtomPoolBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@FileListBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@PriSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSectionType@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UBA?AT_DEFFILE_SECTION_TYPEID@@XZ +?GetSections@FileBuilder@Build@Resources@Microsoft@@IAAPAU_SectionInfo@1234@XZ +?GetSegmentInitialChar@HierarchicalNamesConfig@Resources@Microsoft@@UBAGPBG@Z +?GetSimpleId@HierarchicalSchema@Resources@Microsoft@@UBAPBGXZ +?GetSimpleId@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAPBGXZ +?GetSimpleId@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAPBGXZ +?GetSmallAtom@Atom@Resources@Microsoft@@QBA?AT_DEF_ATOM_SMALL@@PAVIDefStatus@23@@Z +?GetSmallAtom@Atom@Resources@Microsoft@@QBA_NPAVIDefStatus@23@PAT_DEF_ATOM_SMALL@@@Z +?GetSmallIndex@Atom@Resources@Microsoft@@QBA_NPAVIDefStatus@23@PAG@Z +?GetSmallIndex@Atom@Resources@Microsoft@@SA_NHPAVIDefStatus@23@PAG@Z +?GetSmallPoolIndex@Atom@Resources@Microsoft@@QBA_NPAVIDefStatus@23@PAG@Z +?GetSmallPoolIndex@Atom@Resources@Microsoft@@SA_NHPAVIDefStatus@23@PAG@Z +?GetSmallPoolIndex@IAtomPool@Resources@Microsoft@@QBA_NPAVIDefStatus@23@PAG@Z +?GetStringPool@FileAtomPoolBuilder@Build@Resources@Microsoft@@QAAPAVWriteableStringPool@234@XZ +?GetStringResult@StringResultWrapper@Resources@Microsoft@@UAAPAU_DEFSTRINGRESULT@@XZ +?GetStructureOverhead@BaseFile@Resources@Microsoft@@SAII@Z +?GetSubtreeRootIndex@ResourceMapSubtree@Resources@Microsoft@@UBAHXZ +?GetTargetOsVersion@PriFile@Resources@Microsoft@@UBAPBGXZ +?GetTargetOsVersion@StandalonePriFile@Resources@Microsoft@@UBAPBGXZ +?GetToc@BaseFile@Resources@Microsoft@@QBAPBU_DEFFILE_TOC_ENTRY@@PAVIDefStatus@23@@Z +?GetToc@BaseFile@Resources@Microsoft@@SAPAU_DEFFILE_TOC_ENTRY@@PBU_DEFFILE_HEADER@@@Z +?GetTotalNumFiles@FileFileList@Resources@Microsoft@@UBAHXZ +?GetTotalNumFiles@FolderInfo@Build@Resources@Microsoft@@QBAHXZ +?GetTotalNumFolders@FileFileList@Resources@Microsoft@@UBAHXZ +?GetTotalNumFolders@FolderInfo@Build@Resources@Microsoft@@QBAHXZ +?GetTotalNumItems@ScopeInfo@Build@Resources@Microsoft@@QBAHXZ +?GetTotalNumScopes@ScopeInfo@Build@Resources@Microsoft@@QBAHXZ +?GetUInt64@Atom@Resources@Microsoft@@QBA_KXZ +?GetUniqueId@HierarchicalSchema@Resources@Microsoft@@UBAPBGXZ +?GetUniqueId@HierarchicalSchemaReference@Resources@Microsoft@@QBAPBGXZ +?GetUniqueId@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UBAPBGXZ +?GetUniqueId@StaticHierarchicalSchemaDescription@Resources@Microsoft@@UBAPBGXZ +?GetUniqueName@EnvironmentReference@Resources@Microsoft@@QBAPBGXZ +?GetUniqueName@WindowsRuntimeEnvironment@Resources@Microsoft@@UBAPBGXZ +?GetVersionChecksum@EnvironmentReference@Resources@Microsoft@@UBAIXZ +?GetVersionChecksum@HierarchicalSchemaVersionInfo@Resources@Microsoft@@UBAIXZ +?GetVersionInfo@HierarchicalSchemaReference@Resources@Microsoft@@QBAPBVIHierarchicalSchemaVersionInfo@23@XZ +?GetWhat@DefStatusWrapper@Resources@Microsoft@@UBA?BKXZ +?GetWhere@DefStatusWrapper@Resources@Microsoft@@UBAPBGXZ +?HashMethodCaseInsensitive@Atom@Resources@Microsoft@@2W4DEF_ATOM_HASH_METHOD@@B +?HashMethodDefault@Atom@Resources@Microsoft@@2W4DEF_ATOM_HASH_METHOD@@B +?HashString@Atom@Resources@Microsoft@@SAIPBGPAVIDefStatus@23@@Z +?HaveCurrentSegment@HierarchicalName@Build@Resources@Microsoft@@QBA_NXZ +?HaveName@HierarchicalNameSegment@Build@Resources@Microsoft@@QBA_NXZ +?HaveNextSegment@HierarchicalName@Build@Resources@Microsoft@@QBA_NXZ +?IndexNone@Atom@Resources@Microsoft@@2HB +?Init@BaseFile@Resources@Microsoft@@IAAXXZ +?InitialLargeItemDataCapacity@DataItemsSectionBuilder@Build@Resources@Microsoft@@0HB +?InitialLargeItemSize@DataItemsSectionBuilder@Build@Resources@Microsoft@@0HB +?InitialQualifierSetsSize@DecisionBuilder@Build@Resources@Microsoft@@0HB +?InitialQualifiersSize@DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@0HB +?InitialSmallItemDataCapacity@DataItemsSectionBuilder@Build@Resources@Microsoft@@0HB +?InitialSmallItemSize@DataItemsSectionBuilder@Build@Resources@Microsoft@@0HB +?InitialSparseSize@AtomIndexedDictionaryBase@Build@Resources@Microsoft@@1HB +?IsAbsolutePath@IStringResult@Resources@Microsoft@@QBA_NPAVIDefStatus@23@@Z +?IsAbsolutePath@StringResultWrapper@Resources@Microsoft@@QBA_NPAVIDefStatus@23@@Z +?IsAligned@BaseFile@Resources@Microsoft@@SA_NHH@Z +?IsEmpty@IStringResult@Resources@Microsoft@@QAA_NXZ +?IsEqual@Atom@Resources@Microsoft@@QBA_NT_DEF_ATOM_SMALL@@@Z +?IsEqual@Atom@Resources@Microsoft@@QBA_NU123@@Z +?IsFinalized@HierarchicalNamesBuilder@Build@Resources@Microsoft@@QBA_NXZ +?IsMapGenerated@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@ABA_NXZ +?IsNull@Atom@Resources@Microsoft@@QBA_NXZ +?IsPathSeparator@HierarchicalNamesConfig@Resources@Microsoft@@UBA_NG@Z +?IsScope@ItemInfo@Build@Resources@Microsoft@@UBA_NXZ +?IsScope@ScopeInfo@Build@Resources@Microsoft@@UBA_NXZ +?IsValid@DataItemsSectionBuilder@Build@Resources@Microsoft@@UBA_NPAVIDefStatus@34@@Z +?IsValid@DataSectionBuilder@Build@Resources@Microsoft@@UBA_NPAVIDefStatus@34@@Z +?IsValid@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UBA_NPAVIDefStatus@34@@Z +?IsValid@FileListBuilder@Build@Resources@Microsoft@@UBA_NPAVIDefStatus@34@@Z +?IsValid@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UBA_NPAVIDefStatus@34@@Z +?IsValidAlignment@BaseFile@Resources@Microsoft@@SA_NIPAVIDefStatus@23@@Z +?IsValidConditionOperator@ICondition@Resources@Microsoft@@SA_NW4ConditionOperator@123@@Z +?IsValidDecisionIndex@DecisionInfoBuilder@Build@Resources@Microsoft@@QBA_NH@Z +?IsValidFileRange@IFileList@Resources@Microsoft@@IBA_NHHPAVIDefStatus@23@@Z +?IsValidFolderRange@IFileList@Resources@Microsoft@@IBA_NHHPAVIDefStatus@23@@Z +?IsValidNonNull@Atom@Resources@Microsoft@@QBA_NXZ +?IsValidOrNull@Atom@Resources@Microsoft@@QBA_NXZ +?IsValidPoolIndex@Atom@Resources@Microsoft@@SA_NH@Z +?IsValidQualifierIndex@DecisionInfoBuilder@Build@Resources@Microsoft@@QBA_NH@Z +?IsValidQualifierSetIndex@DecisionInfoBuilder@Build@Resources@Microsoft@@QBA_NH@Z +?IsValidSectionCount@BaseFile@Resources@Microsoft@@SA_NH@Z +?IsValidSectionIndex@BaseFile@Resources@Microsoft@@SA_NH@Z +?IsValidSegmentChar@HierarchicalNamesConfig@Resources@Microsoft@@UBA_NG@Z +?IsValidSmallAtom@Atom@Resources@Microsoft@@QBA_NXZ +?IsValidSmallAtomCount@Atom@Resources@Microsoft@@SA_NH@Z +?IsValidSmallAtomIndex@Atom@Resources@Microsoft@@SA_NH@Z +?IsValidSmallPoolIndex@Atom@Resources@Microsoft@@SA_NH@Z +?LoadFileFlag@BaseFile@Resources@Microsoft@@2IB +?MapFileFlag@BaseFile@Resources@Microsoft@@2IB +?Matches@FileInfoPrivateData@Build@Resources@Microsoft@@QBA_NPAV1234@PAVIDefStatus@34@@Z +?Matches@FileInfoPrivateData@Build@Resources@Microsoft@@QBA_NPBXHPAVIDefStatus@34@@Z +?MaxAtomCount@Atom@Resources@Microsoft@@2HB +?MaxAtomCountSmall@Atom@Resources@Microsoft@@2HB +?MaxAtomIndex@Atom@Resources@Microsoft@@2HB +?MaxAtomIndexSmall@Atom@Resources@Microsoft@@2HB +?MaxFallbackScore@IQualifier@Resources@Microsoft@@2GB +?MaxFileIndex@IFileList@Resources@Microsoft@@2GB +?MaxInternalDataSize@ResourceMapSectionBuilder@Build@Resources@Microsoft@@2HB +?MaxPoolCount@Atom@Resources@Microsoft@@2HB +?MaxPoolCountSmall@Atom@Resources@Microsoft@@2HB +?MaxPoolIndex@Atom@Resources@Microsoft@@2HB +?MaxPoolIndexSmall@Atom@Resources@Microsoft@@2HB +?MaxSectionCount@BaseFile@Resources@Microsoft@@2FB +?MaxSectionIndex@BaseFile@Resources@Microsoft@@2FB +?MinFallbackScore@IQualifier@Resources@Microsoft@@2GB +?MoveToRoot@ResourceMapSubtree@Resources@Microsoft@@QAA_NPAVIDefStatus@23@@Z +?NeutralOnlyDecisionIndex@IDecisionInfo@Resources@Microsoft@@2HB +?New@AtomPoolGroup@Resources@Microsoft@@SAPAV123@PAVIDefStatus@23@@Z +?New@DecisionInfoBuilder@Build@Resources@Microsoft@@SAPAV1234@PBVUnifiedEnvironment@34@PAVIDefStatus@34@@Z +?New@StaticAtomPool@Resources@Microsoft@@SAPAV123@PBQBGHPBG_NPAVIDefStatus@23@@Z +?New@WriteableStringPool@Build@Resources@Microsoft@@SAPAV1234@IPAVIDefStatus@34@@Z +?New@WriteableStringPool@Build@Resources@Microsoft@@SAPAV1234@PAGIPAVIDefStatus@34@@Z +?New@WriteableStringPool@Build@Resources@Microsoft@@SAPAV1234@PAVIDefStatus@34@@Z +?NormalizePathSlashes@IStringResult@Resources@Microsoft@@UAA_NPAVIDefStatus@23@@Z +?NullAtomIndex@Atom@Resources@Microsoft@@2HB +?NullPoolIndex@Atom@Resources@Microsoft@@2HB +?OperatorIsUnary@QualifierResult@Resources@Microsoft@@UBA_NXZ +?PadData@BaseFile@Resources@Microsoft@@SAHHH@Z +?PadSectionData@BaseFile@Resources@Microsoft@@SAHH@Z +?PathResourceValueTypeIndex@WindowsRuntimeEnvironment@Resources@Microsoft@@2HB +?PoolIndexNone@Atom@Resources@Microsoft@@2HB +?PresenceMaskWidth@RemapUInt16@Resources@Microsoft@@1HB +?RemapAtom@RemapInfo@Resources@Microsoft@@SA?AUAtom@23@PAV123@U423@PAVIDefStatus@23@@Z +?Reset@DefStatusWrapper@Resources@Microsoft@@UAAXXZ +?SectionIndexNone@BaseFile@Resources@Microsoft@@2FB +?SectionIsPresent@BaseFile@Resources@Microsoft@@QAA_NF@Z +?SectionTypesEqual@BaseFile@Resources@Microsoft@@SA_NABT_DEFFILE_SECTION_TYPEID@@0@Z +?Set@Atom@Resources@Microsoft@@QAAXHH@Z +?Set@Atom@Resources@Microsoft@@QAAXT_DEF_ATOM@@@Z +?Set@Atom@Resources@Microsoft@@QAAXU123@@Z +?Set@NamedResourceResult@Resources@Microsoft@@QAA_NPBVIRawResourceMap@23@HPAVIDefStatus@23@@Z +?SetAtomPoolGroup@FileAtomPool@Resources@Microsoft@@UAAXPAVAtomPoolGroup@23@@Z +?SetAtomPoolGroup@FileAtomPoolBuilder@Build@Resources@Microsoft@@UAAXPAVAtomPoolGroup@34@@Z +?SetByRef@HierarchicalNameSegment@Build@Resources@Microsoft@@QAA_NPBGPAVIDefStatus@34@@Z +?SetByRef@HierarchicalNameSegment@Build@Resources@Microsoft@@QAA_NPBV1234@PAVIDefStatus@34@@Z +?SetCopy@HierarchicalNameSegment@Build@Resources@Microsoft@@QAA_NPBGPAVIDefStatus@34@@Z +?SetCopy@HierarchicalNameSegment@Build@Resources@Microsoft@@QAA_NPBV1234@PAVIDefStatus@34@@Z +?SetFlag@FileInfo@Build@Resources@Microsoft@@QAAXG@Z +?SetFromInt64@Atom@Resources@Microsoft@@QAAX_J@Z +?SetFromUInt64@Atom@Resources@Microsoft@@QAAX_K@Z +?SetIndex@DecisionBuilder@Build@Resources@Microsoft@@QAAXH@Z +?SetIndex@DecisionInfoQualifierSetBuilder@Build@Resources@Microsoft@@QAAXH@Z +?SetIndex@FileInfo@Build@Resources@Microsoft@@QAAXH@Z +?SetIndex@FolderInfo@Build@Resources@Microsoft@@QAAXH@Z +?SetNameIndex@HNamesNode@Build@Resources@Microsoft@@QAAXH@Z +?SetPathByRef@HierarchicalName@Build@Resources@Microsoft@@QAA_NPBGPAVIDefStatus@34@@Z +?SetPhase@FileBuilder@Build@Resources@Microsoft@@QAA_NW4BuildPhase@234@@Z +?SetPoolIndex@FileAtomPool@Resources@Microsoft@@UAAXH@Z +?SetPoolIndex@FileAtomPoolBuilder@Build@Resources@Microsoft@@UAAXH@Z +?SetRef@IStringResult@Resources@Microsoft@@SA_NPAV123@PBGPAVIDefStatus@23@@Z +?SetSectionIndex@DataItemsSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@DataSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@DecisionInfoSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@FileAtomPoolBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@FileListBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@HierarchicalNamesBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@HierarchicalSchemaSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@PriSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@ResourceMapSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?SetSectionIndex@ReverseFileMapSectionBuilder@Build@Resources@Microsoft@@UAAXF@Z +?Size@RemapUInt16@Resources@Microsoft@@QBAHXZ +?StringResourceValueTypeIndex@WindowsRuntimeEnvironment@Resources@Microsoft@@2HB +?Succeeded@DefStatusWrapper@Resources@Microsoft@@UBA_NXZ +?ToDoubleScore@IQualifier@Resources@Microsoft@@SANGPAVIDefStatus@23@@Z +?ToItem@HNamesNode@Build@Resources@Microsoft@@UAAPAVItemInfo@234@XZ +?ToItem@ItemInfo@Build@Resources@Microsoft@@UAAPAV1234@XZ +?ToItem@ScopeInfo@Build@Resources@Microsoft@@UAAPAVItemInfo@234@XZ +?ToScope@HNamesNode@Build@Resources@Microsoft@@UAAPAVScopeInfo@234@XZ +?ToScope@ScopeInfo@Build@Resources@Microsoft@@UAAPAV1234@XZ +?ToUint16Score@IQualifier@Resources@Microsoft@@SAGNPAVIDefStatus@23@@Z +?TruncData@BaseFile@Resources@Microsoft@@SAHHH@Z +?TryGetAtom@IAtomPool@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@PAUAtom@23@@Z +?TryGetItemInfo@HierarchicalSchema@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@PAVIStringResult@23@@Z +?TryGetItemLocalName@HierarchicalSchema@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@PAVIStringResult@23@@Z +?TryGetName@HierarchicalSchema@Resources@Microsoft@@QBA_NHHPAVIDefStatus@23@PAVIStringResult@23@PAH2@Z +?TryGetName@HierarchicalSchema@Resources@Microsoft@@QBA_NHPAVIDefStatus@23@PAVIStringResult@23@PAH2@Z +?TryGetNext@FileInfoPrivateData@Build@Resources@Microsoft@@QBA_NPBXPAVIDefStatus@34@PAPAV1234@@Z +?TryGetPrivateData@FileInfo@Build@Resources@Microsoft@@QBA_NPBXPAVIDefStatus@34@PAPAVFileInfoPrivateData@234@@Z +?TryGetRelativeItemName@HierarchicalSchema@Resources@Microsoft@@UBA_NHHPAVIDefStatus@23@PAVIStringResult@23@@Z +?TryGetRelativeScopeName@HierarchicalSchema@Resources@Microsoft@@UBA_NHHPAVIDefStatus@23@PAVIStringResult@23@@Z +?TryGetScopeChild@HierarchicalSchema@Resources@Microsoft@@UBA_NHHPAVIDefStatus@23@PAH1@Z +?TryGetScopeChildName@HierarchicalSchema@Resources@Microsoft@@UBA_NHHPAVIDefStatus@23@PAVIStringResult@23@@Z +?TryGetScopeInfo@HierarchicalSchema@Resources@Microsoft@@UBA_NHPAVIDefStatus@23@PAVIStringResult@23@PAH@Z +?TryGetSmallAtom@Atom@Resources@Microsoft@@QBA_NPAT_DEF_ATOM_SMALL@@@Z +?TryRemapAtom@RemapInfo@Resources@Microsoft@@SA_NPAV123@UAtom@23@PAVIDefStatus@23@PAU423@@Z +?UnconditionalQualifierSetIndex@IDecisionInfo@Resources@Microsoft@@2HB +?UseDataItemLocator@MrmBuildConfiguration@Build@Resources@Microsoft@@QBA_NXZ +?UseDataItemLocatorFlag@MrmBuildConfiguration@Build@Resources@Microsoft@@2IB +?UseFileInfoLocator@MrmBuildConfiguration@Build@Resources@Microsoft@@QBA_NXZ +?UseFileInfoLocatorFlag@MrmBuildConfiguration@Build@Resources@Microsoft@@2IB +?UseInstanceLocator@MrmBuildConfiguration@Build@Resources@Microsoft@@QBA_NXZ +?UseInstanceLocatorFlag@MrmBuildConfiguration@Build@Resources@Microsoft@@2IB +?ValidFlags@BaseFile@Resources@Microsoft@@2IB +?fCompareCaseInsensitive@WriteableStringPool@Build@Resources@Microsoft@@2IB +?fCompareDefault@WriteableStringPool@Build@Resources@Microsoft@@2IB +?fExternalBuffer@WriteableStringPool@Build@Resources@Microsoft@@1IB +?maxListBufferSize@DataBlobBuilder@Build@Resources@Microsoft@@1IB +CreateApplicabilityContext +FreeApplicabilityContext +FreeApplicablePackages +GetApplicablePackages +GetApplicablePackagesForUser diff --git a/lib/libc/mingw/libarm32/appxdeploymentclient.def b/lib/libc/mingw/libarm32/appxdeploymentclient.def new file mode 100644 index 0000000000..3bc016b0bf --- /dev/null +++ b/lib/libc/mingw/libarm32/appxdeploymentclient.def @@ -0,0 +1,24 @@ +; +; Definition file of AppXDeploymentClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppXDeploymentClient.dll" +EXPORTS +ord_1 @1 +GetApplicability +AppxGetPackageType +AppxPackageRepositoryRecoverStagedPackages +AppxPackageRepositoryRecoverUserInstalls +AppxRecoverUserInstallsForUpgrade +AppxDeletePackageFiles +AppxRequestRemovePackageForUser +IsPackageInstalled +RDSRecoverRequests +AppxPreStageCleanupRunTask +AppxPreRegisterPackage +ReArmAppxPreStageCleanupTask +AppxAddPackageToAllUserStoreForPbr +GetPackageApplicabilityForUserLogon +ord_16 @16 +AppxValidatePackages diff --git a/lib/libc/mingw/libarm32/appxdeploymentextensions.def b/lib/libc/mingw/libarm32/appxdeploymentextensions.def new file mode 100644 index 0000000000..6821022c23 --- /dev/null +++ b/lib/libc/mingw/libarm32/appxdeploymentextensions.def @@ -0,0 +1,10 @@ +; +; Definition file of AppxDeploymentExtensions.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppxDeploymentExtensions.dll" +EXPORTS +LoadCategoryNameTable +LoadExtensionRegistrationTable +ShellRefresh diff --git a/lib/libc/mingw/libarm32/appxdeploymentserver.def b/lib/libc/mingw/libarm32/appxdeploymentserver.def new file mode 100644 index 0000000000..654441a129 --- /dev/null +++ b/lib/libc/mingw/libarm32/appxdeploymentserver.def @@ -0,0 +1,34 @@ +; +; Definition file of AppxDeploymentServer.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppxDeploymentServer.dll" +EXPORTS +CancelDeploymentImplementation +CreateWnfStateNameImplementation +EnumPackagesByUserSidInternal +EnumPackagesByUserSidNamePublisherInternal +EnumPackagesByUserSidPackageFamilyNameInternal +EnumVisibilityByPackageFullNameInternal +FindPackageByUserSidPackageFullNameInternal +FixStagedPackagesImplementation +GenerateBytecodeForPackageImplementation +GenerateBytecodeForPackagesImplementation +GetApplicabilityImplementation +GetDeploymentError +GetPackageFilesDiskUsageImplementation +GetPackageTypeImplementation +GetSortedRegisterPackageListImplementation +IsPackageInstalledInternal +PackageRepositoryAllocate +PackageRepositoryFree +RDSRecoverRequestsImplementation +RequestPackageOperationImplementation +ServiceMain +SetDeploymentError +SetPackageStateImplementation +StartDeploymentImplementation +AddToPurgeList +AppXSetTrustLabelOnPackage +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/appxsip.def b/lib/libc/mingw/libarm32/appxsip.def new file mode 100644 index 0000000000..ea652a8731 --- /dev/null +++ b/lib/libc/mingw/libarm32/appxsip.def @@ -0,0 +1,25 @@ +; +; Definition file of AppxSip.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppxSip.dll" +EXPORTS +AppxSipIsFileSupportedName +AppxSipGetSignedDataMsg +AppxSipPutSignedDataMsg +AppxSipRemoveSignedDataMsg +AppxSipCreateIndirectData +AppxSipVerifyIndirectData +P7xSipIsFileSupportedName +P7xSipGetSignedDataMsg +P7xSipPutSignedDataMsg +P7xSipRemoveSignedDataMsg +P7xSipCreateIndirectData +P7xSipVerifyIndirectData +AppxBundleSipIsFileSupportedName +AppxBundleSipGetSignedDataMsg +AppxBundleSipPutSignedDataMsg +AppxBundleSipRemoveSignedDataMsg +AppxBundleSipCreateIndirectData +AppxBundleSipVerifyIndirectData diff --git a/lib/libc/mingw/libarm32/appxsysprep.def b/lib/libc/mingw/libarm32/appxsysprep.def new file mode 100644 index 0000000000..78c514096b --- /dev/null +++ b/lib/libc/mingw/libarm32/appxsysprep.def @@ -0,0 +1,9 @@ +; +; Definition file of AppxSysprep.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppxSysprep.dll" +EXPORTS +AppxSysprepSpecialize +SysprepGeneralize diff --git a/lib/libc/mingw/libarm32/atl110.def b/lib/libc/mingw/libarm32/atl110.def new file mode 100644 index 0000000000..588292408b --- /dev/null +++ b/lib/libc/mingw/libarm32/atl110.def @@ -0,0 +1,59 @@ +; +; Definition file of atl110.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "atl110.DLL" +EXPORTS +AtlAdvise +AtlUnadvise +AtlFreeMarshalStream +AtlMarshalPtrInProc +AtlUnmarshalPtr +AtlComModuleGetClassObject +AtlComModuleRegisterClassObjects +AtlComModuleRevokeClassObjects +AtlComModuleUnregisterServer +AtlUpdateRegistryFromResourceD +AtlWaitWithMessageLoop +AtlSetErrorInfo +AtlCreateTargetDC +AtlHiMetricToPixel +AtlPixelToHiMetric +AtlDevModeW2A +AtlComPtrAssign +AtlComQIPtrAssign +AtlInternalQueryInterface +AtlGetVersion +AtlAxDialogBoxW +AtlAxDialogBoxA +AtlAxCreateDialogW +AtlAxCreateDialogA +AtlAxCreateControl +AtlAxCreateControlEx +AtlAxAttachControl +AtlAxWinInit +AtlWinModuleAddCreateWndData +AtlWinModuleExtractCreateWndData +AtlWinModuleRegisterWndClassInfoW +AtlWinModuleRegisterWndClassInfoA +AtlAxGetControl +AtlAxGetHost +AtlRegisterClassCategoriesHelper +AtlIPersistStreamInit_Load +AtlIPersistStreamInit_Save +AtlIPersistPropertyBag_Load +AtlIPersistPropertyBag_Save +AtlGetObjectSourceInterface +AtlLoadTypeLib +AtlModuleAddTermFunc +AtlAxCreateControlLic +AtlAxCreateControlLicEx +AtlCreateRegistrar +AtlWinModuleRegisterClassExW +AtlWinModuleRegisterClassExA +AtlCallTermFunc +AtlWinModuleInit +AtlWinModuleTerm +AtlSetPerUserRegistration +AtlGetPerUserRegistration diff --git a/lib/libc/mingw/libarm32/audioendpointbuilder.def b/lib/libc/mingw/libarm32/audioendpointbuilder.def new file mode 100644 index 0000000000..0db1cfd53f --- /dev/null +++ b/lib/libc/mingw/libarm32/audioendpointbuilder.def @@ -0,0 +1,9 @@ +; +; Definition file of AUDIOEPB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AUDIOEPB.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/audioeng.def b/lib/libc/mingw/libarm32/audioeng.def new file mode 100644 index 0000000000..8173013b31 --- /dev/null +++ b/lib/libc/mingw/libarm32/audioeng.def @@ -0,0 +1,9 @@ +; +; Definition file of audioeng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "audioeng.dll" +EXPORTS +AERT_Allocate +AERT_Free diff --git a/lib/libc/mingw/libarm32/auditcse.def b/lib/libc/mingw/libarm32/auditcse.def new file mode 100644 index 0000000000..2cbe2c2508 --- /dev/null +++ b/lib/libc/mingw/libarm32/auditcse.def @@ -0,0 +1,11 @@ +; +; Definition file of AUDITCSE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AUDITCSE.dll" +EXPORTS +GenerateGroupPolicy +GenerateGroupPolicyCap +ProcessGroupPolicyEx +ProcessGroupPolicyExCap diff --git a/lib/libc/mingw/libarm32/authbroker.def b/lib/libc/mingw/libarm32/authbroker.def new file mode 100644 index 0000000000..7d78554723 --- /dev/null +++ b/lib/libc/mingw/libarm32/authbroker.def @@ -0,0 +1,12 @@ +; +; Definition file of AuthBroker.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AuthBroker.dll" +EXPORTS +AuthBrokerClearThreadClientContext +AuthBrokerCreateClientContext +AuthBrokerFreeClientContext +AuthBrokerSetThreadClientContext +PurgeAuthHostSsoCache diff --git a/lib/libc/mingw/libarm32/azsqlext.def b/lib/libc/mingw/libarm32/azsqlext.def new file mode 100644 index 0000000000..522c8b108f --- /dev/null +++ b/lib/libc/mingw/libarm32/azsqlext.def @@ -0,0 +1,13 @@ +; +; Definition file of AzSqlExt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AzSqlExt.dll" +EXPORTS +AzGenerateAudit +__GetXpVersion +xp_AzManAddRole +xp_AzManAddUserToRole +xp_AzManDeleteRole +xp_AzManRemoveUserFromRole diff --git a/lib/libc/mingw/libarm32/basecsp.def b/lib/libc/mingw/libarm32/basecsp.def new file mode 100644 index 0000000000..54d1a48e36 --- /dev/null +++ b/lib/libc/mingw/libarm32/basecsp.def @@ -0,0 +1,33 @@ +; +; Definition file of BaseCSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BaseCSP.dll" +EXPORTS +CPAcquireContext +CPAcquireContextW +CPCreateHash +CPDecrypt +CPDeriveKey +CPDestroyHash +CPDestroyKey +CPDuplicateHash +CPDuplicateKey +CPEncrypt +CPExportKey +CPGenKey +CPGenRandom +CPGetHashParam +CPGetKeyParam +CPGetProvParam +CPGetUserKey +CPHashData +CPHashSessionKey +CPImportKey +CPReleaseContext +CPSetHashParam +CPSetKeyParam +CPSetProvParam +CPSignHash +CPVerifySignature diff --git a/lib/libc/mingw/libarm32/batmeter.def b/lib/libc/mingw/libarm32/batmeter.def new file mode 100644 index 0000000000..43a4d9e8b9 --- /dev/null +++ b/lib/libc/mingw/libarm32/batmeter.def @@ -0,0 +1,36 @@ +; +; Definition file of BatMeter.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BatMeter.dll" +EXPORTS +ord_999 @999 +BatMeterIconAnimationReset +BatMeterIconThemeReset +BatMeterOnDeviceChange +CleanupBatteryData +CreateBatteryData +GetBatMeterIconAnimationState +GetBatMeterIconAnimationTimeDelay +GetBatMeterIconAnimationUpdate +GetBatteryCapacityInfo +GetBatteryDetails +GetBatteryImmersiveIcon +GetBatteryInfo +GetBatteryStatusText +GetBatteryWorkingState +IsBatteryBad +IsBatteryHealthWarningEnabled +IsBatteryLevelCritical +IsBatteryLevelLow +IsBatteryLevelReserve +PowerCapabilities +QueryBatteryData +SetBatteryHealthWarningState +SetBatteryLevel +SetBatteryWorkingState +SubscribeBatteryUpdateNotification +UnsubscribeBatteryUpdateNotification +UpdateBatteryData +UpdateBatteryDataAsync diff --git a/lib/libc/mingw/libarm32/bcd.def b/lib/libc/mingw/libarm32/bcd.def new file mode 100644 index 0000000000..a7a0ea5b03 --- /dev/null +++ b/lib/libc/mingw/libarm32/bcd.def @@ -0,0 +1,73 @@ +; +; Definition file of bcd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bcd.dll" +EXPORTS +BcdCloseObject +BcdCloseStore +BcdCopyObject +BcdCopyObjectEx +BcdCopyObjects +BcdCreateObject +BcdCreateStore +BcdDeleteElement +BcdDeleteObject +BcdDeleteObjectReferences +BcdDeleteSystemStore +BcdEnumerateAndUnpackElements +BcdEnumerateElementTypes +BcdEnumerateElements +BcdEnumerateElementsWithFlags +BcdEnumerateObjects +BcdExportStore +BcdForciblyUnloadStore +BcdGetElementData +BcdGetElementDataWithFlags +BcdImportStore +BcdImportStoreWithFlags +BcdMarkAsSystemStore +BcdOpenObject +BcdOpenStoreFromFile +BcdOpenSystemStore +BcdQueryObject +BcdSetElementData +BcdSetElementDataWithFlags +BcdSetSystemStoreDevice +GUID_BAD_MEMORY_GROUP +GUID_BOOT_LOADER_SETTINGS_GROUP +GUID_CURRENT_BOOT_ENTRY +GUID_DEBUGGER_SETTINGS_GROUP +GUID_DEFAULT_BOOT_ENTRY +GUID_EMS_SETTINGS_GROUP +GUID_FIRMWARE_BOOTMGR +GUID_GLOBAL_SETTINGS_GROUP +GUID_HYPERVISOR_SETTINGS_GROUP +GUID_KERNEL_DEBUGGER_SETTINGS_GROUP +GUID_RESUME_LOADER_SETTINGS_GROUP +GUID_WINDOWS_BOOTMGR +GUID_WINDOWS_LEGACY_NTLDR +GUID_WINDOWS_MEMORY_TESTER +GUID_WINDOWS_OS_TARGET_TEMPLATE_EFI +GUID_WINDOWS_OS_TARGET_TEMPLATE_PCAT +GUID_WINDOWS_RESUME_TARGET_TEMPLATE_EFI +GUID_WINDOWS_RESUME_TARGET_TEMPLATE_PCAT +GUID_WINDOWS_SETUP_EFI +GUID_WINDOWS_SETUP_PCAT +GUID_WINDOWS_SETUP_RAMDISK_OPTIONS +PARTITION_BASIC_DATA_GUID +PARTITION_CLUSTER_GUID +PARTITION_ENTRY_UNUSED_GUID +PARTITION_LDM_DATA_GUID +PARTITION_LDM_METADATA_GUID +PARTITION_MSFT_RECOVERY_GUID +PARTITION_MSFT_RESERVED_GUID +PARTITION_MSFT_SNAPSHOT_GUID +PARTITION_SPACES_GUID +PARTITION_SYSTEM_GUID +SyspartDirectGetSystemDisk +SyspartDirectGetSystemPartition +SyspartDirectSetSystemDevice +SyspartGetSystemDisk +SyspartGetSystemPartition diff --git a/lib/libc/mingw/libarm32/bcp47langs.def b/lib/libc/mingw/libarm32/bcp47langs.def new file mode 100644 index 0000000000..6e0943a5e8 --- /dev/null +++ b/lib/libc/mingw/libarm32/bcp47langs.def @@ -0,0 +1,134 @@ +; +; Definition file of Bcp47Langs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Bcp47Langs.dll" +EXPORTS +??0CLanguage@Internal@Windows@@QAA@ABV012@@Z +??0CLanguage@Internal@Windows@@QAA@PAUHKL__@@@Z +??0CLanguage@Internal@Windows@@QAA@PBG@Z +??0CLanguage@Internal@Windows@@QAA@XZ +??0CLanguage@Internal@Windows@@QAA@_K@Z +??0CLanguagesListFactory@Internal@Windows@@AAA@XZ +??0CRegion@Internal@Windows@@QAA@I@Z +??0CRegion@Internal@Windows@@QAA@PBG@Z +??1CLanguage@Internal@Windows@@UAA@XZ +??1CLanguagesListFactory@Internal@Windows@@AAA@XZ +??1CRegion@Internal@Windows@@QAA@XZ +??4CLanguage@Internal@Windows@@IAAAAV012@ABV012@@Z +??4CLanguagesListFactory@Internal@Windows@@QAAAAV012@ABV012@@Z +??4CRegion@Internal@Windows@@QAAAAV012@ABV012@@Z +??8CLanguage@Internal@Windows@@QBA_NABV012@@Z +??8CRegion@Internal@Windows@@QBA_NABV012@@Z +??8CRegion@Internal@Windows@@QBA_NI@Z +??BCLanguage@Internal@Windows@@QBA?AUBcp47TagSubtagsInfo@12@XZ +??BCLanguage@Internal@Windows@@QBA_KXZ +??_7CLanguage@Internal@Windows@@6B@ DATA +?CheckLanguageRegionAffinity@CLanguage@Internal@Windows@@QBAJABV123@PAH@Z +?CloseAppKey@CLanguagesListFactory@Internal@Windows@@CAXPBGPAUHKEY__@@PAX@Z +?Compare@CLanguage@Internal@Windows@@QBAJABV123@PAN@Z +?Compare@CLanguage@Internal@Windows@@QBAJPBGPAN@Z +?Compare@CRegion@Internal@Windows@@QBAJABV123@PAN@Z +?CompareUsingAny@CLanguage@Internal@Windows@@QBAJABV123@PAN@Z +?CompareUsingAny@CLanguage@Internal@Windows@@QBAJPBGPAN@Z +?CreateInstance@CLanguagesList@Internal@Windows@@SAJPBGPAPBV123@@Z +?FindClosestInList@CLanguage@Internal@Windows@@QBAJPBGW4BCP47_COMPARISON_ALGORITHM@23@PAPBGPAN@Z +?GetAbbreviation@CLanguage@Internal@Windows@@QBAJIPAGPAI@Z +?GetApplicationLanguageOverride@CLanguagesListFactory@Internal@Windows@@SAJPBGPAG@Z +?GetApplicationLanguages@CLanguagesListFactory@Internal@Windows@@SAJPBGPAPBVCLanguagesList@23@@Z +?GetApplicationLanguagesAsHTTPAccept@CLanguagesListFactory@Internal@Windows@@SAJPBGPAPAG@Z +?GetApplicationLanguagesAsMUI@CLanguagesListFactory@Internal@Windows@@SAJPBG_NPAPAG@Z +?GetCompositeRegionCode@CRegion@Internal@Windows@@QBAIXZ +?GetCompositeRegionCode@CRegion@Internal@Windows@@SAII@Z +?GetDirectionality@CLanguage@Internal@Windows@@QBAJPAW4BCP47_SCRIPT_DIRECTIONALITY@23@@Z +?GetIso15924Code@CLanguage@Internal@Windows@@QBAJIPAGPAI@Z +?GetIso3166Code@CLanguage@Internal@Windows@@QBAJIPAGPAI@Z +?GetIso639Code@CLanguage@Internal@Windows@@QBAJIPAGPAI@Z +?GetSubtagFields@CLanguage@Internal@Windows@@QBAJW4BCP47_SUBTAG_FLAGS@23@IPAGPAI@Z +?GetSubtagFields@CLanguage@Internal@Windows@@QBAJW4BCP47_SUBTAG_FLAGS@23@PAG@Z +?GetSubtagsMap@CLanguage@Internal@Windows@@QBA?AW4BCP47_SUBTAG_FLAGS@23@XZ +?GetUN_M49Code@CLanguage@Internal@Windows@@QBAJIPAGPAI@Z +?GetUserLanguages@CLanguagesListFactory@Internal@Windows@@SAJPAPBVCLanguagesList@23@@Z +?Initialize@CLanguage@Internal@Windows@@IAAJPBG@Z +?IsPseudoLanguage@CLanguage@Internal@Windows@@QBA_NXZ +?IsValidRegionTag@CRegion@Internal@Windows@@QAA_NXZ +?IsValidRegionTag@CRegion@Internal@Windows@@SA_NPBG@Z +?IsValidTag@CLanguage@Internal@Windows@@QBA_NXZ +?IsValidTag@CLanguage@Internal@Windows@@SA_NPBG@Z +?IsWellFormedTag@CLanguage@Internal@Windows@@QBA_NXZ +?IsWellFormedTag@CLanguage@Internal@Windows@@SA_NPBG@Z +?LanguageListToStringWrapper@CLanguagesListFactory@Internal@Windows@@CAJPBVCLanguagesList@23@W4BCP47_SUBTAG_FLAGS@23@PAIPAPAG@Z +?OpenAppKey@CLanguagesListFactory@Internal@Windows@@CAJPBGPAPAUHKEY__@@PAPAX@Z +?ParseTag@CLanguage@Internal@Windows@@IAA_NPBG@Z +?SetApplicationLanguageOverride@CLanguagesListFactory@Internal@Windows@@SAJPBGPBVCLanguage@23@@Z +?SetApplicationManifestLanguages@CLanguagesListFactory@Internal@Windows@@SAJPBGPBVCLanguagesList@23@@Z +?TryFindFirstInList@CLanguage@Internal@Windows@@QBAJPBGW4BCP47_CLOSENESS_MEASURE@23@PAPBG@Z +?TryFindRegionId@CRegion@Internal@Windows@@CAIPBG@Z +?ValidateTag@CLanguage@Internal@Windows@@IAA_NPBG@Z +?ValidateTagAndInitialize@CLanguage@Internal@Windows@@IAA_NPBG@Z +AppendUserLanguageInputMethods +AppendUserLanguageInternal +AppendUserLanguages +Bcp47BufferFromLcid +Bcp47FromCompactTagInternal +Bcp47FromHkl +Bcp47FromLcid +Bcp47GetAbbreviation +Bcp47GetDirectionality +Bcp47GetDistance +Bcp47GetExtensionSingletons +Bcp47GetExtensionSubstring +Bcp47GetIsoLanguageCode +Bcp47GetIsoScriptCode +Bcp47GetLanguageName +Bcp47GetMuiForm +Bcp47GetNeutralForm +Bcp47GetNlsForm +Bcp47GetSubtagMapInternal +Bcp47GetUnIsoRegionCode +Bcp47IsInstalledAndLicensedAsSystemLanguage +Bcp47IsValid +Bcp47IsWellFormed +Bcp47Normalize +Bcp47RequiresTransientLcid +ClearApplicationLanguageOverride +ClearApplicationManifestLanguages +ClearHttpAcceptLanguageOptOut +ClearUserDisplayLanguageOverride +ClearUserLocaleFromLanguageProfileOptOut +CompactTagFromBcp47Internal +FilterLanguageListOnInstalledMuiLanguages +GetApplicationLanguageOverride +GetApplicationLanguages +GetApplicationLayoutDirection +GetApplicationManifestLanguages +GetAppropriateUserLocaleForUserLanguages +GetAvailableTransientLcidCount +GetHttpAcceptLanguageOptOut +GetInputMethodOverrideForUser +GetPendingUserDisplayLanguage +GetSerializedUserLanguageProfile +GetUserDisplayLanguageOverride +GetUserLanguageInputMethods +GetUserLanguageInputMethodsForUser +GetUserLanguages +GetUserLanguagesForUser +GetUserLocaleFromLanguageProfileOptOut +IsTransientLcid +IsValidBcp47RegionSubtag +LanguageListAsHttpAcceptHeader +LanguageListAsMuiForm +LcidFromBcp47 +RemoveInputsForAllLanguagesInternal +RemoveUserLanguageInputMethods +ResolveLanguages +SetApplicationLanguageOverride +SetApplicationManifestLanguages +SetHttpAcceptLanguageOptOut +SetInputMethodOverride +SetUserDisplayLanguageOverride +SetUserLanguageInputMethods +SetUserLanguagesInternal +SetUserLocaleFromLanguageProfileOptOut +SqmLanguageProfileData diff --git a/lib/libc/mingw/libarm32/bcryptprimitives.def b/lib/libc/mingw/libarm32/bcryptprimitives.def new file mode 100644 index 0000000000..9c47745045 --- /dev/null +++ b/lib/libc/mingw/libarm32/bcryptprimitives.def @@ -0,0 +1,15 @@ +; +; Definition file of bcryptPrimitives.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bcryptPrimitives.dll" +EXPORTS +GetAsymmetricEncryptionInterface +GetCipherInterface +GetHashInterface +GetKeyDerivationInterface +GetRngInterface +GetSecretAgreementInterface +GetSignatureInterface +ProcessPrng diff --git a/lib/libc/mingw/libarm32/bdehdcfglib.def b/lib/libc/mingw/libarm32/bdehdcfglib.def new file mode 100644 index 0000000000..40e5d0b847 --- /dev/null +++ b/lib/libc/mingw/libarm32/bdehdcfglib.def @@ -0,0 +1,117 @@ +; +; Definition file of BDEHDCFGLIB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BDEHDCFGLIB.dll" +EXPORTS +??0CBcdStore@@IAA@XZ +??0CBcdStore@@QAA@ABV0@@Z +??0CBcdWmiWrapper@@IAA@XZ +??0CBcdWmiWrapper@@QAA@ABV0@@Z +??0CBdeCfgLibraryLoader@@QAA@XZ +??0CDriveConfiguration@@QAA@XZ +??1CBcdStore@@UAA@XZ +??1CBcdWmiWrapper@@MAA@XZ +??1CBdeCfgLibraryLoader@@QAA@XZ +??1CDriveConfiguration@@QAA@XZ +??4CBcdStore@@QAAAAV0@ABV0@@Z +??4CBcdWmiWrapper@@QAAAAV0@ABV0@@Z +??4CBdeCfgLibraryLoader@@QAAAAV0@ABV0@@Z +??4CDriveConfiguration@@QAAAAV0@ABV0@@Z +??_7CBcdStore@@6B@ DATA +??_7CBcdWmiWrapper@@6B@ DATA +?ActionRequiresCreate@CDriveConfiguration@@QAA_NXZ +?ActionRequiresMerge@CDriveConfiguration@@QAA_NXZ +?ActionRequiresShrink@CDriveConfiguration@@QAA_NXZ +BdeCfgCalculateSizeRequirements +BdeCfgCanCreateActivePartOnDisk +BdeCfgCheckAndGetBootVolume +BdeCfgCheckGPTRecoveryPartition +BdeCfgCheckVolumeAsCandidate +BdeCfgCleanupOldBootFiles +BdeCfgCountGPTPartitions +BdeCfgCreateWinREPartitionGPT +BdeCfgDetectWinRESize +BdeCfgDetectWinREVolumeName +BdeCfgDisableWinRE +BdeCfgFindBasicVolumeExtent +BdeCfgFindCandidateVolumes +BdeCfgFindGPTRecoveryPartitionCandidate +BdeCfgFindLargestUnallocatedExtent +BdeCfgFindRecoveryPartitionGPT +BdeCfgFindVolumeWithName +BdeCfgFindVolumeWithProp +BdeCfgGetBootVolume +BdeCfgGetDeviceNameFromVolume +BdeCfgGetMaxShrinkSize +BdeCfgGetNtfsVolumeSize +BdeCfgGetVolumeDisk +BdeCfgGetVolumeDriveLetter +BdeCfgGetVolumeFromId +BdeCfgInitialize +BdeCfgIsDiskConfiguredForBitLocker +BdeCfgIsElevated +BdeCfgIsWinREOnOSVolume +BdeCfgLoadErrorString +BdeCfgLoadResourceString +BdeCfgMigrateBootHive +BdeCfgMoveWinRE +BdeCfgRestart +BdeCfgSecureFormatPartition +BdeCfgShrinkSimpleVolume +BdeCfgUninitialize +?CancelConfiguration@CDriveConfiguration@@QAAJXZ +?CancelConfigurationEntry@CDriveConfiguration@@CAXPAX@Z +?CancelConfiguration_Thread@CDriveConfiguration@@AAAJXZ +?Cleanup@CDriveConfiguration@@AAAXXZ +?ConfigureDrive@CDriveConfiguration@@QAAJXZ +?CreateClass@CBcdStore@@SAJPAPAV1@@Z +?CreateInParams@CBcdWmiWrapper@@IAAJPBGPAPAUIWbemClassObject@@@Z +?DetectTargetDrive@CDriveConfiguration@@AAAJPAUIVdsVolume@@@Z +?DriveConfigurationEntry@CDriveConfiguration@@CAXPAX@Z +?ExecuteMethod@CBcdWmiWrapper@@IAAJPBGPAUIWbemClassObject@@PAPAU2@@Z +?ExportSystemStore@CBcdStore@@QAAJPBG@Z +?GetActionType@CDriveConfiguration@@QAA?AW4BDECFG_ACTION_TYPE@@XZ +?GetConfigurationResult@CDriveConfiguration@@QAAJXZ +?GetInitializationResult@CDriveConfiguration@@QAAJXZ +?GetNamespace@CBcdWmiWrapper@@IAAPAUIWbemServices@@XZ +?GetNewDriveLetter@CDriveConfiguration@@QAAGXZ +?GetNumberOfSteps@CDriveConfiguration@@QAAKXZ +?GetShrinkSize@CDriveConfiguration@@QAA_KXZ +?GetStepExecutionOrder@CDriveConfiguration@@QAAKW4_BDECFG_STEP_ID@@@Z +?GetTargetDiskNumber@CDriveConfiguration@@QAAKXZ +?GetTargetDriveLetter@CDriveConfiguration@@QAAGXZ +?GetTargetPartitionNumber@CDriveConfiguration@@QAAKXZ +?GetTargetPartitionSize@CDriveConfiguration@@QAA_KXZ +?ImportSystemStore@CBcdStore@@QAAJPBG@Z +?Initialize@CDriveConfiguration@@QAAJPBU_BDECFG_PARAMS@@QAU_BDECFG_SIZE_REQUIREMENTS@@PAVIConfigurationProgress@@@Z +?InitializeAndHoldLibrary@CBdeCfgLibraryLoader@@AAAJXZ +?InitializeAndHoldLibraryEntry@CBdeCfgLibraryLoader@@CAXPAX@Z +?InitializeAndHoldLibrary_Thread@CBdeCfgLibraryLoader@@AAAJXZ +?InitializeClass@CBcdWmiWrapper@@IAAJPBG@Z +?InitializeEntry@CDriveConfiguration@@CAXPAX@Z +?InitializeFromParams@CDriveConfiguration@@AAAJPAUIVdsVolume@@@Z +?InitializeInstance@CBcdWmiWrapper@@IAAJPAUIWbemServices@@PAUIWbemClassObject@@@Z +?InitializeNamespace@CBcdWmiWrapper@@AAAJXZ +?Initialized@CDriveConfiguration@@QAA_NXZ +?IsMergeTargetWinRE@CDriveConfiguration@@QAAJPAH@Z +?LibraryLoaded@CBdeCfgLibraryLoader@@QAA_NXZ +?Load@CBdeCfgLibraryLoader@@QAAJXZ +?OpenStore@CBcdStore@@QAAJPBGPAPAV1@@Z +?QueryStepPercentComplete@CDriveConfiguration@@QAAJPAK@Z +?RemapObjectDevices@CBcdStore@@QAAJPBG0@Z +?SetConfigurationStep@CDriveConfiguration@@AAAJW4_BDECFG_STEP_ID@@@Z +?Thread_ConfigureDrive@CDriveConfiguration@@AAAJXZ +?Thread_Initialize@CDriveConfiguration@@AAAJXZ +?Unload@CBdeCfgLibraryLoader@@QAAXXZ +BdeCfgLogCandidateDrive +BdeCfgLogClose +BdeCfgLogCommandLineParams +BdeCfgLogDetectedWinRE +BdeCfgLogEnumExtent +BdeCfgLogError +BdeCfgLogFailedTarget +BdeCfgLogFoundUnallocatedExtent +BdeCfgLogInit +BdeCfgLogWarning diff --git a/lib/libc/mingw/libarm32/bderepair.def b/lib/libc/mingw/libarm32/bderepair.def new file mode 100644 index 0000000000..f2d8a56c23 --- /dev/null +++ b/lib/libc/mingw/libarm32/bderepair.def @@ -0,0 +1,22 @@ +; +; Definition file of BDEREPAIR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BDEREPAIR.dll" +EXPORTS +FveAuthWithClearKey +FveAuthWithKey +FveAuthWithPassphraseW +FveAuthWithPasswordW +FveCreateRestoreContext +FveDecryptData +FveDestroyRestoreContext +FveGetConvLogOffset +FveGetInterruptedRangeOffset +FveGetMetadataFromRestoreContext +FveLoadConvLog +FveRecoverBlock +FveSupplyInformationBlock +FveSupplyKeyPackage +FveSupplyWatermark diff --git a/lib/libc/mingw/libarm32/bdesvc.def b/lib/libc/mingw/libarm32/bdesvc.def new file mode 100644 index 0000000000..e62e9ba771 --- /dev/null +++ b/lib/libc/mingw/libarm32/bdesvc.def @@ -0,0 +1,9 @@ +; +; Definition file of bdesvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bdesvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/bfe.def b/lib/libc/mingw/libarm32/bfe.def new file mode 100644 index 0000000000..5e1b2a2c6e --- /dev/null +++ b/lib/libc/mingw/libarm32/bfe.def @@ -0,0 +1,11 @@ +; +; Definition file of bfe.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bfe.dll" +EXPORTS +BfeGetDirectDispatchTable +BfeOnServiceStartTypeChange +BfeServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/bi.def b/lib/libc/mingw/libarm32/bi.def new file mode 100644 index 0000000000..788303bf6d --- /dev/null +++ b/lib/libc/mingw/libarm32/bi.def @@ -0,0 +1,29 @@ +; +; Definition file of bi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bi.dll" +EXPORTS +BiActivateDeferredWorkItem +BiActivateInBackground +BiActivateWorkItem +BiAssociateActivationProxy +BiAssociateApplicationExtensionClass +BiCancelWorkItem +BiCreateEventForPackageName +BiDeleteEvent +BiDisassociateWorkItem +BiDiscardPendingActivations +BiEnumerateBrokeredEvents +BiEnumerateUserSessions +BiEnumerateWorkItemsForPackageName +BiFreeMemory +BiQueryBrokeredEvent +BiQuerySystemStateBroadcastChannels +BiQueryUserSession +BiQueryWorkItem +BiSignalEvent +BiSignalMultipleEvents +BiUpdateEventFlags +BiUpdateEventInformation diff --git a/lib/libc/mingw/libarm32/bisrv.def b/lib/libc/mingw/libarm32/bisrv.def new file mode 100644 index 0000000000..774b6d328d --- /dev/null +++ b/lib/libc/mingw/libarm32/bisrv.def @@ -0,0 +1,10 @@ +; +; Definition file of bisrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bisrv.dll" +EXPORTS +BipMain +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/bitsigd.def b/lib/libc/mingw/libarm32/bitsigd.def new file mode 100644 index 0000000000..3f632032ac --- /dev/null +++ b/lib/libc/mingw/libarm32/bitsigd.def @@ -0,0 +1,10 @@ +; +; Definition file of bitsigd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bitsigd.dll" +EXPORTS +?s_EmptyString@?$GenericStringHandle@G@@0UStringData@1@A DATA +InitializeEx +UninitializeEx diff --git a/lib/libc/mingw/libarm32/bitsperf.def b/lib/libc/mingw/libarm32/bitsperf.def new file mode 100644 index 0000000000..c856c8c7d4 --- /dev/null +++ b/lib/libc/mingw/libarm32/bitsperf.def @@ -0,0 +1,39 @@ +; +; Definition file of bitsperf.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bitsperf.dll" +EXPORTS +??0CPerfMon@@QAA@PAGPAU_PERF_ITEM@0@@Z +??1CPerfMon@@QAA@XZ +??4CPerfMon@@QAAAAV0@ABV0@@Z +?CalcBytesForPerfObject@CPerfMon@@ABAKPAU__OBJECT_ORD@1@@Z +?CalcPerfMetrics@CPerfMon@@ABAXPAU__OBJECT_ORD@1@PAU__INSTANCE_ID@1@PAU_PERF_METRICS@1@PAPAU_PERF_ITEM@1@@Z +?Collect@CPerfMon@@QAAKPAGPAPAEPAK2@Z +?CollectAllObjects@CPerfMon@@ABAKPAGPAPAEPAK2@Z +?CollectAnObject@CPerfMon@@ABAKPAU__OBJECT_ORD@1@PAPAE@Z +?ConvertInstIdToInUseInstId@CPerfMon@@ABAHPAU__OBJECT_ORD@1@PAU__INSTANCE_ID@1@@Z +?CounterIdToObjectOrd@CPerfMon@@ABAPAU__OBJECT_ORD@1@PAU__COUNTER_ID@1@PAH@Z +?CounterIdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__COUNTER_ID@1@@Z +?CounterIdToPerfItemIndex@CPerfMon@@ABAHPAU__COUNTER_ID@1@PAH@Z +?CounterOrdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__OBJECT_ORD@1@PAU__COUNTER_ORD@1@@Z +?DetermineObjectsToCollect@CPerfMon@@ABAXPAU__OBJECT_ORD@1@@Z +?GetCounter32@CPerfMon@@QAAPAJPAU__COUNTER_ID@1@PAU__INSTANCE_ID@1@@Z +?GetCounter64@CPerfMon@@QAAPA_JPAU__COUNTER_ID@1@PAU__INSTANCE_ID@1@@Z +?GetCounter@CPerfMon@@AAAPAEPAU__COUNTER_ID@1@PAU__INSTANCE_ID@1@@Z +?HowManyInstancesAreInUse@CPerfMon@@ABAHPAU__OBJECT_ORD@1@@Z +?IdToPerfItemIndex@CPerfMon@@ABAHHK@Z +?Initialize@CPerfMon@@QAAKH@Z +?InitializePerfMon@CPerfMon@@AAAKH@Z +?IsValidInstId@CPerfMon@@ABAHPAU__OBJECT_ORD@1@PAU__INSTANCE_ID@1@@Z +?IsValidObjOrd@CPerfMon@@ABAHPAU__OBJECT_ORD@1@@Z +?ObjectIdToObjectOrd@CPerfMon@@ABAPAU__OBJECT_ORD@1@PAU__OBJECT_ID@1@@Z +?ObjectIdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__OBJECT_ID@1@@Z +?ObjectIdToPerfItemIndex@CPerfMon@@ABAHPAU__OBJECT_ID@1@@Z +?ObjectOrdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__OBJECT_ORD@1@@Z +?ObjectOrdToPerfItemIndex@CPerfMon@@ABAHPAU__OBJECT_ORD@1@@Z +?VerifyPerfItemTable@CPerfMon@@AAAKXZ +PerfMon_Close +PerfMon_Collect +PerfMon_Open diff --git a/lib/libc/mingw/libarm32/bootmenuux.def b/lib/libc/mingw/libarm32/bootmenuux.def new file mode 100644 index 0000000000..2ac2a54596 --- /dev/null +++ b/lib/libc/mingw/libarm32/bootmenuux.def @@ -0,0 +1,69 @@ +; +; Definition file of BootMenuUX.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BootMenuUX.dll" +EXPORTS +CreateAdvancedOptionsButton +CreateAdvancedRecoveryToolsButtonCollection +CreateAdvancedStartupButton +CreateAdvancedStartupLaunchPage +CreateBasicResetFinalChecksPage +CreateBasicResetLandingPage +CreateBasicSystemResetButton +CreateBasicSystemResetLaunchPage +CreateBitlockerLandingPage +CreateBlackWallpaperButton +CreateBootableDeviceButtonCollection +CreateBootableOSButtonCollection +CreateCSRTFinalPage +CreateClearWallpaperPage +CreateDefaultOSButton +CreateDefaultOSButtonCollection +CreateDefaultOSListButton +CreateDeviceListButton +CreateFactoryResetFinalChecksPage +CreateFactoryResetLandingPage +CreateFactorySystemResetButton +CreateFactorySystemResetLaunchPage +CreateFirmwareSettingsButton +CreateFiveMinuteTimeoutAction +CreateFiveSecondTimeoutAction +CreateKeyboardLayoutButtonCollection +CreateLanguageButtonCollection +CreateOSListButton +CreateOneMinuteTimeoutAction +CreatePBRCancelButton +CreatePBRFinalPage +CreatePBRStartPage +CreatePBRfactoryResetAllVolumesButton +CreatePBRfactoryResetBareMetalDisabled +CreatePBRfactoryResetBareMetalEnabled +CreatePBRfactoryResetCancelOperationButton +CreatePBRfactoryResetContinueChecksButton +CreatePBRfactoryResetDataEraseDisabled +CreatePBRfactoryResetDataEraseEnabled +CreatePBRfactoryResetOsOnlyButton +CreatePasswordButton +CreatePasswordPage +CreateRecoveryToolsListButton +CreateRestartButton +CreateSelectOSPage +CreateSetWallpaperPage +CreateShutdownButton +CreateSkippableSelectOSPage +CreateTenSecondTimeoutAction +CreateThirtySecondTimeoutAction +CreateTopLevelRecoveryToolsButtonCollection +CreateTopLevelRecoveryToolsPage +CreateUserNameButtonCollection +CreateUserSelectionPage +CreateWinReTargetOSButtonCollection +CreateWinReTargetOSPage +CreateZeroSecondTimeoutAction +InitializePasswordDatabase +InitializeSRTSyncInterface +InitializeSyncInterface +UtilBcdCloseSystemStore +UtilGetCurrentKeyboardLayout diff --git a/lib/libc/mingw/libarm32/brokerlib.def b/lib/libc/mingw/libarm32/brokerlib.def new file mode 100644 index 0000000000..e06e19171a --- /dev/null +++ b/lib/libc/mingw/libarm32/brokerlib.def @@ -0,0 +1,27 @@ +; +; Definition file of BrokerLib.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BrokerLib.dll" +EXPORTS +BrBufferFree +BrCheckCallerCapabilities +BrCheckCallerIsAppContainer +BrCreateBrokerInstance +BrCreateBrokeredEvent +BrDecQuota +BrDeleteBrokerInstance +BrDeleteBrokeredEvent +BrFindBrokeredEvent +BrGetBrokeredAppState +BrGetQuota +BrIncQuota +BrInitializeBrokerInstance +BrLockBroker +BrQueryBrokeredApplicationState +BrQueryBrokeredEvents +BrRegisterBrokeredEvent +BrSignalBrokerEvent +BrUnlockBroker +BrUnregisterBrokeredEvent diff --git a/lib/libc/mingw/libarm32/bthpanapi.def b/lib/libc/mingw/libarm32/bthpanapi.def new file mode 100644 index 0000000000..ff1d313626 --- /dev/null +++ b/lib/libc/mingw/libarm32/bthpanapi.def @@ -0,0 +1,24 @@ +; +; Definition file of bthpanapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "bthpanapi.dll" +EXPORTS +BluetoothCloseNetworkHandle +BluetoothConnectToNetwork +BluetoothCreateNetworkHandle +BluetoothDisconnectFromNetwork +BluetoothDuplicateNetworkHandle +BluetoothFindFirstNetwork +BluetoothFindNetworkClose +BluetoothFindNextNetwork +BluetoothGetIncompleteConnectedNetworkHandle +BluetoothGetNetworkAddress +BluetoothGetNetworkAvailableRoles +BluetoothGetNetworkContainerId +BluetoothGetNetworkInterfaceId +BluetoothGetNetworkName +BluetoothGetNetworkStatus +BluetoothRegisterNetworkNotifications +BluetoothUnregisterNetworkNotifications diff --git a/lib/libc/mingw/libarm32/bthsqm.def b/lib/libc/mingw/libarm32/bthsqm.def new file mode 100644 index 0000000000..040c63afd6 --- /dev/null +++ b/lib/libc/mingw/libarm32/bthsqm.def @@ -0,0 +1,8 @@ +; +; Definition file of BthSQM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "BthSQM.dll" +EXPORTS +BthSqmRunTask diff --git a/lib/libc/mingw/libarm32/capisp.def b/lib/libc/mingw/libarm32/capisp.def new file mode 100644 index 0000000000..608fa9cac0 --- /dev/null +++ b/lib/libc/mingw/libarm32/capisp.def @@ -0,0 +1,11 @@ +; +; Definition file of capisp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "capisp.dll" +EXPORTS +CAPISysPrep_Generalize +CryptoSysPrep_Clean +CryptoSysPrep_Specialize +CryptoSysPrep_Specialize_Clone diff --git a/lib/libc/mingw/libarm32/catsrv.def b/lib/libc/mingw/libarm32/catsrv.def new file mode 100644 index 0000000000..30b1cef5ed --- /dev/null +++ b/lib/libc/mingw/libarm32/catsrv.def @@ -0,0 +1,16 @@ +; +; Definition file of catsrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "catsrv.dll" +EXPORTS +?CancelWriteICR@@YAJPAPAUIComponentRecords@@@Z +CreateComponentLibraryTS +GetCatalogCRMClerk +?GetReadICR@@YAJHPAPAUIComponentRecords@@@Z +?GetWriteICR@@YAJPAPAUIComponentRecords@@@Z +OpenComponentLibraryTS +?ReleaseReadICR@@YAXPAPAUIComponentRecords@@@Z +?SaveWriteICR@@YAJPAPAUIComponentRecords@@@Z +GetAppImport diff --git a/lib/libc/mingw/libarm32/catsrvut.def b/lib/libc/mingw/libarm32/catsrvut.def new file mode 100644 index 0000000000..f35a44d406 --- /dev/null +++ b/lib/libc/mingw/libarm32/catsrvut.def @@ -0,0 +1,37 @@ +; +; Definition file of catsrvut.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "catsrvut.DLL" +EXPORTS +??0CComPlusComponent@@QAA@ABV0@@Z +??0CComPlusInterface@@QAA@ABV0@@Z +??0CComPlusMethod@@QAA@ABV0@@Z +??0CComPlusObject@@QAA@ABV0@@Z +??1CComPlusComponent@@UAA@XZ +??1CComPlusInterface@@UAA@XZ +??4CComPlusComponent@@QAAAAV0@ABV0@@Z +??4CComPlusInterface@@QAAAAV0@ABV0@@Z +??4CComPlusMethod@@QAAAAV0@ABV0@@Z +??4CComPlusObject@@QAAAAV0@ABV0@@Z +??4CComPlusTypelib@@QAAAAV0@ABV0@@Z +??_7CComPlusComponent@@6B@ DATA +??_7CComPlusInterface@@6B@ DATA +??_7CComPlusMethod@@6B@ DATA +??_7CComPlusObject@@6B@ DATA +?GetITypeLib@CComPlusTypelib@@QAAPAUITypeLib@@XZ +RegDBBackup +RegDBRestore +StartMTSTOCOM +WinlogonHandlePendingInfOperations +CGMIsAdministrator +COMPlusUninstallActionW +CreateComRegDBWriter +DestroyComRegDBWriter +FindAssemblyModulesW +ManagedRequestW +QueryUserDllW +RunMTSToCom +SysprepComplus +SysprepComplus2 diff --git a/lib/libc/mingw/libarm32/certca.def b/lib/libc/mingw/libarm32/certca.def new file mode 100644 index 0000000000..f56a949504 --- /dev/null +++ b/lib/libc/mingw/libarm32/certca.def @@ -0,0 +1,183 @@ +; +; Definition file of certca.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "certca.dll" +EXPORTS +CAFindByName +CAFindByCertType +CAFindByIssuerDN +CAEnumFirstCA +CAEnumNextCA +CACreateNewCA +CAUpdateCA +CAUpdateCAEx +CADeleteCA +CADeleteCAEx +CACountCAs +CACloseCA +CAGetCAProperty +CAFreeCAProperty +CASetCAProperty +CAGetCACertificate +CASetCACertificate +CAGetCAExpiration +CASetCAExpiration +CAGetCASecurity +CASetCASecurity +CAAccessCheck +CAAccessCheckEx +CAEnumCertTypesForCA +CAEnumCertTypesForCAEx +CAAddCACertificateType +CAAddCACertificateTypeEx +CARemoveCACertificateType +CARemoveCACertificateTypeEx +CAGetCAFlags +CASetCAFlags +CAGetDN +CAEnumCertTypes +CAEnumCertTypesEx +CAFindCertTypeByName +CACreateCertType +CAUpdateCertType +CAUpdateCertTypeEx +CADeleteCertType +CADeleteCertTypeEx +CACloneCertType +CAEnumNextCertType +CACountCertTypes +CACloseCertType +CAGetCertTypeProperty +CAGetCertTypePropertyEx +CASetCertTypeProperty +CASetCertTypePropertyEx +CADCSetCertTypePropertyEx +CAFreeCertTypeProperty +CAGetCertTypeExtensions +CAGetCertTypeExtensionsEx +CAFreeCertTypeExtensions +CASetCertTypeExtension +CAGetCertTypeKeySpec +CASetCertTypeKeySpec +CAGetCertTypeExpiration +CASetCertTypeExpiration +CAGetCertTypeFlags +CAGetCertTypeFlagsEx +CASetCertTypeFlags +CASetCertTypeFlagsEx +CAInstallDefaultCertType +CAInstallDefaultCertTypeEx +CAIsCertTypeCurrent +CAIsCertTypeCurrentEx +CACertTypeGetSecurity +CACertTypeSetSecurity +CACertTypeAccessCheck +CACertTypeAccessCheckEx +CACertTypeAuthzAccessCheck +CAOIDCreateNew +CAOIDCreateNewEx +CAOIDSetProperty +CAOIDSetPropertyEx +CAOIDAdd +CAOIDAddEx +CAOIDDelete +CAOIDDeleteEx +CAOIDGetProperty +CAOIDGetPropertyEx +CAOIDFreeProperty +CAOIDGetLdapURL +CAOIDFreeLdapURL +CACertTypeRegisterQuery +CACertTypeQuery +CACertTypeUnregisterQuery +CACreateLocalAutoEnrollmentObject +CADeleteLocalAutoEnrollmentObject +CACreateAutoEnrollmentObjectEx +CAEnumCertTypesEx2 +CAFindCertTypeByName2 +ord_601 @601 +ord_602 @602 +ord_603 @603 +ord_604 @604 +ord_701 @701 +ord_702 @702 +ord_703 @703 +ord_704 @704 +ord_705 @705 +ord_706 @706 +ord_707 @707 +ord_708 @708 +ord_801 @801 +ord_802 @802 +ord_803 @803 +ord_804 @804 +ord_805 @805 +ord_806 @806 +ord_807 @807 +ord_808 @808 +ord_809 @809 +ord_810 @810 +ord_811 @811 +ord_812 @812 +ord_813 @813 +ord_814 @814 +ord_815 @815 +ord_816 @816 +ord_817 @817 +ord_818 @818 +ord_819 @819 +ord_820 @820 +ord_821 @821 +ord_822 @822 +ord_823 @823 +ord_824 @824 +ord_825 @825 +ord_826 @826 +ord_827 @827 +ord_828 @828 +ord_829 @829 +ord_830 @830 +ord_831 @831 +ord_832 @832 +ord_833 @833 +ord_834 @834 +ord_835 @835 +ord_836 @836 +ord_837 @837 +ord_838 @838 +ord_839 @839 +ord_840 @840 +ord_841 @841 +ord_842 @842 +ord_843 @843 +ord_844 @844 +ord_845 @845 +ord_846 @846 +ord_847 @847 +ord_848 @848 +ord_849 @849 +ord_850 @850 +ord_851 @851 +ord_852 @852 +ord_853 @853 +ord_854 @854 +ord_855 @855 +ord_856 @856 +ord_857 @857 +ord_858 @858 +ord_859 @859 +CCFindCertificateBuildFilter +CCFindCertificateFreeFilter +CCFindCertificateFromFilter +CCGetCertNameList +CCFreeStringArray +ord_865 @865 +ord_866 @866 +ord_867 @867 +ord_868 @868 +ord_869 @869 +ord_870 @870 +ord_871 @871 +ord_872 @872 diff --git a/lib/libc/mingw/libarm32/certcli.def b/lib/libc/mingw/libarm32/certcli.def new file mode 100644 index 0000000000..07f4cbf74e --- /dev/null +++ b/lib/libc/mingw/libarm32/certcli.def @@ -0,0 +1,174 @@ +; +; Definition file of certcli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "certcli.dll" +EXPORTS +CSPrintAssert +CSPrintError +DbgPrintf +DbgPrintfInit +DbgIsSSActive +myHResultToString +myGetErrorMessageText +myHResultToStringRaw +CAAccessCheck +ord_210 @210 +CAAccessCheckEx +CAAddCACertificateType +myFreeColumnDisplayNames +myRobustLdapBind +myIsDelayLoadHResult +myHExceptionCode +myJetHResult +myModifyVirtualRootsAndFileShares +ord_219 @219 +ord_220 @220 +ord_221 @221 +CAAddCACertificateTypeEx +DecodeFileW +CACertTypeAccessCheck +EncodeToFileW +CACertTypeAccessCheckEx +CACertTypeAuthzAccessCheck +CACertTypeGetSecurity +CACertTypeQuery +CACertTypeRegisterQuery +CACertTypeSetSecurity +CACertTypeUnregisterQuery +CACloneCertType +CACloseCA +CACloseCertType +CACountCAs +CACountCertTypes +CACreateAutoEnrollmentObjectEx +CACreateCertType +myAddShare +ord_241 @241 +DbgLogStringInit +CACreateLocalAutoEnrollmentObject +CACreateNewCA +WszToMultiByteIntegerBuf +WszToMultiByteInteger +myGetErrorMessageText1 +myGetErrorMessageTextEx +myCAPropGetDisplayName +myCAPropInfoUnmarshal +myCAPropInfoLookup +myRobustLdapBindEx +caTranslateFileTimePeriodToPeriodUnits +myCryptBinaryToString +myCryptBinaryToStringA +myCryptStringToBinary +myCryptStringToBinaryA +myOIDHashOIDToString +myLogExceptionInit +myHExceptionCodePrint +DbgPrintfW +IsASPEnabledInIIS +EnableASPInIIS +IsISAPIExtensionEnabled +EnableISAPIExtension +myGetSidFromDomain +IsASPEnabledInIIS_New +CADCSetCertTypePropertyEx +CADeleteCA +CADeleteCAEx +CADeleteCertType +CADeleteCertTypeEx +CADeleteLocalAutoEnrollmentObject +CAEnumCertTypes +CAEnumCertTypesEx +CAEnumCertTypesForCA +CAEnumCertTypesForCAEx +CAEnumFirstCA +CAEnumNextCA +CAEnumNextCertType +CAFindByCertType +CAFindByIssuerDN +CAFindByName +CAFindCertTypeByName +CAFreeCAProperty +CAFreeCertTypeExtensions +CAFreeCertTypeProperty +CAGetCACertificate +CAGetCAExpiration +CAGetCAFlags +CAGetCAProperty +CAGetCASecurity +CAGetCertTypeExpiration +CAGetCertTypeExtensions +CAGetCertTypeExtensionsEx +CAGetCertTypeFlags +CAGetCertTypeFlagsEx +CAGetCertTypeKeySpec +CAGetCertTypeProperty +CAGetCertTypePropertyEx +CAGetDN +CAInstallDefaultCertType +CAInstallDefaultCertTypeEx +CAIsCertTypeCurrent +CAIsCertTypeCurrentEx +CAOIDAdd +CAOIDAddEx +CAOIDCreateNew +CAOIDCreateNewEx +CAOIDDelete +CAOIDDeleteEx +CAOIDFreeLdapURL +CAOIDFreeProperty +CAOIDGetLdapURL +CAOIDGetProperty +CAOIDGetPropertyEx +CAOIDSetProperty +CAOIDSetPropertyEx +CARemoveCACertificateType +CARemoveCACertificateTypeEx +CASetCACertificate +CASetCAExpiration +CASetCAFlags +CASetCAProperty +CASetCASecurity +CASetCertTypeExpiration +CASetCertTypeExtension +CASetCertTypeFlags +CASetCertTypeFlagsEx +CASetCertTypeKeySpec +CASetCertTypeProperty +CASetCertTypePropertyEx +CAUpdateCA +CAUpdateCAEx +CAUpdateCertType +CAUpdateCertTypeEx +myDoesDSExist@209 +mySanitizeName +mySanitizedNameToDSName +mySanitizedNameToShortName +myRevertSanitizeName +myGenerateGuidString +myGenerateGuidSerialNumber +mylstrcmpiL +myHGetLastError +CSPrintErrorLineFile +CSPrintErrorLineFile2 +CSPrintErrorLineFileData +CSPrintErrorLineFileData2 +CAGetAccessRights +CAIsValid +CAGetCertTypeAccessRights +CAIsCertTypeValid +ord_365 @365 +DbgLogStringInit2 +ord_367 @367 +RemoveISAPIExtension +RemoveVDir +SplitConfigString +AddOrRemoveOCSPISAPIExtension +myGetTargetMachineDomainDnsName +ord_374 @374 +myNetLogonUser +CertcliGetDetailedCertcliVersionString +myGetHashAlgorithmOIDInfoFromSignatureAlgorithm +myEnablePrivilege +CAGetConfigStringFromUIPicker diff --git a/lib/libc/mingw/libarm32/certenroll.def b/lib/libc/mingw/libarm32/certenroll.def new file mode 100644 index 0000000000..5ead910564 --- /dev/null +++ b/lib/libc/mingw/libarm32/certenroll.def @@ -0,0 +1,34 @@ +; +; Definition file of certenroll.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "certenroll.dll" +EXPORTS +ord_15 @15 +ord_16 @16 +ord_18 @18 +ord_19 @19 +ord_20 @20 +ord_21 @21 +ord_22 @22 +ord_23 @23 +ord_24 @24 +ord_25 @25 +ord_26 @26 +ord_27 @27 +ord_28 @28 +ord_29 @29 +ord_30 @30 +ord_31 @31 +LogCertReplace +LogCertDelete +LogCertArchive +LogCertExpire +ord_36 @36 +ord_37 @37 +ord_38 @38 +LogCertInstall +LogCertCopy +LogCertImport +LogCertExport diff --git a/lib/libc/mingw/libarm32/certenrollui.def b/lib/libc/mingw/libarm32/certenrollui.def new file mode 100644 index 0000000000..9efe093215 --- /dev/null +++ b/lib/libc/mingw/libarm32/certenrollui.def @@ -0,0 +1,8 @@ +; +; Definition file of CertEnrollUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CertEnrollUI.dll" +EXPORTS +CreateUIObject diff --git a/lib/libc/mingw/libarm32/certprop.def b/lib/libc/mingw/libarm32/certprop.def new file mode 100644 index 0000000000..613dbfdd33 --- /dev/null +++ b/lib/libc/mingw/libarm32/certprop.def @@ -0,0 +1,10 @@ +; +; Definition file of certprop.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "certprop.dll" +EXPORTS +CertPropServiceMain +ScPolicyServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/chartv.def b/lib/libc/mingw/libarm32/chartv.def new file mode 100644 index 0000000000..7af2ef09bc --- /dev/null +++ b/lib/libc/mingw/libarm32/chartv.def @@ -0,0 +1,15 @@ +; +; Definition file of CHARTV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CHARTV.dll" +EXPORTS +CvCloseDataSource +CvCreateDataSource +CvGetData +CvGetDataSourceName +CvInitialize +CvSetData +CvSetDataSourceName +CvUninitialize diff --git a/lib/libc/mingw/libarm32/chkwudrv.def b/lib/libc/mingw/libarm32/chkwudrv.def new file mode 100644 index 0000000000..2729ad2c0d --- /dev/null +++ b/lib/libc/mingw/libarm32/chkwudrv.def @@ -0,0 +1,16 @@ +; +; Definition file of chkwudrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "chkwudrv.dll" +EXPORTS +CancelWUOperation +IsWUAvailable +OpenWUContext +ReleaseWUContext +RemoveWUDirectory +WUDownloadUpdatedFiles +WUExpandUpdateToPath +WUFindMatchingDriver +WUInstallBestUpdate diff --git a/lib/libc/mingw/libarm32/chxreadingstringime.def b/lib/libc/mingw/libarm32/chxreadingstringime.def new file mode 100644 index 0000000000..eeddeeef6c --- /dev/null +++ b/lib/libc/mingw/libarm32/chxreadingstringime.def @@ -0,0 +1,9 @@ +; +; Definition file of CHxReadingStringIME.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CHxReadingStringIME.dll" +EXPORTS +GetReadingString +ShowReadingWindow diff --git a/lib/libc/mingw/libarm32/ci.def b/lib/libc/mingw/libarm32/ci.def new file mode 100644 index 0000000000..879ab36daf --- /dev/null +++ b/lib/libc/mingw/libarm32/ci.def @@ -0,0 +1,17 @@ +; +; Definition file of CI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CI.dll" +EXPORTS +ord_1 @1 +ord_2 @2 +ord_3 @3 +CiCheckSignedFile +CiFindPageHashesInCatalog +CiFindPageHashesInSignedFile +CiFreePolicyInfo +CiGetPEInformation +CiInitialize +CiVerifyHashInCatalog diff --git a/lib/libc/mingw/libarm32/cmdext.def b/lib/libc/mingw/libarm32/cmdext.def new file mode 100644 index 0000000000..5d588e7c83 --- /dev/null +++ b/lib/libc/mingw/libarm32/cmdext.def @@ -0,0 +1,21 @@ +; +; Definition file of CMDEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CMDEXT.dll" +EXPORTS +CmdBatNotificationStub +DoSHChangeNotify +FindFirstStreamWStub +FindNextStreamWStub +GetBinaryTypeWStub +GetVDMCurrentDirectoriesStub +LookupAccountSidWStub +MessageBeepStub +QueryFullProcessImageNameWStub +SaferWorker +ShellExecuteWorker +WNetAddConnection2WStub +WNetCancelConnection2WStub +WNetGetConnectionWStub diff --git a/lib/libc/mingw/libarm32/cmifw.def b/lib/libc/mingw/libarm32/cmifw.def new file mode 100644 index 0000000000..4710813b77 --- /dev/null +++ b/lib/libc/mingw/libarm32/cmifw.def @@ -0,0 +1,9 @@ +; +; Definition file of cmifw.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "cmifw.DLL" +EXPORTS +EnableGroupW +unattendW diff --git a/lib/libc/mingw/libarm32/cmipnpinstall.def b/lib/libc/mingw/libarm32/cmipnpinstall.def new file mode 100644 index 0000000000..48be09b5f3 --- /dev/null +++ b/lib/libc/mingw/libarm32/cmipnpinstall.def @@ -0,0 +1,8 @@ +; +; Definition file of cmipnpinstall.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "cmipnpinstall.DLL" +EXPORTS +OnlineSetupPNPInstall diff --git a/lib/libc/mingw/libarm32/cofiredm.def b/lib/libc/mingw/libarm32/cofiredm.def new file mode 100644 index 0000000000..a379250ce0 --- /dev/null +++ b/lib/libc/mingw/libarm32/cofiredm.def @@ -0,0 +1,10 @@ +; +; Definition file of cofiredm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "cofiredm.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/colorui.def b/lib/libc/mingw/libarm32/colorui.def new file mode 100644 index 0000000000..f2ab78f871 --- /dev/null +++ b/lib/libc/mingw/libarm32/colorui.def @@ -0,0 +1,8 @@ +; +; Definition file of colorui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "colorui.dll" +EXPORTS +LaunchColorCpl diff --git a/lib/libc/mingw/libarm32/combase.def b/lib/libc/mingw/libarm32/combase.def new file mode 100644 index 0000000000..5534a096c3 --- /dev/null +++ b/lib/libc/mingw/libarm32/combase.def @@ -0,0 +1,357 @@ +; +; Definition file of combase.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "combase.dll" +EXPORTS +ord_1 @1 +ObjectStublessClient3 +ObjectStublessClient4 +ObjectStublessClient5 +ObjectStublessClient6 +ObjectStublessClient7 +ObjectStublessClient8 +ObjectStublessClient9 +ObjectStublessClient10 +ObjectStublessClient11 +ObjectStublessClient12 +ObjectStublessClient13 +ObjectStublessClient14 +ObjectStublessClient15 +ObjectStublessClient16 +ObjectStublessClient17 +ObjectStublessClient18 +ObjectStublessClient19 +ObjectStublessClient20 +ObjectStublessClient21 +ObjectStublessClient22 +ObjectStublessClient23 +ObjectStublessClient24 +ObjectStublessClient25 +ObjectStublessClient26 +ObjectStublessClient27 +ObjectStublessClient28 +ObjectStublessClient29 +ObjectStublessClient30 +ObjectStublessClient31 +ObjectStublessClient32 +NdrProxyForwardingFunction3 +NdrProxyForwardingFunction4 +NdrProxyForwardingFunction5 +NdrProxyForwardingFunction6 +NdrProxyForwardingFunction7 +NdrProxyForwardingFunction8 +NdrProxyForwardingFunction9 +NdrProxyForwardingFunction10 +NdrProxyForwardingFunction11 +NdrProxyForwardingFunction12 +NdrProxyForwardingFunction13 +NdrProxyForwardingFunction14 +NdrProxyForwardingFunction15 +NdrProxyForwardingFunction16 +NdrProxyForwardingFunction17 +NdrProxyForwardingFunction18 +NdrProxyForwardingFunction19 +NdrProxyForwardingFunction20 +NdrProxyForwardingFunction21 +NdrProxyForwardingFunction22 +NdrProxyForwardingFunction23 +NdrProxyForwardingFunction24 +NdrProxyForwardingFunction25 +NdrProxyForwardingFunction26 +NdrProxyForwardingFunction27 +NdrProxyForwardingFunction28 +NdrProxyForwardingFunction29 +NdrProxyForwardingFunction30 +NdrProxyForwardingFunction31 +NdrProxyForwardingFunction32 +NdrOleInitializeExtension +ord_63 @63 +ord_64 @64 +ord_65 @65 +ord_66 @66 +ord_67 @67 +ord_68 @68 +ord_69 @69 +ord_70 @70 +ord_71 @71 +RoFailFastWithErrorContextInternal2 +RoFailFastWithErrorContextInternal +UpdateProcessTracing +CLSIDFromOle1Class +CLSIDFromProgID +CLSIDFromString +CleanupOleStateInAllTls +ord_79 @79 +ord_80 @80 +ord_81 @81 +CleanupTlsOleState +ClearCleanupFlag +CoAddRefServerProcess +CoAllowUnmarshalerCLSID +ord_86 @86 +ord_87 @87 +ord_88 @88 +CoCancelCall +ord_90 @90 +ord_91 @91 +ord_92 @92 +ord_93 @93 +CoCopyProxy +ord_95 @95 +ord_96 @96 +ord_97 @97 +ord_98 @98 +ord_99 @99 +ord_100 @100 +ord_101 @101 +ord_102 @102 +ord_103 @103 +ord_104 @104 +CoCreateErrorInfo +CoCreateFreeThreadedMarshaler +CoCreateGuid +CoCreateInstance +CoCreateInstanceEx +ord_110 @110 +ord_111 @111 +ord_112 @112 +CoCreateInstanceFromApp +CoCreateObjectInContext +CoDeactivateObject +CoDecodeProxy +CoDecrementMTAUsage +CoDisableCallCancellation +CoDisconnectContext +ord_120 @120 +ord_121 @121 +ord_122 @122 +ord_123 @123 +ord_124 @124 +ord_125 @125 +ord_126 @126 +ord_127 @127 +ord_128 @128 +ord_129 @129 +ord_130 @130 +CoDisconnectObject +CoEnableCallCancellation +ord_133 @133 +ord_134 @134 +ord_135 @135 +ord_136 @136 +ord_137 @137 +ord_138 @138 +ord_139 @139 +CoFreeUnusedLibraries +CoFreeUnusedLibrariesEx +CoGetActivationState +CoGetApartmentID +CoGetApartmentType +CoGetCallContext +CoGetCallState +CoGetCallerTID +CoGetCancelObject +CoGetClassObject +CoGetClassVersion +CoGetContextToken +CoGetCurrentLogicalThreadId +CoGetCurrentProcess +CoGetDefaultContext +CoGetErrorInfo +CoGetInstanceFromFile +CoGetInstanceFromIStorage +CoGetInterfaceAndReleaseStream +CoGetMalloc +CoGetMarshalSizeMax +CoGetModuleType +CoGetObjectContext +CoGetPSClsid +CoGetProcessIdentifier +CoGetStandardMarshal +CoGetStdMarshalEx +CoGetSystemSecurityPermissions +CoGetTreatAsClass +CoImpersonateClient +CoIncrementMTAUsage +CoInitializeEx +CoInitializeSecurity +CoInitializeWOW +CoInvalidateRemoteMachineBindings +CoIsHandlerConnected +CoLockObjectExternal +CoMarshalHresult +CoMarshalInterThreadInterfaceInStream +CoMarshalInterface +CoPopServiceDomain +CoPushServiceDomain +CoQueryAuthenticationServices +CoQueryClientBlanket +CoQueryProxyBlanket +CoReactivateObject +CoRegisterActivationFilter +CoRegisterClassObject +CoRegisterInitializeSpy +CoRegisterMallocSpy +CoRegisterMessageFilter +CoRegisterPSClsid +CoRegisterSurrogate +CoRegisterSurrogateEx +CoReleaseMarshalData +CoReleaseServerProcess +CoResumeClassObjects +CoRetireServer +CoRevertToSelf +CoRevokeClassObject +CoRevokeInitializeSpy +CoRevokeMallocSpy +CoSetCancelObject +CoSetErrorInfo +CoSetProxyBlanket +CoSuspendClassObjects +CoSwitchCallContext +CoTaskMemAlloc +CoTaskMemFree +CoTaskMemRealloc +CoTestCancel +CoUninitialize +CoUnloadingWOW +CoUnmarshalHresult +CoUnmarshalInterface +CoVrfCheckThreadState +CoVrfGetThreadState +CoVrfReleaseThreadState +CoWaitForMultipleHandles +CoWaitForMultipleObjects +CreateErrorInfo +CreateStreamOnHGlobal +DcomChannelSetHResult +DllDebugObjectRPCHook +EnableHookObject +FreePropVariantArray +FreePropVariantArrayWorker +GetCatalogHelper +GetErrorInfo +GetFuncDescs +GetHGlobalFromStream +GetHookInterface +GetRestrictedErrorInfo +HSTRING_UserFree +HSTRING_UserMarshal +HSTRING_UserSize +HSTRING_UserUnmarshal +HkOleRegisterObject +IIDFromString +InternalAppInvokeExceptionFilter +InternalCCFreeUnused +InternalCCGetClassInformationForDde +InternalCCGetClassInformationFromKey +InternalCCSetDdeServerWindow +InternalCMLSendReceive +InternalCallAsProxyExceptionFilter +InternalCallFrameExceptionFilter +InternalCallerIsAppContainer +InternalCanMakeOutCall +InternalCoIsSurrogateProcess +InternalCoRegisterDisconnectCallback +InternalCoRegisterSurrogatedObject +InternalCoStdMarshalObject +InternalCoUnregisterDisconnectCallback +InternalCompleteObjRef +InternalCreateCAggId +InternalCreateIdentityHandler +InternalDoATClassCreate +InternalFillLocalOXIDInfo +InternalFreeObjRef +InternalGetWindowPropInterface +InternalIrotEnumRunning +InternalIrotGetObject +InternalIrotGetTimeOfLastChange +InternalIrotIsRunning +InternalIrotNoteChangeTime +InternalIrotRegister +InternalIrotRevoke +InternalIsApartmentInitialized +InternalIsProcessInitialized +InternalMarshalObjRef +InternalNotifyDDStartOrStop +InternalOleModalLoopBlockFn +InternalRegisterWindowPropInterface +InternalReleaseMarshalObjRef +InternalSTAInvoke +InternalServerExceptionFilter +InternalSetAptCallCtrlOnTlsIfRequired +InternalSetOleThunkWowPtr +InternalStubInvoke +InternalTlsAllocData +InternalUnmarshalObjRef +IsErrorPropagationEnabled +NdrExtStubInitialize +NdrOleDllGetClassObject +NdrpFindInterface +ProgIDFromCLSID +PropVariantClear +PropVariantCopy +ReleaseFuncDescs +RoActivateInstance +RoCaptureErrorContext +RoClearError +RoFailFastWithErrorContext +RoFreeParameterizedTypeExtra +RoGetActivatableClassRegistration +RoGetActivationFactory +RoGetAgileReference +RoGetApartmentIdentifier +RoGetErrorReportingFlags +RoGetMatchingRestrictedErrorInfo +RoGetParameterizedTypeInstanceIID +RoGetServerActivatableClasses +RoInitialize +RoInspectCapturedStackBackTrace +RoInspectThreadErrorInfo +RoOriginateError +RoOriginateErrorW +RoOriginateLanguageException +RoParameterizedTypeExtraGetTypeSignature +RoRegisterActivationFactories +RoRegisterForApartmentShutdown +RoReportCapabilityCheckFailure +RoReportFailedDelegate +RoReportUnhandledError +RoResolveRestrictedErrorInfoReference +RoRevokeActivationFactories +RoSetErrorReportingFlags +RoTransformError +RoTransformErrorW +RoUninitialize +RoUnregisterForApartmentShutdown +SetCleanupFlag +SetErrorInfo +SetRestrictedErrorInfo +StringFromCLSID +StringFromGUID2 +StringFromIID +UpdateDCOMSettings +WdtpInterfacePointer_UserMarshal +WdtpInterfacePointer_UserSize +WdtpInterfacePointer_UserUnmarshal +WindowsCompareStringOrdinal +WindowsConcatString +WindowsCreateString +WindowsCreateStringReference +WindowsDeleteString +WindowsDeleteStringBuffer +WindowsDuplicateString +WindowsGetStringLen +WindowsGetStringRawBuffer +WindowsInspectString +WindowsIsStringEmpty +WindowsPreallocateStringBuffer +WindowsPromoteStringBuffer +WindowsReplaceString +WindowsStringHasEmbeddedNull +WindowsSubstring +WindowsSubstringWithSpecifiedLength +WindowsTrimStringEnd +WindowsTrimStringStart diff --git a/lib/libc/mingw/libarm32/comppkgsup.def b/lib/libc/mingw/libarm32/comppkgsup.def new file mode 100644 index 0000000000..fcdda2906c --- /dev/null +++ b/lib/libc/mingw/libarm32/comppkgsup.def @@ -0,0 +1,8 @@ +; +; Definition file of CompPkgSup.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CompPkgSup.DLL" +EXPORTS +InstantiateComponentFromPackage diff --git a/lib/libc/mingw/libarm32/connectedaccountstate.def b/lib/libc/mingw/libarm32/connectedaccountstate.def new file mode 100644 index 0000000000..a41373c963 --- /dev/null +++ b/lib/libc/mingw/libarm32/connectedaccountstate.def @@ -0,0 +1,8 @@ +; +; Definition file of ConnectedAccountState.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ConnectedAccountState.dll" +EXPORTS +ActionCenterRunDllW diff --git a/lib/libc/mingw/libarm32/credssp.def b/lib/libc/mingw/libarm32/credssp.def new file mode 100644 index 0000000000..3ea5d38c87 --- /dev/null +++ b/lib/libc/mingw/libarm32/credssp.def @@ -0,0 +1,33 @@ +; +; Definition file of CREDSSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CREDSSP.dll" +EXPORTS +InitSecurityInterfaceW +SpAcceptSecurityContext +SpAcquireCredentialsHandleW +SpAddCredentialsW +SpApplyControlToken +SpChangeAccountPasswordW +SpCompleteAuthToken +SpDecryptMessage +SpDeleteSecurityContext +SpEncryptMessage +SpEnumerateSecurityPackagesW +SpExportSecurityContext +SpFreeContextBuffer +SpFreeCredentialsHandle +SpImpersonateSecurityContext +SpImportSecurityContextW +SpInitializeSecurityContextW +SpMakeSignature +SpQueryContextAttributesW +SpQueryCredentialsAttributesW +SpQuerySecurityContextToken +SpQuerySecurityPackageInfoW +SpRevertSecurityContext +SpSetContextAttributesW +SpSetCredentialsAttributesW +SpVerifySignature diff --git a/lib/libc/mingw/libarm32/cryptcatsvc.def b/lib/libc/mingw/libarm32/cryptcatsvc.def new file mode 100644 index 0000000000..e5ee7e751d --- /dev/null +++ b/lib/libc/mingw/libarm32/cryptcatsvc.def @@ -0,0 +1,8 @@ +; +; Definition file of CRYPTCATSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTCATSVC.dll" +EXPORTS +CryptsvcDllCtrl diff --git a/lib/libc/mingw/libarm32/crypttpmeksvc.def b/lib/libc/mingw/libarm32/crypttpmeksvc.def new file mode 100644 index 0000000000..0378c073b3 --- /dev/null +++ b/lib/libc/mingw/libarm32/crypttpmeksvc.def @@ -0,0 +1,11 @@ +; +; Definition file of CRYPTTPMEKSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTTPMEKSVC.dll" +EXPORTS +CryptsvcDllCtrl +FreeCMCResponse +IsCmcResponseForAttestation +ParseCMCResponse diff --git a/lib/libc/mingw/libarm32/cryptuiwizard.def b/lib/libc/mingw/libarm32/cryptuiwizard.def new file mode 100644 index 0000000000..374dcd9c5b --- /dev/null +++ b/lib/libc/mingw/libarm32/cryptuiwizard.def @@ -0,0 +1,14 @@ +; +; Definition file of CRYPTUIWIZARD.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CRYPTUIWIZARD.dll" +EXPORTS +GetFunctionTable +CryptUIWizBuildCTL +CryptUIWizDigitalSign +CryptUIWizExport +CryptUIWizFreeDigitalSignContext +CryptUIWizImport +CryptUIWizImportInternal diff --git a/lib/libc/mingw/libarm32/cscdll.def b/lib/libc/mingw/libarm32/cscdll.def new file mode 100644 index 0000000000..3e093709aa --- /dev/null +++ b/lib/libc/mingw/libarm32/cscdll.def @@ -0,0 +1,25 @@ +; +; Definition file of CSCDLL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CSCDLL.dll" +EXPORTS +CSCIsCSCEnabled +CSCFindClose +CSCSetMaxSpace +CSCDoEnableDisable +CSCPinFileW +CSCUnpinFileW +CSCQueryFileStatusW +CSCFindFirstFileW +CSCFindNextFileW +CSCDeleteW +CSCEnumForStatsW +CSCIsServerOfflineW +CSCTransitionServerOnlineW +CSCEnumForStatsExW +CSCFindFirstFileForSidW +CSCDisconnectPath +CSCIsPathOffline +CSCTransitionPathOnline diff --git a/lib/libc/mingw/libarm32/csrsrv.def b/lib/libc/mingw/libarm32/csrsrv.def new file mode 100644 index 0000000000..4e2237e3bc --- /dev/null +++ b/lib/libc/mingw/libarm32/csrsrv.def @@ -0,0 +1,38 @@ +; +; Definition file of CSRSRV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CSRSRV.dll" +EXPORTS +CsrAddStaticServerThread +CsrCallServerFromServer +CsrConnectToUser +CsrCreateProcess +CsrCreateRemoteThread +CsrCreateThread +CsrDeferredCreateProcess +CsrDereferenceProcess +CsrDereferenceThread +CsrDestroyProcess +CsrDestroyThread +CsrExecServerThread +CsrGetProcessLuid +CsrImpersonateClient +CsrLockProcessByClientId +CsrLockThreadByClientId +CsrLockedReferenceProcess +CsrQueryApiPort +CsrReferenceThread +CsrRegisterClientThreadSetup +CsrReplyToMessage +CsrRevertToSelf +CsrServerInitialization +CsrSetBackgroundPriority +CsrSetForegroundPriority +CsrShutdownProcesses +CsrUnhandledExceptionFilter +CsrUnlockProcess +CsrUnlockThread +CsrValidateMessageBuffer +CsrValidateMessageString diff --git a/lib/libc/mingw/libarm32/csystemeventsbrokerclient.def b/lib/libc/mingw/libarm32/csystemeventsbrokerclient.def new file mode 100644 index 0000000000..79c985bd9c --- /dev/null +++ b/lib/libc/mingw/libarm32/csystemeventsbrokerclient.def @@ -0,0 +1,12 @@ +; +; Definition file of CSystemEventsBrokerClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "CSystemEventsBrokerClient.dll" +EXPORTS +CSebCreatePrivateEvent +CSebCreateWellKnownEvent +CSebDeleteEvent +CSebEnumerateEvents +CSebQueryEventData diff --git a/lib/libc/mingw/libarm32/d3d10_1core.def b/lib/libc/mingw/libarm32/d3d10_1core.def new file mode 100644 index 0000000000..059211db8d --- /dev/null +++ b/lib/libc/mingw/libarm32/d3d10_1core.def @@ -0,0 +1,47 @@ +; +; Definition file of d3d10_1core.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "d3d10_1core.dll" +EXPORTS +D3DKMTCloseAdapter +D3DKMTDestroyAllocation +D3DKMTDestroyContext +D3DKMTDestroyDevice +D3DKMTDestroySynchronizationObject +D3DKMTQueryAdapterInfo +D3DKMTSetDisplayPrivateDriverFormat +D3DKMTSignalSynchronizationObject +D3DKMTUnlock +D3DKMTWaitForSynchronizationObject +OpenAdapter10 +OpenAdapter10_2 +D3D10CoreCreateDevice1 +D3D10CoreGetSupportedVersions +D3D10CoreGetVersion +D3D10CoreRegisterLayers +D3DKMTCreateAllocation +D3DKMTCreateContext +D3DKMTCreateDevice +D3DKMTCreateSynchronizationObject +D3DKMTEscape +D3DKMTGetContextSchedulingPriority +D3DKMTGetDeviceState +D3DKMTGetDisplayModeList +D3DKMTGetMultisampleMethodList +D3DKMTGetRuntimeData +D3DKMTGetSharedPrimaryHandle +D3DKMTLock +D3DKMTOpenAdapterFromHdc +D3DKMTOpenResource +D3DKMTPresent +D3DKMTQueryAllocationResidency +D3DKMTQueryResourceInfo +D3DKMTRender +D3DKMTSetAllocationPriority +D3DKMTSetContextSchedulingPriority +D3DKMTSetDisplayMode +D3DKMTSetGammaRamp +D3DKMTSetVidPnSourceOwner +D3DKMTWaitForVerticalBlankEvent diff --git a/lib/libc/mingw/libarm32/d3d10core.def b/lib/libc/mingw/libarm32/d3d10core.def new file mode 100644 index 0000000000..473af4de84 --- /dev/null +++ b/lib/libc/mingw/libarm32/d3d10core.def @@ -0,0 +1,47 @@ +; +; Definition file of d3d10core.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "d3d10core.dll" +EXPORTS +D3DKMTCloseAdapter +D3DKMTDestroyAllocation +D3DKMTDestroyContext +D3DKMTDestroyDevice +D3DKMTDestroySynchronizationObject +D3DKMTQueryAdapterInfo +D3DKMTSetDisplayPrivateDriverFormat +D3DKMTSignalSynchronizationObject +D3DKMTUnlock +D3DKMTWaitForSynchronizationObject +OpenAdapter10 +OpenAdapter10_2 +D3D10CoreCreateDevice +D3D10CoreGetSupportedVersions +D3D10CoreGetVersion +D3D10CoreRegisterLayers +D3DKMTCreateAllocation +D3DKMTCreateContext +D3DKMTCreateDevice +D3DKMTCreateSynchronizationObject +D3DKMTEscape +D3DKMTGetContextSchedulingPriority +D3DKMTGetDeviceState +D3DKMTGetDisplayModeList +D3DKMTGetMultisampleMethodList +D3DKMTGetRuntimeData +D3DKMTGetSharedPrimaryHandle +D3DKMTLock +D3DKMTOpenAdapterFromHdc +D3DKMTOpenResource +D3DKMTPresent +D3DKMTQueryAllocationResidency +D3DKMTQueryResourceInfo +D3DKMTRender +D3DKMTSetAllocationPriority +D3DKMTSetContextSchedulingPriority +D3DKMTSetDisplayMode +D3DKMTSetGammaRamp +D3DKMTSetVidPnSourceOwner +D3DKMTWaitForVerticalBlankEvent diff --git a/lib/libc/mingw/libarm32/d3d10level9.def b/lib/libc/mingw/libarm32/d3d10level9.def new file mode 100644 index 0000000000..b58c49bedf --- /dev/null +++ b/lib/libc/mingw/libarm32/d3d10level9.def @@ -0,0 +1,86 @@ +; +; Definition file of d3d10level9.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "d3d10level9.dll" +EXPORTS +D3D10CheckLevel9Hardware +D3D10CreateDeviceExternalImplementation +D3D10Level9DumpJournal +D3D11CreateDeviceExternalImplementation +D3DKMTCloseAdapter +D3DKMTConfigureSharedResource +D3DKMTDestroyAllocation +D3DKMTDestroyContext +D3DKMTDestroyDevice +D3DKMTDestroyKeyedMutex +D3DKMTDestroySynchronizationObject +D3DKMTGetContextInProcessSchedulingPriority +D3DKMTGetThunkVersion +D3DKMTOfferAllocations +D3DKMTOutputDuplPresent +D3DKMTPinDirectFlipResources +D3DKMTPresentMultiPlaneOverlay +D3DKMTQueryAdapterInfo +D3DKMTReclaimAllocations +D3DKMTSetContextInProcessSchedulingPriority +D3DKMTSetDisplayPrivateDriverFormat +D3DKMTSetQueuedLimit +D3DKMTSetVidPnSourceOwner1 +D3DKMTSignalSynchronizationObject2 +D3DKMTSignalSynchronizationObject +D3DKMTUnlock +D3DKMTUnpinDirectFlipResources +D3DKMTWaitForSynchronizationObject2 +D3DKMTWaitForSynchronizationObject +D3DKMTWaitForVerticalBlankEvent2 +LogMarkerStringTable +OpenAdapter10 +OpenAdapter10_2 +RetrieveFilteredOpenAdapter +D3DKMTAcquireKeyedMutex +D3DKMTAcquireKeyedMutex2 +D3DKMTCheckMultiPlaneOverlaySupport +D3DKMTCreateAllocation +D3DKMTCreateAllocation2 +D3DKMTCreateContext +D3DKMTCreateDevice +D3DKMTCreateKeyedMutex +D3DKMTCreateKeyedMutex2 +D3DKMTCreateSynchronizationObject +D3DKMTCreateSynchronizationObject2 +D3DKMTEscape +D3DKMTGetContextSchedulingPriority +D3DKMTGetDeviceSchedulingPriority +D3DKMTGetDeviceState +D3DKMTGetDisplayModeList +D3DKMTGetMultisampleMethodList +D3DKMTGetRuntimeData +D3DKMTGetSharedPrimaryHandle +D3DKMTLock +D3DKMTOpenAdapterFromDeviceName +D3DKMTOpenAdapterFromGdiDisplayName +D3DKMTOpenKeyedMutex +D3DKMTOpenKeyedMutex2 +D3DKMTOpenNtHandleFromName +D3DKMTOpenResource +D3DKMTOpenResource2 +D3DKMTOpenResourceFromNtHandle +D3DKMTOpenSyncObjectFromNtHandle +D3DKMTOpenSynchronizationObject +D3DKMTPresent +D3DKMTQueryAllocationResidency +D3DKMTQueryResourceInfo +D3DKMTQueryResourceInfoFromNtHandle +D3DKMTReleaseKeyedMutex +D3DKMTReleaseKeyedMutex2 +D3DKMTRender +D3DKMTSetAllocationPriority +D3DKMTSetContextSchedulingPriority +D3DKMTSetDeviceSchedulingPriority +D3DKMTSetDisplayMode +D3DKMTSetGammaRamp +D3DKMTSetVidPnSourceOwner +D3DKMTShareObjects +D3DKMTWaitForVerticalBlankEvent diff --git a/lib/libc/mingw/libarm32/d3d10warp.def b/lib/libc/mingw/libarm32/d3d10warp.def new file mode 100644 index 0000000000..e6d253632d --- /dev/null +++ b/lib/libc/mingw/libarm32/d3d10warp.def @@ -0,0 +1,14 @@ +; +; Definition file of d3d10warp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "d3d10warp.dll" +EXPORTS +ord_199 @199 +VSD3DDebugConnectionBuffer DATA +D3D11RefGetLastCreation +D3DLayerGetInterface +OpenAdapter +OpenAdapter10_2 +QueryDListForApplication1 diff --git a/lib/libc/mingw/libarm32/dab.def b/lib/libc/mingw/libarm32/dab.def new file mode 100644 index 0000000000..fcfd1e0b19 --- /dev/null +++ b/lib/libc/mingw/libarm32/dab.def @@ -0,0 +1,11 @@ +; +; Definition file of DAB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DAB.dll" +EXPORTS +DabInitialize +DabPowerStateChanged +DabSessionStateChanged +DabTerminate diff --git a/lib/libc/mingw/libarm32/dabapi.def b/lib/libc/mingw/libarm32/dabapi.def new file mode 100644 index 0000000000..33a04e5af3 --- /dev/null +++ b/lib/libc/mingw/libarm32/dabapi.def @@ -0,0 +1,10 @@ +; +; Definition file of DABAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DABAPI.dll" +EXPORTS +DabApiBufferFree +DabRegisterTriggerConsumer +DabUnregisterTriggerConsumer diff --git a/lib/libc/mingw/libarm32/datusage.def b/lib/libc/mingw/libarm32/datusage.def new file mode 100644 index 0000000000..2178fbfd64 --- /dev/null +++ b/lib/libc/mingw/libarm32/datusage.def @@ -0,0 +1,10 @@ +; +; Definition file of DatUsage.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DatUsage.dll" +EXPORTS +CreateDataUsageHelper +SetRealTimeUsage +SetUsageHistory diff --git a/lib/libc/mingw/libarm32/devdispitemprovider.def b/lib/libc/mingw/libarm32/devdispitemprovider.def new file mode 100644 index 0000000000..7ea374cc4c --- /dev/null +++ b/lib/libc/mingw/libarm32/devdispitemprovider.def @@ -0,0 +1,8 @@ +; +; Definition file of DevDispItemProvider.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DevDispItemProvider.dll" +EXPORTS +DevQueryEntry diff --git a/lib/libc/mingw/libarm32/deviceassociation.def b/lib/libc/mingw/libarm32/deviceassociation.def new file mode 100644 index 0000000000..8622e06b68 --- /dev/null +++ b/lib/libc/mingw/libarm32/deviceassociation.def @@ -0,0 +1,29 @@ +; +; Definition file of deviceassociation.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "deviceassociation.dll" +EXPORTS +DafAepExport +DafAepImport +DafChallengeDevicePresence +DafCloseAssociationContext +DafCloseChallengeContext +DafCloseImportExportContext +DafCreateAssociationContext +DafCreateAssociationContextFromOobBlob +DafCreateChallengeContext +DafCreateDeviceChallengeContext +DafCreateDeviceInterfaceChallengeContext +DafCreateImportExportContext +DafMemFree +DafSelectCeremony +DafStartAepExport +DafStartAepImport +DafStartDeviceStatusNotification +DafStartEnumCeremonies +DafStartFinalize +DafStartReadCeremonyData +DafStartRemoveAssociation +DafStartWriteCeremonyData diff --git a/lib/libc/mingw/libarm32/deviceregistration.def b/lib/libc/mingw/libarm32/deviceregistration.def new file mode 100644 index 0000000000..6956c9a201 --- /dev/null +++ b/lib/libc/mingw/libarm32/deviceregistration.def @@ -0,0 +1,12 @@ +; +; Definition file of DeviceRegistration.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DeviceRegistration.DLL" +EXPORTS +RegisterDevice +UnRegisterDevice +DiscoverRegistrationService +GetRegistrationInfo +IsRegistrationAvailable diff --git a/lib/libc/mingw/libarm32/devinv.def b/lib/libc/mingw/libarm32/devinv.def new file mode 100644 index 0000000000..7136c690e1 --- /dev/null +++ b/lib/libc/mingw/libarm32/devinv.def @@ -0,0 +1,9 @@ +; +; Definition file of devinv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "devinv.dll" +EXPORTS +RunDeviceInventoryW +CreateDeviceInventory diff --git a/lib/libc/mingw/libarm32/dfdts.def b/lib/libc/mingw/libarm32/dfdts.def new file mode 100644 index 0000000000..8b238942d8 --- /dev/null +++ b/lib/libc/mingw/libarm32/dfdts.def @@ -0,0 +1,11 @@ +; +; Definition file of DFDTS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DFDTS.dll" +EXPORTS +DfdGetDefaultPolicyAndSMART +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/dfpcommon.def b/lib/libc/mingw/libarm32/dfpcommon.def new file mode 100644 index 0000000000..625c271d9b --- /dev/null +++ b/lib/libc/mingw/libarm32/dfpcommon.def @@ -0,0 +1,20 @@ +; +; Definition file of DfpCommon.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DfpCommon.dll" +EXPORTS +Anonymize +ClearPIIFilter +FreePathAnonymizer +IsRunningElevated +LogMessage +MakeConfigService +MakeDriveStudyTask +MakeFolderStudyTask +MakeLogger +MakeMaintenanceService +MakePathAnonymizer +MakeStudyService +OutputMessage diff --git a/lib/libc/mingw/libarm32/dhcpcore.def b/lib/libc/mingw/libarm32/dhcpcore.def new file mode 100644 index 0000000000..ce4fe8fe6f --- /dev/null +++ b/lib/libc/mingw/libarm32/dhcpcore.def @@ -0,0 +1,11 @@ +; +; Definition file of dhcpcore.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dhcpcore.DLL" +EXPORTS +DhcpGlobalIsShuttingDown DATA +DhcpGlobalServiceSyncEvent DATA +DhcpGlobalTerminateEvent DATA +ServiceMain diff --git a/lib/libc/mingw/libarm32/dhcpcore6.def b/lib/libc/mingw/libarm32/dhcpcore6.def new file mode 100644 index 0000000000..0b3bfb5ffd --- /dev/null +++ b/lib/libc/mingw/libarm32/dhcpcore6.def @@ -0,0 +1,8 @@ +; +; Definition file of dhcpcore6.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dhcpcore6.DLL" +EXPORTS +Dhcpv6Main diff --git a/lib/libc/mingw/libarm32/dhcpqec.def b/lib/libc/mingw/libarm32/dhcpqec.def new file mode 100644 index 0000000000..52a1712c40 --- /dev/null +++ b/lib/libc/mingw/libarm32/dhcpqec.def @@ -0,0 +1,10 @@ +; +; Definition file of DhcpQEC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DhcpQEC.dll" +EXPORTS +DhcpQecEnableTracing +InitializeQec +UninitializeQec diff --git a/lib/libc/mingw/libarm32/diagperf.def b/lib/libc/mingw/libarm32/diagperf.def new file mode 100644 index 0000000000..3502e44384 --- /dev/null +++ b/lib/libc/mingw/libarm32/diagperf.def @@ -0,0 +1,10 @@ +; +; Definition file of official.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "official.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/dispci.def b/lib/libc/mingw/libarm32/dispci.def new file mode 100644 index 0000000000..2195549d7b --- /dev/null +++ b/lib/libc/mingw/libarm32/dispci.def @@ -0,0 +1,8 @@ +; +; Definition file of DispCI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DispCI.dll" +EXPORTS +DisplayClassInstaller diff --git a/lib/libc/mingw/libarm32/display.def b/lib/libc/mingw/libarm32/display.def new file mode 100644 index 0000000000..8cf26414d8 --- /dev/null +++ b/lib/libc/mingw/libarm32/display.def @@ -0,0 +1,8 @@ +; +; Definition file of DISPLAY.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DISPLAY.dll" +EXPORTS +DisplaySaveSettingsEx diff --git a/lib/libc/mingw/libarm32/dmdskmgr.def b/lib/libc/mingw/libarm32/dmdskmgr.def new file mode 100644 index 0000000000..dfaf9b554f --- /dev/null +++ b/lib/libc/mingw/libarm32/dmdskmgr.def @@ -0,0 +1,248 @@ +; +; Definition file of DMDskMgr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DMDskMgr.dll" +EXPORTS +??0CDataCache@@QAA@XZ +??1CDMNodeObj@@QAA@XZ +??1CDataCache@@UAA@XZ +?AddFileSystemInfoToCache@CDataCache@@QAAXKPAUfilesysteminfo@@@Z +?AddFileSystemInfoToListAndMap@CDataCache@@QAAXKPAUfilesysteminfo@@@Z +?AddLDMObjMapEntry@CDataCache@@QAAXPAU_LDM_OBJ_MAP_ENTRY@@@Z +?AddRegionToVolumeMemberList@CDataCache@@QAAXPAVCDMNodeObj@@@Z +?AddRow@CDMComponentData@@QAAXPAVCDMScopeNode@@J@Z +?AdjustRegionCountInLegendList@CDataCache@@QAAXW4_REGIONTYPE@@HPAVCTaskData@@@Z +?AdjustVolumeCountInLegendList@CDataCache@@QAAXW4_VOLUMELAYOUT@@HPAVCTaskData@@@Z +?CanHaveGPT@CDMNodeObj@@QAAHXZ +?ChangeRow@CDMComponentData@@QAAXPAVCDMScopeNode@@J@Z +?Command@CContextMenu@@QAAJJPAUIDataObject@@J@Z +?CompareDiskNames@@YAHJJ@Z +?ContainsActivePartition@CDMNodeObj@@QAAHXZ +?ContainsBootIniPartition@CDMNodeObj@@QAAHXZ +?ContainsBootIniPartitionForWolfpack@CDMNodeObj@@QAAHXZ +?ContainsBootVolumesNumberChange@CDMNodeObj@@QAAH_JPAH@Z +?ContainsESPPartition@CDMNodeObj@@QAAHXZ +?ContainsFVEPartition@CDMNodeObj@@QAAHXZ +?ContainsLogicalDrvBootPartition@CDMNodeObj@@QAAHXZ +?ContainsPageFile@CDMNodeObj@@QAAHXZ +?ContainsRealSystemPartition@CDMNodeObj@@QAAHXZ +?ContainsSubDiskNeedResync@CDMNodeObj@@QAAHXZ +?ContainsSystemInformation@CDMNodeObj@@QAAHXZ +?ContainsSystemPartition@CDMNodeObj@@QAAHXZ +?ConvertBytesToMB@@YA_J_J@Z +?ConvertMBToBytes@@YA_J_J@Z +?CookieSort@@YAXPAJIIIP6AHJJ@Z@Z +?CreateDiskList@CDataCache@@QAAXXZ +?CreateNodeObjAndAddToMap@CDataCache@@QAAPAVCDMNodeObj@@HW4_NODEOBJ_TYPES@@PAV1@PAX_J@Z +?CreateRegionNodeObj@CDataCache@@QAAPAVCDMNodeObj@@PAV2@PAUregioninfoex@@@Z +?CreateShortDiskName@CDataCache@@QAAXAAUdiskinfoex@@@Z +?CreateVolumeList@CDataCache@@QAAXXZ +?DeleteDiskGroupData@CDataCache@@QAAXPAUDISK_GROUP_DATA@@@Z +?DeleteEncapsulateData@CDataCache@@QAAXPAUENCAPSULATE_DATA@@@Z +?DeleteLists@CDataCache@@QAAXXZ +?DeleteRegionFromVolumeMemberList@CDataCache@@QAAXPAVCDMNodeObj@@@Z +?DeleteRow@CDMComponentData@@QAAXPAVCDMScopeNode@@J@Z +?DoDelete@CContextMenu@@QAAXJ@Z +?DoRevertToNT4@CContextMenu@@QAAXJH@Z +?EmptyOcxViewData@CDMComponentData@@QAAXPAVCDMScopeNode@@@Z +?EnhancedIsUpgradeable@CDMNodeObj@@QAAHPAVCTaskData@@@Z +?EnumDiskRegions@CDMNodeObj@@QAAXPAPAJAAJ@Z +?EnumDisks@CTaskData@@QAAXAAKPAPAJ@Z +?EnumFirstVolumeMember@CDMNodeObj@@QAAXAAJ0@Z +?EnumNTFSwithDriveLetter@CDataCache@@QAAXPAHPAPAG@Z +?EnumNTFSwithDriveLetter@CTaskData@@QAAXPAHPAPAG@Z +?EnumVolumeMembers@CDMNodeObj@@QAAXPAPAJAAJ@Z +?EnumVolumes@CTaskData@@QAAXAAKPAPAJ@Z +?FillDeviceInstanceId@CDataCache@@QAAXPAG0@Z +?FilterCookiesBigEnoughForFTRepair@CTaskData@@QAAXAAKPAJPAPAJ_JPAVCDMNodeObj@@@Z +?FilterCookiesBigEnoughForRAID5Repair@CTaskData@@QAAXAAKPAJPAPAJ_JPAVCDMNodeObj@@@Z +?FindCookieAndRemoveFromList@CDataCache@@QAAHJPAV?$CList@PAVCDMNodeObj@@PAV1@@@@Z +?FindDeviceInstanceId@CDataCache@@QAAPAG_J@Z +?FindDiskPtrFromDiskId@CDataCache@@QAAH_JPAPAVCDMNodeObj@@@Z +?FindDriveLetter@CDataCache@@QAAH_JAAG@Z +?FindDriveLetter@CTaskData@@QAAX_JAAG@Z +?FindDriveLetterHelper@@YAHPAUdriveletterinfo@@H_JAAG@Z +?FindFileSystem@CDataCache@@QAAH_JAAUfilesysteminfo@@@Z +?FindFileSystem@CTaskData@@QAAH_JAAUfilesysteminfo@@@Z +?FindRegionPtrFromRegionId@CDataCache@@QAAH_JPAPAVCDMNodeObj@@@Z +?FindRegionPtrFromRegionId@CTaskData@@QAAH_JPAPAVCDMNodeObj@@@Z +?FindRegionPtrOnDiskFromRegionId@CDataCache@@QAAHPAVCDMNodeObj@@_JPAPAV2@AAPAU__POSITION@@@Z +?GetAssignedDriveLetter@CTaskData@@QAAHJAAG@Z +?GetBootPort@CDataCache@@QAAHXZ +?GetBootPort@CTaskData@@QAAHXZ +?GetColorRef@CDMNodeObj@@QAAKXZ +?GetComponentData@CDataCache@@QAAPAVCDMComponentData@@XZ +?GetDMDataObjPtrFromId@CTaskData@@QAAPAVCDMNodeObj@@_J@Z +?GetDeviceAttributes@CDMNodeObj@@QAAKXZ +?GetDeviceState@CDMNodeObj@@QAAKXZ +?GetDeviceType@CDMNodeObj@@QAAKXZ +?GetDiskCookies@CDataCache@@IAAXAAKPAPAJ@Z +?GetDiskCookies@CTaskData@@QAAXAAKPAPAJHKH@Z +?GetDiskCookiesForAddMirror@CTaskData@@QAAXJAAKPAPAJ@Z +?GetDiskCookiesForCreateVolume@CTaskData@@QAAXAAKPAPAJ@Z +?GetDiskCookiesForExtendVolume@CTaskData@@QAAXJAAKPAPAJ@Z +?GetDiskCookiesForSig@CTaskData@@QAAXAAKPAPAJ@Z +?GetDiskCookiesForUpgrade@CTaskData@@QAAXAAKPAPAJ@Z +?GetDiskCookiesToEncap@CTaskData@@QAAXAAKPAPAJ@Z +?GetDiskCookiesWithFreeSpace@CTaskData@@QAAXAAKPAPAJ@Z +?GetDiskCount@CDataCache@@QAAKXZ +?GetDiskInfo@CDMNodeObj@@QAAHAAUdiskinfoex@@@Z +?GetDiskInfoFromVolCookie@CTaskData@@QAAXJAAHAAKPAPAJKH@Z +?GetDiskSpec@CDMNodeObj@@QAAHAAUdiskspec@@@Z +?GetDiskStatus@CDMNodeObj@@QAAHAAVCString@@@Z +?GetDiskStatusHelper@@YAHPAUdiskinfoex@@AAVCString@@H@Z +?GetDiskTypeName@CDMNodeObj@@QAAXAAVCString@@@Z +?GetDiskTypeNameHelper@@YAXPAUdiskinfoex@@AAVCString@@G@Z +?GetDriveLetter@CDMNodeObj@@QAAXAAG@Z +?GetDriveLetters@CDataCache@@IAAXAAFPAPAGG@Z +?GetDriveLetters@CTaskData@@QAAXAAFPAPAGG@Z +?GetExtendedRegionColor@CDMNodeObj@@QAAKXZ +?GetExtraRegionStatus@CDMNodeObj@@QAAHAAVCString@@H@Z +?GetFileSystemLabel@CDMNodeObj@@QAAXAAVCString@@@Z +?GetFileSystemName@CDMNodeObj@@QAAXAAVCString@@@Z +?GetFileSystemSize@CDMNodeObj@@QAAXAAJ@Z +?GetFileSystemType@CDMNodeObj@@QAAHXZ +?GetFileSystemTypes@CDataCache@@QAAXAAKPAPAUifilesysteminfo@@@Z +?GetFileSystemTypes@CTaskData@@QAAXAAKPAPAUifilesysteminfo@@@Z +?GetFlags@CDMNodeObj@@QAAJXZ +?GetIVolumeClientVersion@CDMNodeObj@@QAAFXZ +?GetIVolumeClientVersion@CTaskData@@QAAFXZ +?GetIconId@CDMNodeObj@@QAAIH@Z +?GetImageNum@CDMNodeObj@@QAAHXZ +?GetLastKnownState@CDataCache@@QAA_J_J@Z +?GetLayoutType@CDMNodeObj@@QAA?AW4_LAYOUT_TYPES@@XZ +?GetLdmObjectId@CDMNodeObj@@QAA_JXZ +?GetLogicalDriveCount@CDMNodeObj@@QAAKXZ +?GetLongName@CDMNodeObj@@QAAXAAVCString@@H@Z +?GetMMCWindow@CDMComponentData@@QAAPAUHWND__@@XZ +?GetMaxAdjustedFreeSize@CDMNodeObj@@QAAXAA_J@Z +?GetMaxPartitionCount@CDMNodeObj@@QAAKXZ +?GetMinMaxPartitionSizes@CDataCache@@IAAXJAA_J0@Z +?GetMinMaxPartitionSizes@CTaskData@@QAAXJAA_J0@Z +?GetName@CDMNodeObj@@QAAXAAVCString@@@Z +?GetNumMembers@CDMNodeObj@@QAAKXZ +?GetNumRegions@CDMNodeObj@@QAAKXZ +?GetObjectId@CDMNodeObj@@QAAXAA_J@Z +?GetOcxFrameCWndPtr@CTaskData@@QAAPAVCWnd@@XZ +?GetOfflineReasonText@CDMNodeObj@@QAAHAAVCString@@@Z +?GetOtherDisksFromVolCookie@CTaskData@@QAAXJAAKPAPAJ@Z +?GetParentDiskPtr@CDMNodeObj@@QAAPAV1@XZ +?GetParentVolumePtr@CDMNodeObj@@QAAPAV1@XZ +?GetPartitionStyle@CDMNodeObj@@QAA?AW4_PARTITIONSTYLE@@XZ +?GetPartitionStyleString@CDMNodeObj@@QAAXAAVCString@@H@Z +?GetPartitionStyleStringHelper@@YAXW4_PARTITIONSTYLE@@AAVCString@@HKKH@Z +?GetPatternRef@CDMNodeObj@@QAAHXZ +?GetPort@CDMNodeObj@@QAAHXZ +?GetPrimaryPartitionCount@CDMNodeObj@@QAAKXZ +GetPropertyPageData +?GetRegionByOffset@CDMNodeObj@@QAAPAV1@_J@Z +?GetRegionColorStructPtr@CTaskData@@QAAXPAPAU_REGION_COLORS@@AAH@Z +?GetRegionInfo@CDMNodeObj@@QAAHAAUregioninfoex@@@Z +?GetResultPane@CDMSnapin@@QAAHJPAPAVCDMResultPane@@@Z +?GetResultStringArray@CDMNodeObj@@QAAHAAVCStringArray@@@Z +?GetScopeNode@CDMScopeNodeCollection@@QAAHJPAPAVCDMScopeNode@@@Z +?GetScopeNodeForResultPane@CDMComponentData@@QAAHJPAPAVCDMScopeNode@@@Z +?GetServerName@CDataCache@@QAA?AVCString@@XZ +?GetServerName@CTaskData@@QAA?AVCString@@XZ +?GetShortName@CDMNodeObj@@QAAXAAVCString@@@Z +?GetShrinkableSizeInMB@CDMNodeObj@@QAA_JXZ +?GetSize@CDMNodeObj@@QAAXAA_JH@Z +?GetSizeMB@CDMNodeObj@@QAAXAA_J@Z +?GetSizeString@CDMNodeObj@@QAAXAAVCString@@@Z +?GetStartOffset@CDMNodeObj@@QAA_JXZ +?GetStatus@CDMNodeObj@@QAAHXZ +?GetStorageType@CDMNodeObj@@QAA?AW4_STORAGE_TYPES@@XZ +?GetStorageType@CDMNodeObj@@QAAXAAVCString@@H@Z +?GetStringFromRc@@YA?AVCString@@K@Z +?GetUIState@CTaskData@@QAAKXZ +?GetUnallocSpace@CDMNodeObj@@QAA_JH@Z +?GetUsableContiguousSpaceInMB@CDMNodeObj@@QAA_JXZ +?GetVolumeCookies@CDataCache@@IAAXAAKPAPAJ@Z +?GetVolumeCount@CDataCache@@QAAKXZ +?GetVolumeFileSystemTypes@CDMNodeObj@@QAAJAAKPAPAUilhfilesysteminfo@@@Z +?GetVolumeInfo@CDMNodeObj@@QAAHAAUvolumeinfo@@@Z +?GetVolumeStatus@CDMNodeObj@@QAAHAAVCString@@@Z +?GetVolumeTotalSizeMB@CDMNodeObj@@QAA_JXZ +?HasExtendedPartition@CDMNodeObj@@QAAHXZ +?HasNTFSwithDriveLetter@CDataCache@@QAAHXZ +?HasNTFSwithDriveLetter@CTaskData@@QAAHXZ +?HasVMDisk@CDataCache@@QAAHXZ +?IsActive@CDMNodeObj@@QAAHXZ +?IsAlpha@CDataCache@@QAAHXZ +?IsAlpha@CTaskData@@QAAHXZ +?IsConvertSuccess@CDMNodeObj@@QAAJH@Z +?IsCurrBootVolume@CDMNodeObj@@QAAHXZ +?IsCurrSystemVolume@CDMNodeObj@@QAAHXZ +?IsDiskEmpty@CDMNodeObj@@QAAHXZ +?IsDiskOffline@CDMNodeObj@@QAAHXZ +?IsDiskReadOnly@CDMNodeObj@@QAAHXZ +?IsDynamic1394@CDataCache@@QAAHXZ +?IsEECoveredGPTDisk@CDMNodeObj@@QAAHXZ +?IsESPPartition@CDMNodeObj@@QAAHXZ +?IsEfi@CDataCache@@QAAHXZ +?IsEfi@CTaskData@@QAAHXZ +?IsExtendedPartitionCreated@CDMNodeObj@@QAAJXZ +?IsFTVolume@CDMNodeObj@@QAAHXZ +?IsFakeVolume@CDMNodeObj@@QAAHXZ +?IsFirstFreeRegion@CDMNodeObj@@QAAHXZ +?IsFreeSpaceFollowed@CDMNodeObj@@QAAH_J@Z +?IsHiddenRegion@@YAHAAUregioninfoex@@@Z +?IsHiddenRegion@CDMNodeObj@@QAAHXZ +?IsInFlux@CDMNodeObj@@QAAHXZ +?IsLocalMachine@CTaskData@@QAAHXZ +?IsMbrEEPartition@@YAHAAUregioninfoex@@@Z +?IsMbrEEPartition@CDMNodeObj@@QAAHXZ +?IsMember@CDMNodeObj@@QAAHPAV1@@Z +?IsNEC_98Disk@CDMNodeObj@@QAAHXZ +?IsNEC_98Server@CDataCache@@QAAHXZ +?IsNEC_98Server@CTaskData@@QAAHXZ +?IsNTServer@CTaskData@@QAAHXZ +?IsOemPartition@CDMNodeObj@@QAAHXZ +?IsPersonalOrLapTopServer@CDataCache@@QAAHXZ +?IsPostLonghornVdsVersion@CDataCache@@QAAHXZ +?IsPostLonghornVdsVersion@CTaskData@@QAAHXZ +?IsPreLonghornVdsVersion@CDataCache@@QAAHXZ +?IsPreLonghornVdsVersion@CTaskData@@QAAHXZ +IsRequestPending +?IsRevertable@CDMNodeObj@@QAAHXZ +?IsSecureSystemPartition@CTaskData@@QAAHXZ +?IsSpacesProtectivePartition@CDMNodeObj@@QAAHXZ +?IsUnknownPartition@CDMNodeObj@@QAAHXZ +?IsUpgradeable@CDMNodeObj@@QAAHXZ +?IsVolumeArrived@CDMNodeObj@@QAAJ_JW4_LAYOUT_TYPES@@@Z +?IsVolumeSimple@CDMNodeObj@@QAAHXZ +?IsWolfpack@CDataCache@@QAAHXZ +?IsWolfpack@CTaskData@@QAAHXZ +?LoadData@CDMComponentData@@QAAXPAVCDMScopeNode@@J@Z +LoadPropertyPageData +?MarkDiskForLastVolume@CDMNodeObj@@QAAXPAV1@@Z +?MarkDisksForLastVolume@CDMNodeObj@@QAAXXZ +?OnlyContiguousExtendAllowed@CDMNodeObj@@QAAHXZ +?ParseDeviceName@@YAXPAH00PAG@Z +?PopUpInit@CContextMenu@@QAAXPAVCDMNodeObj@@AAH1H@Z +?PopulateDiskGroupData@CDataCache@@QAAXPAUDISK_GROUP_DATA@@@Z +?PopulateEncapsulateData@CDataCache@@QAAXPAUENCAPSULATE_DATA@@@Z +?RecalculateSpace@CDMNodeObj@@QAAXXZ +?RefreshDiskView@CDMComponentData@@QAAXPAVCDMScopeNode@@@Z +?RefreshFileSys@CContextMenu@@QAAXJ@Z +?ReloadData@CDMComponentData@@QAAXPAVCDMScopeNode@@@Z +?RoundUpToMB@@YA_J_J@Z +?SetDescriptionBarText@CDMSnapin@@QAAXJ@Z +?SetDiskList@CDataCache@@QAAXPAUdiskinfoex@@K@Z +?SetDriveLetterInUse@CDataCache@@QAAXGH@Z +?SetFSId@CDMNodeObj@@QAAX_J@Z +?SetOcxViewType@CDMComponentData@@QAAXPAVCDMScopeNode@@@Z +?SetOcxViewTypeForce@CDMComponentData@@QAAXPAVCDMScopeNode@@@Z +?SetUIState@CTaskData@@QAAXK@Z +?SetVolumeList@CDataCache@@QAAXPAUvolumeinfo@@KPAVCTaskData@@@Z +?ShowContextMenu@CContextMenu@@QAAJPAVCWnd@@JJJ@Z +?SupportGpt@CDataCache@@QAAHXZ +?SupportGpt@CTaskData@@QAAHXZ +?SupportMirror@CDataCache@@QAAHXZ +?SupportRaid5@CDataCache@@QAAHXZ +?UIStateChange@CDMComponentData@@QAAXPAVCDMScopeNode@@K@Z +?UpDateConsoleView@CDMSnapin@@QAAXJ@Z +?VolumeContainsActiveRegion@CDMNodeObj@@QAAHXZ +?namecmp@@YAHPBG0@Z diff --git a/lib/libc/mingw/libarm32/dmvdsitf.def b/lib/libc/mingw/libarm32/dmvdsitf.def new file mode 100644 index 0000000000..ce87764efc --- /dev/null +++ b/lib/libc/mingw/libarm32/dmvdsitf.def @@ -0,0 +1,18 @@ +; +; Definition file of dmivcitf.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dmivcitf.dll" +EXPORTS +?AddLDMObjMapEntry@CDataCache@@QAAXPAU_LDM_OBJ_MAP_ENTRY@@@Z +CreateDataCacheZ +CreateServerRequestsZ +?GetDiskCount@CDataCache@@QAAKXZ +?GetLdmObjectId@CDMNodeObj@@QAA_JXZ +?GetNumMembers@CDMNodeObj@@QAAKXZ +?GetOcxFrameCWndPtr@CTaskData@@QAAPAVCWnd@@XZ +?GetRegionColorStructPtr@CTaskData@@QAAXPAPAU_REGION_COLORS@@AAH@Z +?GetServerName@CDataCache@@QAA?AVCString@@XZ +?GetVolumeCount@CDataCache@@QAAKXZ +LoadPropertyPageData diff --git a/lib/libc/mingw/libarm32/dot3api.def b/lib/libc/mingw/libarm32/dot3api.def new file mode 100644 index 0000000000..f89841d163 --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3api.def @@ -0,0 +1,33 @@ +; +; Definition file of dot3api.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dot3api.dll" +EXPORTS +Dot3CancelPlap +Dot3CloseHandle +Dot3DeinitPlapParams +Dot3DeleteProfile +Dot3DoPlap +Dot3EnumInterfaces +Dot3FreeMemory +Dot3GetCurrentProfile +Dot3GetInterfaceState +Dot3GetProfile +Dot3GetProfileEapUserDataInfo +Dot3InitPlapParams +Dot3OpenHandle +Dot3QueryAutoConfigParameter +Dot3QueryPlapCredentials +Dot3QueryUIRequest +Dot3ReConnect +Dot3ReasonCodeToString +Dot3RegisterNotification +Dot3SetAutoConfigParameter +Dot3SetInterface +Dot3SetProfile +Dot3SetProfileEapUserData +Dot3SetProfileEapXmlUserData +Dot3UIResponse +QueryNetconStatus diff --git a/lib/libc/mingw/libarm32/dot3dlg.def b/lib/libc/mingw/libarm32/dot3dlg.def new file mode 100644 index 0000000000..1a472764f9 --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3dlg.def @@ -0,0 +1,9 @@ +; +; Definition file of dot3dlg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dot3dlg.dll" +EXPORTS +Dot3ACOnBalloonClick +Dot3ACCanShowBalloon diff --git a/lib/libc/mingw/libarm32/dot3gpclnt.def b/lib/libc/mingw/libarm32/dot3gpclnt.def new file mode 100644 index 0000000000..47f12f32b2 --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3gpclnt.def @@ -0,0 +1,12 @@ +; +; Definition file of dot3gpclnt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dot3gpclnt.dll" +EXPORTS +DeserializeLANPolicy +GenerateLANPolicy +ProcessLANPolicyEx +LANGPADeInit +LANGPAInit diff --git a/lib/libc/mingw/libarm32/dot3msm.def b/lib/libc/mingw/libarm32/dot3msm.def new file mode 100644 index 0000000000..dce052db78 --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3msm.def @@ -0,0 +1,26 @@ +; +; Definition file of dot3msm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dot3msm.dll" +EXPORTS +Dot3MsmConnect +Dot3MsmCreateDefaultProfile +Dot3MsmDeInit +Dot3MsmDeInitAdapter +Dot3MsmDisconnect +Dot3MsmFreeMemory +Dot3MsmFreeProfile +Dot3MsmIndicateSessionChange +Dot3MsmInit +Dot3MsmInitAdapter +Dot3MsmQueryMediaState +Dot3MsmQueryPendingUIRequest +Dot3MsmQueryState +Dot3MsmReAuthenticate +Dot3MsmSetRuntimeState +Dot3MsmUIResponse +Dot3MsmValidateProfile +Dot3ReasonCodeMsmToString +Dot3SetPortAuthenticationState diff --git a/lib/libc/mingw/libarm32/dot3svc.def b/lib/libc/mingw/libarm32/dot3svc.def new file mode 100644 index 0000000000..d9f56b6af1 --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3svc.def @@ -0,0 +1,11 @@ +; +; Definition file of Dot3svc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Dot3svc.dll" +EXPORTS +Dot3SvcMain +LanNotifyOnLogoff +LanNotifyOnLogon +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/dot3ui.def b/lib/libc/mingw/libarm32/dot3ui.def new file mode 100644 index 0000000000..f8a1ee126b --- /dev/null +++ b/lib/libc/mingw/libarm32/dot3ui.def @@ -0,0 +1,8 @@ +; +; Definition file of dot3ui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dot3ui.dll" +EXPORTS +Dot3CreatePsPage diff --git a/lib/libc/mingw/libarm32/dpapi.def b/lib/libc/mingw/libarm32/dpapi.def new file mode 100644 index 0000000000..3efe74da3f --- /dev/null +++ b/lib/libc/mingw/libarm32/dpapi.def @@ -0,0 +1,14 @@ +; +; Definition file of DPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DPAPI.dll" +EXPORTS +CryptProtectDataNoUI +CryptProtectMemory +CryptResetMachineCredentials +CryptUnprotectDataNoUI +CryptUnprotectMemory +CryptUpdateProtectedState +iCryptIdentifyProtection diff --git a/lib/libc/mingw/libarm32/dpapisrv.def b/lib/libc/mingw/libarm32/dpapisrv.def new file mode 100644 index 0000000000..f14445836e --- /dev/null +++ b/lib/libc/mingw/libarm32/dpapisrv.def @@ -0,0 +1,9 @@ +; +; Definition file of dpapisrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dpapisrv.dll" +EXPORTS +InitializeLsaExtension +QueryLsaInterface diff --git a/lib/libc/mingw/libarm32/dpx.def b/lib/libc/mingw/libarm32/dpx.def new file mode 100644 index 0000000000..13e35e6718 --- /dev/null +++ b/lib/libc/mingw/libarm32/dpx.def @@ -0,0 +1,12 @@ +; +; Definition file of dpx.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dpx.dll" +EXPORTS +DpxFreeMemory +DpxNewJob +DpxNewJobEx +DpxRestoreJob +DpxRestoreJobEx diff --git a/lib/libc/mingw/libarm32/drvstore.def b/lib/libc/mingw/libarm32/drvstore.def new file mode 100644 index 0000000000..b4a2ac23b5 --- /dev/null +++ b/lib/libc/mingw/libarm32/drvstore.def @@ -0,0 +1,50 @@ +; +; Definition file of drvstore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "drvstore.dll" +EXPORTS +DriverPackageClose +DriverPackageEnumClassesW +DriverPackageEnumConfigurationsW +DriverPackageEnumDevicesW +DriverPackageEnumDriversW +DriverPackageEnumFilesW +DriverPackageEnumInterfacesW +DriverPackageEnumPropertiesW +DriverPackageEnumRegKeysW +DriverPackageEnumServicesW +DriverPackageGetVersionInfoW +DriverPackageOpenW +DriverStoreClose +DriverStoreConfigureW +DriverStoreCopyW +DriverStoreDeleteW +DriverStoreDriverPackageResolveCallbackW +DriverStoreEnumObjectsW +DriverStoreEnumW +DriverStoreFindW +DriverStoreGetObjectPropertyKeysW +DriverStoreGetObjectPropertyW +DriverStoreImportW +DriverStoreOfflineAddDriverPackageA +DriverStoreOfflineAddDriverPackageW +DriverStoreOfflineDeleteDriverPackageA +DriverStoreOfflineDeleteDriverPackageW +DriverStoreOfflineEnumDriverPackageA +DriverStoreOfflineEnumDriverPackageW +DriverStoreOfflineFindDriverPackageA +DriverStoreOfflineFindDriverPackageW +DriverStoreOpenW +DriverStorePublishW +DriverStoreReflectCriticalW +DriverStoreReflectW +DriverStoreSetLogContext +DriverStoreSetObjectPropertyW +DriverStoreUnconfigureW +DriverStoreUnpublishW +DriverStoreUnreflectCriticalW +DriverStoreUnreflectW +pServerDeleteDriverPackage +pServerImportDriverPackage diff --git a/lib/libc/mingw/libarm32/dui70.def b/lib/libc/mingw/libarm32/dui70.def new file mode 100644 index 0000000000..2ad75d07d7 --- /dev/null +++ b/lib/libc/mingw/libarm32/dui70.def @@ -0,0 +1,4137 @@ +; +; Definition file of DUI70.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "DUI70.dll" +EXPORTS +??0?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@QAA@XZ +??0?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@QAA@XZ +??0?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@QAA@XZ +??0?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@QAA@XZ +??0?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@QAA@XZ +??0?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@QAA@XZ +??0?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@QAA@XZ +??0?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@QAA@XZ +??0?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@QAA@XZ +??0?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@QAA@XZ +??0?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@QAA@XZ +??0?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@QAA@XZ +??0?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@QAA@XZ +??0?$SafeArrayAccessor@H@DirectUI@@QAA@XZ +??0AccessibleButton@DirectUI@@QAA@ABV01@@Z +??0AccessibleButton@DirectUI@@QAA@XZ +??0AnimationStrip@DirectUI@@QAA@ABV01@@Z +??0AnimationStrip@DirectUI@@QAA@XZ +??0AutoButton@DirectUI@@QAA@ABV01@@Z +??0AutoButton@DirectUI@@QAA@XZ +??0AutoLock@DirectUI@@QAA@PAU_RTL_CRITICAL_SECTION@@@Z +??0AutoThread@DirectUI@@QAA@XZ +??0AutoVariant@DirectUI@@QAA@XZ +??0BaseScrollBar@DirectUI@@QAA@ABV01@@Z +??0BaseScrollBar@DirectUI@@QAA@XZ +??0BaseScrollViewer@DirectUI@@QAA@ABV01@@Z +??0BaseScrollViewer@DirectUI@@QAA@XZ +??0Bind@DirectUI@@QAA@ABV01@@Z +??0Bind@DirectUI@@QAA@XZ +??0BorderLayout@DirectUI@@QAA@ABV01@@Z +??0BorderLayout@DirectUI@@QAA@XZ +??0Browser@DirectUI@@QAA@ABV01@@Z +??0Browser@DirectUI@@QAA@XZ +??0BrowserSelectionProxy@DirectUI@@QAA@ABV01@@Z +??0BrowserSelectionProxy@DirectUI@@QAA@XZ +??0Button@DirectUI@@QAA@ABV01@@Z +??0Button@DirectUI@@QAA@XZ +??0CCAVI@DirectUI@@QAA@ABV01@@Z +??0CCAVI@DirectUI@@QAA@XZ +??0CCBase@DirectUI@@QAA@ABV01@@Z +??0CCBase@DirectUI@@QAA@KPBG@Z +??0CCBaseCheckRadioButton@DirectUI@@QAA@ABV01@@Z +??0CCBaseCheckRadioButton@DirectUI@@QAA@K@Z +??0CCBaseScrollBar@DirectUI@@QAA@ABV01@@Z +??0CCBaseScrollBar@DirectUI@@QAA@K@Z +??0CCCheckBox@DirectUI@@QAA@ABV01@@Z +??0CCCheckBox@DirectUI@@QAA@K@Z +??0CCCommandLink@DirectUI@@QAA@ABV01@@Z +??0CCCommandLink@DirectUI@@QAA@K@Z +??0CCHScrollBar@DirectUI@@QAA@ABV01@@Z +??0CCHScrollBar@DirectUI@@QAA@XZ +??0CCListBox@DirectUI@@QAA@ABV01@@Z +??0CCListBox@DirectUI@@QAA@XZ +??0CCListView@DirectUI@@QAA@ABV01@@Z +??0CCListView@DirectUI@@QAA@XZ +??0CCProgressBar@DirectUI@@QAA@ABV01@@Z +??0CCProgressBar@DirectUI@@QAA@XZ +??0CCPushButton@DirectUI@@QAA@ABV01@@Z +??0CCPushButton@DirectUI@@QAA@K@Z +??0CCRadioButton@DirectUI@@QAA@ABV01@@Z +??0CCRadioButton@DirectUI@@QAA@XZ +??0CCSysLink@DirectUI@@QAA@ABV01@@Z +??0CCSysLink@DirectUI@@QAA@XZ +??0CCTrackBar@DirectUI@@QAA@ABV01@@Z +??0CCTrackBar@DirectUI@@QAA@XZ +??0CCTreeView@DirectUI@@QAA@ABV01@@Z +??0CCTreeView@DirectUI@@QAA@K@Z +??0CCVScrollBar@DirectUI@@QAA@ABV01@@Z +??0CCVScrollBar@DirectUI@@QAA@XZ +??0CallstackTracker@DirectUI@@QAA@XZ +??0CheckBoxGlyph@DirectUI@@QAA@ABV01@@Z +??0CheckBoxGlyph@DirectUI@@QAA@XZ +??0ClassInfoBase@DirectUI@@QAA@ABV01@@Z +??0ClassInfoBase@DirectUI@@QAA@XZ +??0Clipper@DirectUI@@QAA@ABV01@@Z +??0Clipper@DirectUI@@QAA@XZ +??0Combobox@DirectUI@@QAA@ABV01@@Z +??0Combobox@DirectUI@@QAA@XZ +??0CritSecLock@DirectUI@@QAA@PAU_RTL_CRITICAL_SECTION@@@Z +??0DCSurface@DirectUI@@QAA@ABV01@@Z +??0DCSurface@DirectUI@@QAA@PAUHDC__@@@Z +??0DUIFactory@DirectUI@@QAA@PAUHWND__@@@Z +??0DUIXmlParser@DirectUI@@QAA@ABV01@@Z +??0DUIXmlParser@DirectUI@@QAA@XZ +??0DialogElement@DirectUI@@QAA@ABV01@@Z +??0DialogElement@DirectUI@@QAA@XZ +??0DuiAccessible@DirectUI@@QAA@XZ +??0Edit@DirectUI@@QAA@ABV01@@Z +??0Edit@DirectUI@@QAA@XZ +??0Element@DirectUI@@QAA@ABV01@@Z +??0Element@DirectUI@@QAA@XZ +??0ElementProvider@DirectUI@@QAA@XZ +??0ElementProxy@DirectUI@@QAA@ABV01@@Z +??0ElementProxy@DirectUI@@QAA@XZ +??0ElementWithHWND@DirectUI@@QAA@ABV01@@Z +??0ElementWithHWND@DirectUI@@QAA@XZ +??0ExpandCollapseProvider@DirectUI@@QAA@XZ +??0ExpandCollapseProxy@DirectUI@@QAA@ABV01@@Z +??0ExpandCollapseProxy@DirectUI@@QAA@XZ +??0Expandable@DirectUI@@QAA@ABV01@@Z +??0Expandable@DirectUI@@QAA@XZ +??0Expando@DirectUI@@QAA@ABV01@@Z +??0Expando@DirectUI@@QAA@XZ +??0ExpandoButtonGlyph@DirectUI@@QAA@ABV01@@Z +??0ExpandoButtonGlyph@DirectUI@@QAA@XZ +??0FillLayout@DirectUI@@QAA@ABV01@@Z +??0FillLayout@DirectUI@@QAA@XZ +??0FlowLayout@DirectUI@@QAA@ABV01@@Z +??0FlowLayout@DirectUI@@QAA@XZ +??0FontCache@DirectUI@@QAA@ABV01@@Z +??0FontCache@DirectUI@@QAA@XZ +??0FontCheckOut@DirectUI@@QAA@PAVElement@1@PAUHDC__@@@Z +??0GridItemProvider@DirectUI@@QAA@XZ +??0GridItemProxy@DirectUI@@QAA@ABV01@@Z +??0GridItemProxy@DirectUI@@QAA@XZ +??0GridLayout@DirectUI@@QAA@ABV01@@Z +??0GridLayout@DirectUI@@QAA@XZ +??0GridProvider@DirectUI@@QAA@XZ +??0GridProxy@DirectUI@@QAA@ABV01@@Z +??0GridProxy@DirectUI@@QAA@XZ +??0HWNDElement@DirectUI@@QAA@ABV01@@Z +??0HWNDElement@DirectUI@@QAA@XZ +??0HWNDElementAccessible@DirectUI@@QAA@XZ +??0HWNDElementProvider@DirectUI@@QAA@XZ +??0HWNDElementProxy@DirectUI@@QAA@ABV01@@Z +??0HWNDElementProxy@DirectUI@@QAA@XZ +??0HWNDHost@DirectUI@@QAA@ABV01@@Z +??0HWNDHost@DirectUI@@QAA@XZ +??0HWNDHostAccessible@DirectUI@@QAA@XZ +??0HWNDHostClientAccessible@DirectUI@@QAA@XZ +??0IDataEngine@DirectUI@@QAA@ABU01@@Z +??0IDataEngine@DirectUI@@QAA@XZ +??0IDataEntry@DirectUI@@QAA@ABU01@@Z +??0IDataEntry@DirectUI@@QAA@XZ +??0IProvider@DirectUI@@QAA@ABV01@@Z +??0IProvider@DirectUI@@QAA@XZ +??0ISBLeak@DirectUI@@QAA@ABU01@@Z +??0ISBLeak@DirectUI@@QAA@XZ +??0IXElementCP@DirectUI@@QAA@ABV01@@Z +??0IXElementCP@DirectUI@@QAA@XZ +??0IXProviderCP@DirectUI@@QAA@ABV01@@Z +??0IXProviderCP@DirectUI@@QAA@XZ +??0InvokeHelper@DirectUI@@QAA@XZ +??0InvokeProvider@DirectUI@@QAA@XZ +??0InvokeProxy@DirectUI@@QAA@ABV01@@Z +??0InvokeProxy@DirectUI@@QAA@XZ +??0ItemList@DirectUI@@QAA@XZ +??0Layout@DirectUI@@QAA@ABV01@@Z +??0Layout@DirectUI@@QAA@XZ +??0LinkedList@DirectUI@@QAA@XZ +??0Macro@DirectUI@@QAA@ABV01@@Z +??0Macro@DirectUI@@QAA@XZ +??0ModernProgressBar@DirectUI@@QAA@XZ +??0ModernProgressBarRangeValueProxy@DirectUI@@QAA@ABV01@@Z +??0ModernProgressBarRangeValueProxy@DirectUI@@QAA@XZ +??0ModernProgressRing@DirectUI@@QAA@XZ +??0Movie@DirectUI@@QAA@ABV01@@Z +??0Movie@DirectUI@@QAA@XZ +??0NativeHWNDHost@DirectUI@@QAA@ABV01@@Z +??0NativeHWNDHost@DirectUI@@QAA@XZ +??0Navigator@DirectUI@@QAA@ABV01@@Z +??0Navigator@DirectUI@@QAA@XZ +??0NavigatorSelectionItemProxy@DirectUI@@QAA@ABV01@@Z +??0NavigatorSelectionItemProxy@DirectUI@@QAA@XZ +??0NineGridLayout@DirectUI@@QAA@ABV01@@Z +??0NineGridLayout@DirectUI@@QAA@XZ +??0PText@DirectUI@@QAA@ABV01@@Z +??0PText@DirectUI@@QAA@XZ +??0Page@DirectUI@@QAA@ABV01@@Z +??0Page@DirectUI@@QAA@XZ +??0Pages@DirectUI@@QAA@ABV01@@Z +??0Pages@DirectUI@@QAA@XZ +??0Progress@DirectUI@@QAA@ABV01@@Z +??0Progress@DirectUI@@QAA@XZ +??0ProgressRangeValueProxy@DirectUI@@QAA@ABV01@@Z +??0ProgressRangeValueProxy@DirectUI@@QAA@XZ +??0ProviderProxy@DirectUI@@IAA@XZ +??0ProviderProxy@DirectUI@@QAA@ABV01@@Z +??0Proxy@DirectUI@@QAA@ABV01@@Z +??0Proxy@DirectUI@@QAA@XZ +??0PushButton@DirectUI@@QAA@ABV01@@Z +??0PushButton@DirectUI@@QAA@XZ +??0RadioButtonGlyph@DirectUI@@QAA@ABV01@@Z +??0RadioButtonGlyph@DirectUI@@QAA@XZ +??0RangeValueProvider@DirectUI@@QAA@XZ +??0RangeValueProxy@DirectUI@@IAA@XZ +??0RangeValueProxy@DirectUI@@QAA@ABV01@@Z +??0RefPointElement@DirectUI@@QAA@ABV01@@Z +??0RefPointElement@DirectUI@@QAA@XZ +??0RefcountBase@DirectUI@@QAA@XZ +??0RepeatButton@DirectUI@@QAA@ABV01@@Z +??0RepeatButton@DirectUI@@QAA@XZ +??0Repeater@DirectUI@@QAA@ABV01@@Z +??0Repeater@DirectUI@@QAA@XZ +??0ResourceModuleHandles@DirectUI@@QAA@XZ +??0RichText@DirectUI@@QAA@XZ +??0RowLayout@DirectUI@@QAA@ABV01@@Z +??0RowLayout@DirectUI@@QAA@XZ +??0ScrollBar@DirectUI@@QAA@ABV01@@Z +??0ScrollBar@DirectUI@@QAA@XZ +??0ScrollBarRangeValueProxy@DirectUI@@QAA@ABV01@@Z +??0ScrollBarRangeValueProxy@DirectUI@@QAA@XZ +??0ScrollItemProvider@DirectUI@@QAA@XZ +??0ScrollItemProxy@DirectUI@@QAA@ABV01@@Z +??0ScrollItemProxy@DirectUI@@QAA@XZ +??0ScrollProvider@DirectUI@@QAA@XZ +??0ScrollProxy@DirectUI@@QAA@ABV01@@Z +??0ScrollProxy@DirectUI@@QAA@XZ +??0ScrollViewer@DirectUI@@QAA@ABV01@@Z +??0ScrollViewer@DirectUI@@QAA@XZ +??0SelectionItemProvider@DirectUI@@QAA@XZ +??0SelectionItemProxy@DirectUI@@IAA@XZ +??0SelectionItemProxy@DirectUI@@QAA@ABV01@@Z +??0SelectionProvider@DirectUI@@QAA@XZ +??0SelectionProxy@DirectUI@@IAA@XZ +??0SelectionProxy@DirectUI@@QAA@ABV01@@Z +??0Selector@DirectUI@@QAA@ABV01@@Z +??0Selector@DirectUI@@QAA@XZ +??0SelectorNoDefault@DirectUI@@QAA@ABV01@@Z +??0SelectorNoDefault@DirectUI@@QAA@XZ +??0SelectorSelectionItemProxy@DirectUI@@QAA@ABV01@@Z +??0SelectorSelectionItemProxy@DirectUI@@QAA@XZ +??0SelectorSelectionProxy@DirectUI@@QAA@ABV01@@Z +??0SelectorSelectionProxy@DirectUI@@QAA@XZ +??0ShellBorderLayout@DirectUI@@QAA@ABV01@@Z +??0ShellBorderLayout@DirectUI@@QAA@XZ +??0StyleSheet@DirectUI@@QAA@ABV01@@Z +??0StyleSheet@DirectUI@@QAA@XZ +??0StyledScrollViewer@DirectUI@@QAA@ABV01@@Z +??0StyledScrollViewer@DirectUI@@QAA@XZ +??0Surface@DirectUI@@QAA@ABV01@@Z +??0Surface@DirectUI@@QAA@XZ +??0TableItemProvider@DirectUI@@QAA@XZ +??0TableItemProxy@DirectUI@@QAA@ABV01@@Z +??0TableItemProxy@DirectUI@@QAA@XZ +??0TableLayout@DirectUI@@QAA@ABV01@@Z +??0TableLayout@DirectUI@@QAA@XZ +??0TableProvider@DirectUI@@QAA@XZ +??0TableProxy@DirectUI@@QAA@ABV01@@Z +??0TableProxy@DirectUI@@QAA@XZ +??0TaskPage@DirectUI@@QAA@ABV01@@Z +??0TaskPage@DirectUI@@QAA@XZ +??0TextGraphic@DirectUI@@QAA@ABV01@@Z +??0TextGraphic@DirectUI@@QAA@XZ +??0Thumb@DirectUI@@QAA@ABV01@@Z +??0Thumb@DirectUI@@QAA@XZ +??0ToggleProvider@DirectUI@@QAA@XZ +??0ToggleProxy@DirectUI@@QAA@ABV01@@Z +??0ToggleProxy@DirectUI@@QAA@XZ +??0TouchButton@DirectUI@@QAA@XZ +??0TouchCheckBox@DirectUI@@QAA@XZ +??0TouchCheckBoxGlyph@DirectUI@@QAA@XZ +??0TouchCommandButton@DirectUI@@QAA@XZ +??0TouchEdit2@DirectUI@@QAA@XZ +??0TouchHWNDElement@DirectUI@@QAA@XZ +??0TouchHyperLink@DirectUI@@QAA@XZ +??0TouchRepeatButton@DirectUI@@QAA@XZ +??0TouchScrollBar@DirectUI@@QAA@XZ +??0TouchSelect@DirectUI@@QAA@XZ +??0TouchSelectItem@DirectUI@@QAA@XZ +??0UnknownElement@DirectUI@@QAA@ABV01@@Z +??0UnknownElement@DirectUI@@QAA@XZ +??0ValueProvider@DirectUI@@QAA@XZ +??0ValueProxy@DirectUI@@QAA@ABV01@@Z +??0ValueProxy@DirectUI@@QAA@XZ +??0VerticalFlowLayout@DirectUI@@QAA@ABV01@@Z +??0VerticalFlowLayout@DirectUI@@QAA@XZ +??0Viewer@DirectUI@@QAA@ABV01@@Z +??0Viewer@DirectUI@@QAA@XZ +??0XBaby@DirectUI@@QAA@ABV01@@Z +??0XBaby@DirectUI@@QAA@XZ +??0XElement@DirectUI@@QAA@ABV01@@Z +??0XElement@DirectUI@@QAA@XZ +??0XHost@DirectUI@@QAA@XZ +??0XProvider@DirectUI@@QAA@ABV01@@Z +??0XProvider@DirectUI@@QAA@XZ +??0XResourceProvider@DirectUI@@QAA@ABV01@@Z +??0XResourceProvider@DirectUI@@QAA@XZ +??1?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@UAA@XZ +??1?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@UAA@XZ +??1?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@UAA@XZ +??1?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@UAA@XZ +??1?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@UAA@XZ +??1?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@UAA@XZ +??1?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@UAA@XZ +??1?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@UAA@XZ +??1?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@UAA@XZ +??1?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@UAA@XZ +??1?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@UAA@XZ +??1?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@UAA@XZ +??1?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@UAA@XZ +??1?$SafeArrayAccessor@H@DirectUI@@QAA@XZ +??1AccessibleButton@DirectUI@@UAA@XZ +??1AnimationStrip@DirectUI@@UAA@XZ +??1AutoButton@DirectUI@@UAA@XZ +??1AutoLock@DirectUI@@QAA@XZ +??1AutoThread@DirectUI@@QAA@XZ +??1AutoVariant@DirectUI@@QAA@XZ +??1BaseScrollViewer@DirectUI@@UAA@XZ +??1Bind@DirectUI@@UAA@XZ +??1BorderLayout@DirectUI@@UAA@XZ +??1Browser@DirectUI@@UAA@XZ +??1Button@DirectUI@@UAA@XZ +??1CCAVI@DirectUI@@UAA@XZ +??1CCBase@DirectUI@@UAA@XZ +??1CCBaseCheckRadioButton@DirectUI@@UAA@XZ +??1CCBaseScrollBar@DirectUI@@UAA@XZ +??1CCCheckBox@DirectUI@@UAA@XZ +??1CCCommandLink@DirectUI@@UAA@XZ +??1CCHScrollBar@DirectUI@@UAA@XZ +??1CCListBox@DirectUI@@UAA@XZ +??1CCListView@DirectUI@@UAA@XZ +??1CCProgressBar@DirectUI@@UAA@XZ +??1CCPushButton@DirectUI@@UAA@XZ +??1CCRadioButton@DirectUI@@UAA@XZ +??1CCSysLink@DirectUI@@UAA@XZ +??1CCTrackBar@DirectUI@@UAA@XZ +??1CCTreeView@DirectUI@@UAA@XZ +??1CCVScrollBar@DirectUI@@UAA@XZ +??1CallstackTracker@DirectUI@@QAA@XZ +??1CheckBoxGlyph@DirectUI@@UAA@XZ +??1ClassInfoBase@DirectUI@@UAA@XZ +??1Clipper@DirectUI@@UAA@XZ +??1Combobox@DirectUI@@UAA@XZ +??1CritSecLock@DirectUI@@QAA@XZ +??1DCSurface@DirectUI@@UAA@XZ +??1DUIFactory@DirectUI@@QAA@XZ +??1DUIXmlParser@DirectUI@@UAA@XZ +??1DialogElement@DirectUI@@UAA@XZ +??1DuiAccessible@DirectUI@@UAA@XZ +??1Edit@DirectUI@@UAA@XZ +??1Element@DirectUI@@UAA@XZ +??1ElementProvider@DirectUI@@UAA@XZ +??1ElementWithHWND@DirectUI@@UAA@XZ +??1ExpandCollapseProvider@DirectUI@@UAA@XZ +??1Expandable@DirectUI@@UAA@XZ +??1Expando@DirectUI@@UAA@XZ +??1ExpandoButtonGlyph@DirectUI@@UAA@XZ +??1FillLayout@DirectUI@@UAA@XZ +??1FlowLayout@DirectUI@@UAA@XZ +??1FontCheckOut@DirectUI@@QAA@XZ +??1GridItemProvider@DirectUI@@UAA@XZ +??1GridLayout@DirectUI@@UAA@XZ +??1GridProvider@DirectUI@@UAA@XZ +??1HWNDElement@DirectUI@@UAA@XZ +??1HWNDElementAccessible@DirectUI@@UAA@XZ +??1HWNDElementProvider@DirectUI@@UAA@XZ +??1HWNDHost@DirectUI@@UAA@XZ +??1HWNDHostAccessible@DirectUI@@UAA@XZ +??1HWNDHostClientAccessible@DirectUI@@UAA@XZ +??1IDataEngine@DirectUI@@UAA@XZ +??1IDataEntry@DirectUI@@UAA@XZ +??1InvokeHelper@DirectUI@@UAA@XZ +??1InvokeProvider@DirectUI@@UAA@XZ +??1ItemList@DirectUI@@UAA@XZ +??1Layout@DirectUI@@UAA@XZ +??1LinkedList@DirectUI@@QAA@XZ +??1Macro@DirectUI@@UAA@XZ +??1ModernProgressBar@DirectUI@@UAA@XZ +??1ModernProgressRing@DirectUI@@UAA@XZ +??1Movie@DirectUI@@UAA@XZ +??1NativeHWNDHost@DirectUI@@UAA@XZ +??1Navigator@DirectUI@@UAA@XZ +??1NineGridLayout@DirectUI@@UAA@XZ +??1PText@DirectUI@@UAA@XZ +??1Page@DirectUI@@UAA@XZ +??1Pages@DirectUI@@UAA@XZ +??1Progress@DirectUI@@UAA@XZ +??1Proxy@DirectUI@@UAA@XZ +??1PushButton@DirectUI@@UAA@XZ +??1RadioButtonGlyph@DirectUI@@UAA@XZ +??1RangeValueProvider@DirectUI@@UAA@XZ +??1RefPointElement@DirectUI@@UAA@XZ +??1RefcountBase@DirectUI@@UAA@XZ +??1RepeatButton@DirectUI@@UAA@XZ +??1Repeater@DirectUI@@UAA@XZ +??1ResourceModuleHandles@DirectUI@@QAA@XZ +??1RichText@DirectUI@@UAA@XZ +??1RowLayout@DirectUI@@UAA@XZ +??1ScrollBar@DirectUI@@UAA@XZ +??1ScrollItemProvider@DirectUI@@UAA@XZ +??1ScrollProvider@DirectUI@@UAA@XZ +??1ScrollViewer@DirectUI@@UAA@XZ +??1SelectionItemProvider@DirectUI@@UAA@XZ +??1SelectionProvider@DirectUI@@UAA@XZ +??1Selector@DirectUI@@UAA@XZ +??1SelectorNoDefault@DirectUI@@UAA@XZ +??1ShellBorderLayout@DirectUI@@UAA@XZ +??1StyledScrollViewer@DirectUI@@UAA@XZ +??1Surface@DirectUI@@UAA@XZ +??1TableItemProvider@DirectUI@@UAA@XZ +??1TableLayout@DirectUI@@UAA@XZ +??1TableProvider@DirectUI@@UAA@XZ +??1TaskPage@DirectUI@@UAA@XZ +??1TextGraphic@DirectUI@@UAA@XZ +??1Thumb@DirectUI@@UAA@XZ +??1ToggleProvider@DirectUI@@UAA@XZ +??1TouchButton@DirectUI@@UAA@XZ +??1TouchCheckBox@DirectUI@@UAA@XZ +??1TouchCheckBoxGlyph@DirectUI@@UAA@XZ +??1TouchHWNDElement@DirectUI@@UAA@XZ +??1TouchHyperLink@DirectUI@@UAA@XZ +??1TouchScrollBar@DirectUI@@UAA@XZ +??1TouchSelect@DirectUI@@UAA@XZ +??1TouchSelectItem@DirectUI@@UAA@XZ +??1UnknownElement@DirectUI@@UAA@XZ +??1ValueProvider@DirectUI@@UAA@XZ +??1VerticalFlowLayout@DirectUI@@UAA@XZ +??1Viewer@DirectUI@@UAA@XZ +??1XBaby@DirectUI@@UAA@XZ +??1XElement@DirectUI@@UAA@XZ +??1XHost@DirectUI@@QAA@XZ +??1XProvider@DirectUI@@UAA@XZ +??4?$FunctionDefinition@H@DUIXmlParser@DirectUI@@QAAAAU012@ABU012@@Z +??4?$FunctionDefinition@K@DUIXmlParser@DirectUI@@QAAAAU012@ABU012@@Z +??4?$FunctionDefinition@PAVValue@DirectUI@@@DUIXmlParser@DirectUI@@QAAAAU012@ABU012@@Z +??4?$FunctionDefinition@UScaledRECT@DirectUI@@@DUIXmlParser@DirectUI@@QAAAAU012@ABU012@@Z +??4ACCESSIBLEROLE@AccessibleButton@DirectUI@@QAAAAU012@ABU012@@Z +??4AccessibleButton@DirectUI@@QAAAAV01@ABV01@@Z +??4AnimationStrip@DirectUI@@QAAAAV01@ABV01@@Z +??4AutoButton@DirectUI@@QAAAAV01@ABV01@@Z +??4AutoLock@DirectUI@@QAAAAV01@ABV01@@Z +??4AutoThread@DirectUI@@QAAAAV01@ABV01@@Z +??4AutoVariant@DirectUI@@QAAAAV01@ABV01@@Z +??4BaseScrollBar@DirectUI@@QAAAAV01@ABV01@@Z +??4BaseScrollViewer@DirectUI@@QAAAAV01@ABV01@@Z +??4Bind@DirectUI@@QAAAAV01@ABV01@@Z +??4BorderLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4Browser@DirectUI@@QAAAAV01@ABV01@@Z +??4BrowserSelectionProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Button@DirectUI@@QAAAAV01@ABV01@@Z +??4CCAVI@DirectUI@@QAAAAV01@ABV01@@Z +??4CCBase@DirectUI@@QAAAAV01@ABV01@@Z +??4CCBaseCheckRadioButton@DirectUI@@QAAAAV01@ABV01@@Z +??4CCBaseScrollBar@DirectUI@@QAAAAV01@ABV01@@Z +??4CCCheckBox@DirectUI@@QAAAAV01@ABV01@@Z +??4CCCommandLink@DirectUI@@QAAAAV01@ABV01@@Z +??4CCHScrollBar@DirectUI@@QAAAAV01@ABV01@@Z +??4CCListBox@DirectUI@@QAAAAV01@ABV01@@Z +??4CCListView@DirectUI@@QAAAAV01@ABV01@@Z +??4CCProgressBar@DirectUI@@QAAAAV01@ABV01@@Z +??4CCPushButton@DirectUI@@QAAAAV01@ABV01@@Z +??4CCRadioButton@DirectUI@@QAAAAV01@ABV01@@Z +??4CCSysLink@DirectUI@@QAAAAV01@ABV01@@Z +??4CCTrackBar@DirectUI@@QAAAAV01@ABV01@@Z +??4CCTreeView@DirectUI@@QAAAAV01@ABV01@@Z +??4CCVScrollBar@DirectUI@@QAAAAV01@ABV01@@Z +??4CallstackTracker@DirectUI@@QAAAAV01@ABV01@@Z +??4CheckBoxGlyph@DirectUI@@QAAAAV01@ABV01@@Z +??4ClassInfoBase@DirectUI@@QAAAAV01@ABV01@@Z +??4Clipper@DirectUI@@QAAAAV01@ABV01@@Z +??4Combobox@DirectUI@@QAAAAV01@ABV01@@Z +??4CritSecLock@DirectUI@@QAAAAV01@ABV01@@Z +??4DCSurface@DirectUI@@QAAAAV01@ABV01@@Z +??4DUIFactory@DirectUI@@QAAAAV01@ABV01@@Z +??4DUIXmlParser@DirectUI@@QAAAAV01@ABV01@@Z +??4DialogElement@DirectUI@@QAAAAV01@ABV01@@Z +??4DialogElementCore@DirectUI@@QAAAAV01@ABV01@@Z +??4DuiNavigate@DirectUI@@QAAAAV01@ABV01@@Z +??4Edit@DirectUI@@QAAAAV01@ABV01@@Z +??4Element@DirectUI@@QAAAAV01@ABV01@@Z +??4ElementProviderManager@DirectUI@@QAAAAV01@ABV01@@Z +??4ElementProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ElementWithHWND@DirectUI@@QAAAAV01@ABV01@@Z +??4EventManager@DirectUI@@QAAAAV01@ABV01@@Z +??4ExpandCollapseProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Expandable@DirectUI@@QAAAAV01@ABV01@@Z +??4Expando@DirectUI@@QAAAAV01@ABV01@@Z +??4ExpandoButtonGlyph@DirectUI@@QAAAAV01@ABV01@@Z +??4Expression@DirectUI@@QAAAAV01@ABV01@@Z +??4FillLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4FlowLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4FontCache@DirectUI@@QAAAAV01@ABV01@@Z +??4FontCheckOut@DirectUI@@QAAAAV01@ABV01@@Z +??4GridItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4GridLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4GridProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4HWNDElement@DirectUI@@QAAAAV01@ABV01@@Z +??4HWNDElementProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4HWNDHost@DirectUI@@QAAAAV01@ABV01@@Z +??4IDataEngine@DirectUI@@QAAAAU01@ABU01@@Z +??4IDataEntry@DirectUI@@QAAAAU01@ABU01@@Z +??4IProvider@DirectUI@@QAAAAV01@ABV01@@Z +??4ISBLeak@DirectUI@@QAAAAU01@ABU01@@Z +??4IXElementCP@DirectUI@@QAAAAV01@ABV01@@Z +??4IXProviderCP@DirectUI@@QAAAAV01@ABV01@@Z +??4InvokeManager@DirectUI@@QAAAAV01@ABV01@@Z +??4InvokeProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Layout@DirectUI@@QAAAAV01@ABV01@@Z +??4LinkedList@DirectUI@@QAAAAV01@ABV01@@Z +??4LinkedListNode@DirectUI@@QAAAAV01@ABV01@@Z +??4Macro@DirectUI@@QAAAAV01@ABV01@@Z +??4ModernProgressBarRangeValueProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Movie@DirectUI@@QAAAAV01@ABV01@@Z +??4NativeHWNDHost@DirectUI@@QAAAAV01@ABV01@@Z +??4NavReference@DirectUI@@QAAAAU01@ABU01@@Z +??4NavScoring@DirectUI@@QAAAAU01@ABU01@@Z +??4Navigator@DirectUI@@QAAAAV01@ABV01@@Z +??4NavigatorSelectionItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4NineGridLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4PText@DirectUI@@QAAAAV01@ABV01@@Z +??4PVLAnimation@DirectUI@@QAAAAV01@ABV01@@Z +??4Page@DirectUI@@QAAAAV01@ABV01@@Z +??4Pages@DirectUI@@QAAAAV01@ABV01@@Z +??4Progress@DirectUI@@QAAAAV01@ABV01@@Z +??4ProgressRangeValueProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ProviderProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Proxy@DirectUI@@QAAAAV01@ABV01@@Z +??4PushButton@DirectUI@@QAAAAV01@ABV01@@Z +??4RadioButtonGlyph@DirectUI@@QAAAAV01@ABV01@@Z +??4RangeValueProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4RefPointElement@DirectUI@@QAAAAV01@ABV01@@Z +??4RepeatButton@DirectUI@@QAAAAV01@ABV01@@Z +??4Repeater@DirectUI@@QAAAAV01@ABV01@@Z +??4ResourceModuleHandles@DirectUI@@QAAAAV01@ABV01@@Z +??4RowLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4Schema@DirectUI@@QAAAAV01@ABV01@@Z +??4ScrollBar@DirectUI@@QAAAAV01@ABV01@@Z +??4ScrollBarRangeValueProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ScrollItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ScrollProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ScrollViewer@DirectUI@@QAAAAV01@ABV01@@Z +??4SelectionItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4SelectionProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4Selector@DirectUI@@QAAAAV01@ABV01@@Z +??4SelectorNoDefault@DirectUI@@QAAAAV01@ABV01@@Z +??4SelectorSelectionItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4SelectorSelectionProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4ShellBorderLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4StyleSheet@DirectUI@@QAAAAV01@ABV01@@Z +??4StyledScrollViewer@DirectUI@@QAAAAV01@ABV01@@Z +??4Surface@DirectUI@@QAAAAV01@ABV01@@Z +??4TableItemProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4TableLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4TableProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4TaskPage@DirectUI@@QAAAAV01@ABV01@@Z +??4TextGraphic@DirectUI@@QAAAAV01@ABV01@@Z +??4Thumb@DirectUI@@QAAAAV01@ABV01@@Z +??4ToggleProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4UnknownElement@DirectUI@@QAAAAV01@ABV01@@Z +??4Value@DirectUI@@QAAAAV01@ABV01@@Z +??4ValueProxy@DirectUI@@QAAAAV01@ABV01@@Z +??4VerticalFlowLayout@DirectUI@@QAAAAV01@ABV01@@Z +??4Viewer@DirectUI@@QAAAAV01@ABV01@@Z +??4XBaby@DirectUI@@QAAAAV01@ABV01@@Z +??4XElement@DirectUI@@QAAAAV01@ABV01@@Z +??4XHost@DirectUI@@QAAAAV01@ABV01@@Z +??4XProvider@DirectUI@@QAAAAV01@ABV01@@Z +??4XResourceProvider@DirectUI@@QAAAAV01@ABV01@@Z +??B?$SafeArrayAccessor@H@DirectUI@@QAAPAHXZ +??BTaskPage@DirectUI@@QAAPAU_PSP@@XZ +??_7?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@6BRefcountBase@1@@ DATA +??_7?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@6BIProvider@1@@ DATA +??_7?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@6BRefcountBase@1@@ DATA +??_7AccessibleButton@DirectUI@@6B@ DATA +??_7AnimationStrip@DirectUI@@6B@ DATA +??_7AutoButton@DirectUI@@6B@ DATA +??_7BaseScrollBar@DirectUI@@6B@ DATA +??_7BaseScrollViewer@DirectUI@@6BElement@1@@ DATA +??_7BaseScrollViewer@DirectUI@@6BIElementListener@1@@ DATA +??_7Bind@DirectUI@@6B@ DATA +??_7BorderLayout@DirectUI@@6B@ DATA +??_7Browser@DirectUI@@6B@ DATA +??_7BrowserSelectionProxy@DirectUI@@6B@ DATA +??_7Button@DirectUI@@6B@ DATA +??_7CCAVI@DirectUI@@6B@ DATA +??_7CCBase@DirectUI@@6B@ DATA +??_7CCBaseCheckRadioButton@DirectUI@@6B@ DATA +??_7CCBaseScrollBar@DirectUI@@6BBaseScrollBar@1@@ DATA +??_7CCBaseScrollBar@DirectUI@@6BCCBase@1@@ DATA +??_7CCCheckBox@DirectUI@@6B@ DATA +??_7CCCommandLink@DirectUI@@6B@ DATA +??_7CCHScrollBar@DirectUI@@6BBaseScrollBar@1@@ DATA +??_7CCHScrollBar@DirectUI@@6BCCBase@1@@ DATA +??_7CCListBox@DirectUI@@6B@ DATA +??_7CCListView@DirectUI@@6B@ DATA +??_7CCProgressBar@DirectUI@@6B@ DATA +??_7CCPushButton@DirectUI@@6B@ DATA +??_7CCRadioButton@DirectUI@@6B@ DATA +??_7CCSysLink@DirectUI@@6B@ DATA +??_7CCTrackBar@DirectUI@@6B@ DATA +??_7CCTreeView@DirectUI@@6B@ DATA +??_7CCVScrollBar@DirectUI@@6BBaseScrollBar@1@@ DATA +??_7CCVScrollBar@DirectUI@@6BCCBase@1@@ DATA +??_7CheckBoxGlyph@DirectUI@@6B@ DATA +??_7ClassInfoBase@DirectUI@@6B@ DATA +??_7Clipper@DirectUI@@6B@ DATA +??_7Combobox@DirectUI@@6B@ DATA +??_7DCSurface@DirectUI@@6B@ DATA +??_7DUIXmlParser@DirectUI@@6B@ DATA +??_7DialogElement@DirectUI@@6BHWNDElement@1@@ DATA +??_7DialogElement@DirectUI@@6BIDialogElement@1@@ DATA +??_7DialogElement@DirectUI@@6BIElementListener@1@@ DATA +??_7DuiAccessible@DirectUI@@6BIAccIdentity@@@ DATA +??_7DuiAccessible@DirectUI@@6BIAccessible@@@ DATA +??_7DuiAccessible@DirectUI@@6BIEnumVARIANT@@@ DATA +??_7DuiAccessible@DirectUI@@6BIOleWindow@@@ DATA +??_7DuiAccessible@DirectUI@@6BIServiceProvider@@@ DATA +??_7Edit@DirectUI@@6B@ DATA +??_7Element@DirectUI@@6B@ DATA +??_7ElementProvider@DirectUI@@6BIRawElementProviderAdviseEvents@@@ DATA +??_7ElementProvider@DirectUI@@6BIRawElementProviderFragment@@@ DATA +??_7ElementProvider@DirectUI@@6BIRawElementProviderSimple@@@ DATA +??_7ElementProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ElementProxy@DirectUI@@6B@ DATA +??_7ElementWithHWND@DirectUI@@6B@ DATA +??_7ExpandCollapseProvider@DirectUI@@6B@ DATA +??_7ExpandCollapseProvider@DirectUI@@6BIProvider@1@@ DATA +??_7ExpandCollapseProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ExpandCollapseProxy@DirectUI@@6B@ DATA +??_7Expandable@DirectUI@@6B@ DATA +??_7Expando@DirectUI@@6B@ DATA +??_7ExpandoButtonGlyph@DirectUI@@6B@ DATA +??_7FillLayout@DirectUI@@6B@ DATA +??_7FlowLayout@DirectUI@@6B@ DATA +??_7FontCache@DirectUI@@6B@ DATA +??_7GridItemProvider@DirectUI@@6B@ DATA +??_7GridItemProvider@DirectUI@@6BIProvider@1@@ DATA +??_7GridItemProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7GridItemProxy@DirectUI@@6B@ DATA +??_7GridLayout@DirectUI@@6B@ DATA +??_7GridProvider@DirectUI@@6B@ DATA +??_7GridProvider@DirectUI@@6BIProvider@1@@ DATA +??_7GridProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7GridProxy@DirectUI@@6B@ DATA +??_7HWNDElement@DirectUI@@6B@ DATA +??_7HWNDElementAccessible@DirectUI@@6BIAccIdentity@@@ DATA +??_7HWNDElementAccessible@DirectUI@@6BIAccessible@@@ DATA +??_7HWNDElementAccessible@DirectUI@@6BIEnumVARIANT@@@ DATA +??_7HWNDElementAccessible@DirectUI@@6BIOleWindow@@@ DATA +??_7HWNDElementAccessible@DirectUI@@6BIServiceProvider@@@ DATA +??_7HWNDElementProvider@DirectUI@@6B@ DATA +??_7HWNDElementProvider@DirectUI@@6BIRawElementProviderAdviseEvents@@@ DATA +??_7HWNDElementProvider@DirectUI@@6BIRawElementProviderFragment@@@ DATA +??_7HWNDElementProvider@DirectUI@@6BIRawElementProviderSimple@@@ DATA +??_7HWNDElementProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7HWNDElementProxy@DirectUI@@6B@ DATA +??_7HWNDHost@DirectUI@@6B@ DATA +??_7HWNDHostAccessible@DirectUI@@6BIAccIdentity@@@ DATA +??_7HWNDHostAccessible@DirectUI@@6BIAccessible@@@ DATA +??_7HWNDHostAccessible@DirectUI@@6BIEnumVARIANT@@@ DATA +??_7HWNDHostAccessible@DirectUI@@6BIOleWindow@@@ DATA +??_7HWNDHostAccessible@DirectUI@@6BIServiceProvider@@@ DATA +??_7HWNDHostClientAccessible@DirectUI@@6BIAccIdentity@@@ DATA +??_7HWNDHostClientAccessible@DirectUI@@6BIAccessible@@@ DATA +??_7HWNDHostClientAccessible@DirectUI@@6BIEnumVARIANT@@@ DATA +??_7HWNDHostClientAccessible@DirectUI@@6BIOleWindow@@@ DATA +??_7HWNDHostClientAccessible@DirectUI@@6BIServiceProvider@@@ DATA +??_7IDataEngine@DirectUI@@6B@ DATA +??_7IDataEntry@DirectUI@@6B@ DATA +??_7IProvider@DirectUI@@6B@ DATA +??_7ISBLeak@DirectUI@@6B@ DATA +??_7IXElementCP@DirectUI@@6B@ DATA +??_7IXProviderCP@DirectUI@@6B@ DATA +??_7InvokeHelper@DirectUI@@6B@ DATA +??_7InvokeProvider@DirectUI@@6B@ DATA +??_7InvokeProvider@DirectUI@@6BIProvider@1@@ DATA +??_7InvokeProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7InvokeProxy@DirectUI@@6B@ DATA +??_7Layout@DirectUI@@6B@ DATA +??_7Macro@DirectUI@@6B@ DATA +??_7ModernProgressBarRangeValueProxy@DirectUI@@6B@ DATA +??_7Movie@DirectUI@@6B@ DATA +??_7NativeHWNDHost@DirectUI@@6B@ DATA +??_7Navigator@DirectUI@@6B@ DATA +??_7NavigatorSelectionItemProxy@DirectUI@@6B@ DATA +??_7NineGridLayout@DirectUI@@6B@ DATA +??_7PText@DirectUI@@6B@ DATA +??_7Page@DirectUI@@6B@ DATA +??_7Pages@DirectUI@@6B@ DATA +??_7Progress@DirectUI@@6B@ DATA +??_7ProgressRangeValueProxy@DirectUI@@6B@ DATA +??_7ProviderProxy@DirectUI@@6B@ DATA +??_7Proxy@DirectUI@@6B@ DATA +??_7PushButton@DirectUI@@6B@ DATA +??_7RadioButtonGlyph@DirectUI@@6B@ DATA +??_7RangeValueProvider@DirectUI@@6B@ DATA +??_7RangeValueProvider@DirectUI@@6BIProvider@1@@ DATA +??_7RangeValueProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7RangeValueProxy@DirectUI@@6B@ DATA +??_7RefPointElement@DirectUI@@6B@ DATA +??_7RefcountBase@DirectUI@@6B@ DATA +??_7RepeatButton@DirectUI@@6B@ DATA +??_7Repeater@DirectUI@@6B@ DATA +??_7RowLayout@DirectUI@@6B@ DATA +??_7ScrollBar@DirectUI@@6BBaseScrollBar@1@@ DATA +??_7ScrollBar@DirectUI@@6BElement@1@@ DATA +??_7ScrollBarRangeValueProxy@DirectUI@@6B@ DATA +??_7ScrollItemProvider@DirectUI@@6B@ DATA +??_7ScrollItemProvider@DirectUI@@6BIProvider@1@@ DATA +??_7ScrollItemProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ScrollItemProxy@DirectUI@@6B@ DATA +??_7ScrollProvider@DirectUI@@6B@ DATA +??_7ScrollProvider@DirectUI@@6BIProvider@1@@ DATA +??_7ScrollProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ScrollProxy@DirectUI@@6B@ DATA +??_7ScrollViewer@DirectUI@@6BElement@1@@ DATA +??_7ScrollViewer@DirectUI@@6BIElementListener@1@@ DATA +??_7SelectionItemProvider@DirectUI@@6B@ DATA +??_7SelectionItemProvider@DirectUI@@6BIProvider@1@@ DATA +??_7SelectionItemProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7SelectionItemProxy@DirectUI@@6B@ DATA +??_7SelectionProvider@DirectUI@@6B@ DATA +??_7SelectionProvider@DirectUI@@6BIProvider@1@@ DATA +??_7SelectionProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7SelectionProxy@DirectUI@@6B@ DATA +??_7Selector@DirectUI@@6B@ DATA +??_7SelectorNoDefault@DirectUI@@6B@ DATA +??_7SelectorSelectionItemProxy@DirectUI@@6B@ DATA +??_7SelectorSelectionProxy@DirectUI@@6B@ DATA +??_7ShellBorderLayout@DirectUI@@6B@ DATA +??_7StyleSheet@DirectUI@@6B@ DATA +??_7StyledScrollViewer@DirectUI@@6BElement@1@@ DATA +??_7StyledScrollViewer@DirectUI@@6BIElementListener@1@@ DATA +??_7Surface@DirectUI@@6B@ DATA +??_7TableItemProvider@DirectUI@@6B@ DATA +??_7TableItemProvider@DirectUI@@6BIProvider@1@@ DATA +??_7TableItemProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7TableItemProxy@DirectUI@@6B@ DATA +??_7TableLayout@DirectUI@@6B@ DATA +??_7TableProvider@DirectUI@@6B@ DATA +??_7TableProvider@DirectUI@@6BIProvider@1@@ DATA +??_7TableProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7TableProxy@DirectUI@@6B@ DATA +??_7TaskPage@DirectUI@@6BIElementListener@1@@ DATA +??_7TaskPage@DirectUI@@6BIXProviderCP@1@@ DATA +??_7TextGraphic@DirectUI@@6B@ DATA +??_7Thumb@DirectUI@@6B@ DATA +??_7ToggleProvider@DirectUI@@6B@ DATA +??_7ToggleProvider@DirectUI@@6BIProvider@1@@ DATA +??_7ToggleProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ToggleProxy@DirectUI@@6B@ DATA +??_7UnknownElement@DirectUI@@6B@ DATA +??_7ValueProvider@DirectUI@@6B@ DATA +??_7ValueProvider@DirectUI@@6BIProvider@1@@ DATA +??_7ValueProvider@DirectUI@@6BRefcountBase@1@@ DATA +??_7ValueProxy@DirectUI@@6B@ DATA +??_7VerticalFlowLayout@DirectUI@@6B@ DATA +??_7Viewer@DirectUI@@6B@ DATA +??_7XBaby@DirectUI@@6B@ DATA +??_7XBaby@DirectUI@@6BHWNDElement@1@@ DATA +??_7XBaby@DirectUI@@6BIDialogElement@1@@ DATA +??_7XBaby@DirectUI@@6BIElementListener@1@@ DATA +??_7XElement@DirectUI@@6BHWNDHost@1@@ DATA +??_7XElement@DirectUI@@6BIXElementCP@1@@ DATA +??_7XProvider@DirectUI@@6B@ DATA +??_7XResourceProvider@DirectUI@@6B@ DATA +??_FCCBase@DirectUI@@QAAXXZ +??_FCCBaseScrollBar@DirectUI@@QAAXXZ +??_FCCCheckBox@DirectUI@@QAAXXZ +??_FCCCommandLink@DirectUI@@QAAXXZ +??_FCCPushButton@DirectUI@@QAAXXZ +??_FCCTreeView@DirectUI@@QAAXXZ +?AbsorbsShortcutProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccDefActionProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccDescProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccHelpProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccItemStatusProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccItemTypeProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccNameProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccNavigate@DuiAccessible@DirectUI@@SAJPAVElement@2@JPAPAV32@@Z +?AccRoleProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccStateProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AccValueProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AcceleratorKeyProperty@Schema@DirectUI@@2HA DATA +?Access@?$SafeArrayAccessor@H@DirectUI@@QAAJPAUtagSAFEARRAY@@G@Z +?AccessKeyProperty@Schema@DirectUI@@2HA DATA +?AccessibleProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ActionInitiated@Navigator@DirectUI@@SA?AVUID@@XZ +?ActivateTooltip@Element@DirectUI@@MAAXPAV12@K@Z +?ActivateTooltip@HWNDElement@DirectUI@@UAAXPAVElement@2@K@Z +?ActivateTooltip@TouchHWNDElement@DirectUI@@UAAXPAVElement@2@K@Z +?ActiveProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ActiveStateChanged@TouchScrollBar@DirectUI@@SA?AVUID@@XZ +?ActualReferencePointProp@RefPointElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?Add@BaseScrollViewer@DirectUI@@UAAJPAPAVElement@2@I@Z +?Add@Element@DirectUI@@QAAJPAV12@@Z +?Add@Element@DirectUI@@QAAJPAV12@P6AHPBX1@Z@Z +?Add@Element@DirectUI@@UAAJPAPAV12@I@Z +?Add@ElementProviderManager@DirectUI@@SAJPAVElementProvider@2@@Z +?Add@Expando@DirectUI@@UAAJPAPAVElement@2@I@Z +?Add@LinkedList@DirectUI@@QAAXPAVLinkedListNode@2@@Z +?Add@Macro@DirectUI@@UAAJPAPAVElement@2@I@Z +?Add@Pages@DirectUI@@UAAJPAPAVElement@2@I@Z +?Add@TouchEdit2@DirectUI@@UAAJPAPAVElement@2@I@Z +?Add@TouchSelect@DirectUI@@UAAJPAPAVElement@2@I@Z +?AddBehavior@Element@DirectUI@@UAAJPAUIDuiBehavior@@@Z +?AddChild@ClassInfoBase@DirectUI@@UAAXXZ +?AddChildren@ScrollViewer@DirectUI@@MAAJXZ +?AddChildren@StyledScrollViewer@DirectUI@@MAAJXZ +?AddElement@TouchSelect@DirectUI@@QAAJPAVElement@2@PBG@Z +?AddListener@Element@DirectUI@@QAAJPAUIElementListener@2@@Z +?AddRectangleChange@EventManager@DirectUI@@CAJPAVElement@2@_N1@Z +?AddRef@ClassInfoBase@DirectUI@@UAAXXZ +?AddRef@DuiAccessible@DirectUI@@UAAKXZ +?AddRef@Element@DirectUI@@QAAKXZ +?AddRef@ElementProvider@DirectUI@@UAAKXZ +?AddRef@ExpandCollapseProvider@DirectUI@@UAAKXZ +?AddRef@GridItemProvider@DirectUI@@UAAKXZ +?AddRef@GridProvider@DirectUI@@UAAKXZ +?AddRef@HWNDElementProvider@DirectUI@@UAAKXZ +?AddRef@InvokeProvider@DirectUI@@UAAKXZ +?AddRef@RangeValueProvider@DirectUI@@UAAKXZ +?AddRef@RefcountBase@DirectUI@@QAAJXZ +?AddRef@ScrollItemProvider@DirectUI@@UAAKXZ +?AddRef@ScrollProvider@DirectUI@@UAAKXZ +?AddRef@SelectionItemProvider@DirectUI@@UAAKXZ +?AddRef@SelectionProvider@DirectUI@@UAAKXZ +?AddRef@TableItemProvider@DirectUI@@UAAKXZ +?AddRef@TableProvider@DirectUI@@UAAKXZ +?AddRef@ToggleProvider@DirectUI@@UAAKXZ +?AddRef@Value@DirectUI@@QAAXXZ +?AddRef@ValueProvider@DirectUI@@UAAKXZ +?AddRef@XProvider@DirectUI@@UAAKXZ +?AddRulesToStyleSheet@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAVStyleSheet@2@PBGPAV?$DynamicArray@UXMLParserCond@DirectUI@@$0A@@2@PAV?$DynamicArray@PAG$0A@@2@@Z +?AddString@CCListBox@DirectUI@@QAAHPBG@Z +?AddString@Combobox@DirectUI@@QAAHPBG@Z +?AddString@TouchSelect@DirectUI@@QAAJPBG@Z +?AddString@TouchSelect@DirectUI@@QAAJPBGPAPAVElement@2@@Z +?AddStringWithLabelOverride@TouchSelect@DirectUI@@QAAJPBG0PAPAVElement@2@@Z +?AddToSelection@NavigatorSelectionItemProxy@DirectUI@@AAAJPAVBrowser@2@@Z +?AddToSelection@SelectionItemProvider@DirectUI@@UAAJXZ +?AddToSelection@SelectorSelectionItemProxy@DirectUI@@AAAJXZ +?AdvanceFrame@AnimationStrip@DirectUI@@IAAXXZ +?AdvanceFrame@Movie@DirectUI@@SA?AVUID@@XZ +?AdviseEventAdded@ElementProvider@DirectUI@@UAAJHPAUtagSAFEARRAY@@@Z +?AdviseEventAdded@EventManager@DirectUI@@SAJHPAUtagSAFEARRAY@@@Z +?AdviseEventRemoved@ElementProvider@DirectUI@@UAAJHPAUtagSAFEARRAY@@@Z +?AdviseEventRemoved@EventManager@DirectUI@@SAJHPAUtagSAFEARRAY@@@Z +?AliasedRenderingProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?AlphaProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AnimatePopupOnDismissProp@TouchSelect@DirectUI@@SAPBUPropertyInfo@2@XZ +?AnimateScroll@TouchScrollBar@DirectUI@@SA?AVUID@@XZ +?AnimationChange@Element@DirectUI@@SA?AVUID@@XZ +?AnimationProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?AnimationStatusChange@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?ApplySinkRegion@HWNDHost@DirectUI@@AAAXPBUtagRECT@@_N@Z +?Arrow@Expando@DirectUI@@KAGXZ +?AssertPIZeroRef@ClassInfoBase@DirectUI@@UBAXXZ +?AsyncContentLoadedEvent@Schema@DirectUI@@2HA DATA +?Attach@Layout@DirectUI@@UAAXPAVElement@2@@Z +?AttachCtrlSubclassProc@HWNDHost@DirectUI@@KAXPAUHWND__@@@Z +?AutoGroupingProp@CCRadioButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?AutoStartProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?AutoStopProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?AutomationFocusChangedEvent@Schema@DirectUI@@2HA DATA +?AutomationIdProperty@Schema@DirectUI@@2HA DATA +?AutomationPropertyChangedEvent@Schema@DirectUI@@2HA DATA +?BackgroundOwnerIDProp@HWNDHost@DirectUI@@SAPBUPropertyInfo@2@XZ +?BackgroundProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?BaselineProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?BorderColorProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?BorderStyleProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?BorderThicknessProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?BoundingRectangleProperty@Schema@DirectUI@@2HA DATA +?BroadcastEvent@Element@DirectUI@@QAAXPAUEvent@2@@Z +?BufferingProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?BuildCacheInfo@FlowLayout@DirectUI@@IAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@_N@Z +?BuildCacheInfo@VerticalFlowLayout@DirectUI@@IAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@_N@Z +?BuildElement@Macro@DirectUI@@MAAJXZ +?BuildElement@Repeater@DirectUI@@MAAJXZ +?ButtonClassAcceptsEnterKeyProp@DialogElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?ButtonControlType@Schema@DirectUI@@2HA DATA +?CacheParser@XBaby@DirectUI@@UAAXPAVDUIXmlParser@2@@Z +?CalendarControlType@Schema@DirectUI@@2HA DATA +?CanPerformManualVisualSwap@TouchScrollViewer@DirectUI@@QAA_NXZ +?CanSetFocus@HWNDElement@DirectUI@@UAA_NXZ +?CanSetFocus@XBaby@DirectUI@@UAA_NXZ +?CanSetFocus@XProvider@DirectUI@@UAAJPA_N@Z +?CancelClick@TouchButton@DirectUI@@QAA_NW4ClickDevice@12@@Z +?CancelCurrentDrag@TouchSlider@DirectUI@@QAAXXZ +?CaptureCallstackFrames@CallstackTracker@DirectUI@@QAAHXZ +?CapturedProp@Button@DirectUI@@SAPBUPropertyInfo@2@XZ +?CapturedProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?CaretMoved@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?CheckBoxControlType@Schema@DirectUI@@2HA DATA +?CheckScroll@BaseScrollViewer@DirectUI@@AAAXPAVBaseScrollBar@2@HHH@Z +?CheckedStateProp@TouchCheckBox@DirectUI@@SAPBUPropertyInfo@2@XZ +?ChildrenProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ClassExist@ClassInfoBase@DirectUI@@SA_NPAPAUIClassInfo@2@PBQBUPropertyInfo@2@IPAU32@PAUHINSTANCE__@@PBG_N@Z +?ClassNameProperty@Schema@DirectUI@@2HA DATA +?ClassProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ClearButtonClicked@TouchEdit2@DirectUI@@SA?AVUID@@XZ +?ClearCacheDirty@Layout@DirectUI@@IAAXXZ +?ClearParser@DUIFactory@DirectUI@@AAAXXZ +?Click@Button@DirectUI@@SA?AVUID@@XZ +?Click@TouchButton@DirectUI@@SA?AVUID@@XZ +?ClickDefaultButton@DialogElement@DirectUI@@UAA_NXZ +?ClickDefaultButton@DialogElementCore@DirectUI@@QAA_NXZ +?ClickDefaultButton@XBaby@DirectUI@@UAA_NXZ +?ClickDefaultButton@XProvider@DirectUI@@UAAHXZ +?ClickablePointProperty@Schema@DirectUI@@2HA DATA +?Clipper@Expando@DirectUI@@KAGXZ +?Clone@DuiAccessible@DirectUI@@UAAJPAPAUIEnumVARIANT@@@Z +?Clone@HWNDHostAccessible@DirectUI@@UAAJPAPAUIEnumVARIANT@@@Z +?Close@ElementProviderManager@DirectUI@@SAXXZ +?Close@EventManager@DirectUI@@SAXXZ +?Close@InvokeManager@DirectUI@@SAXXZ +?ClosePopup@TouchSelect@DirectUI@@QAAXXZ +?CloseThread@InvokeManager@DirectUI@@SAXXZ +?Collapse@ExpandCollapseProvider@DirectUI@@UAAJXZ +?ColorFontPaletteIndexProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?ComboBoxControlType@Schema@DirectUI@@2HA DATA +?CompositedTextProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?CompositingQualityProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?CompositionChange@HWNDElement@DirectUI@@SA?AVUID@@XZ +?ConnectProp@Bind@DirectUI@@SAPBUPropertyInfo@2@XZ +?ConstrainLayoutProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?ContentAlignProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ContentProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Context@Button@DirectUI@@SA?AVUID@@XZ +?ContextMenuHintShowing@ContextMenuBehavior@DirectUI@@SA?AVUID@@XZ +?ContextMenuRequested@ContextMenuBehavior@DirectUI@@SA?AVUID@@XZ +?ContextMenuRequested@TouchEdit2@DirectUI@@SA?AVUID@@XZ +?ContextSensitiveHelp@DuiAccessible@DirectUI@@UAAJH@Z +?ContextSensitiveHelp@HWNDHostAccessible@DirectUI@@UAAJH@Z +?ControlTypeProperty@Schema@DirectUI@@2HA DATA +?CopySheets@DUIXmlParser@DirectUI@@QAAJPAPAV?$DynamicArray@PAVValue@DirectUI@@$0A@@2@@Z +?Count@?$SafeArrayAccessor@H@DirectUI@@QAAHXZ +?Create@?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@SAJPAVElementProvider@2@PAPAUIUnknown@@@Z +?Create@AcceleratorBehavior@@SAJPAPAUIDuiBehavior@@@Z +?Create@AccessibleButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@AnimationStrip@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@AutoButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Bind@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@BorderLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@BorderLayout@DirectUI@@SAJPAPAVLayout@2@@Z +?Create@Browser@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Button@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@Button@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCAVI@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCAVI@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCBase@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCBase@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCCheckBox@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCCheckBox@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCCommandLink@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCCommandLink@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCHScrollBar@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCHScrollBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCListBox@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCListBox@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCListView@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCListView@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCProgressBar@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCProgressBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCPushButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCPushButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCRadioButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCRadioButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCSysLink@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCSysLink@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCTrackBar@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCTrackBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCTreeView@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCTreeView@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CCVScrollBar@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CCVScrollBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@CheckBoxGlyph@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@CheckBoxGlyph@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Clipper@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Combobox@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@Combobox@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ContextMenuBehavior@DirectUI@@SAJPAPAUIDuiBehavior@@@Z +?Create@DUIXmlParser@DirectUI@@SAJPAPAV12@P6APAVValue@2@PBGPAX@Z2P6AX11H2@Z2@Z +?Create@DialogElement@DirectUI@@SAJPAUHWND__@@_NIPAVElement@2@PAKPAPAV42@@Z +?Create@DuiAccessible@DirectUI@@SAJPAVElement@2@PAPAV12@@Z +?Create@Edit@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@Edit@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Element@DirectUI@@SAJIPAV12@PAKPAPAV12@@Z +?Create@ElementProvider@DirectUI@@SAJPAVElement@2@PAVInvokeHelper@2@PAPAV12@@Z +?Create@ElementProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@ElementWithHWND@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ExpandCollapseProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@Expandable@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Expando@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ExpandoButtonGlyph@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@ExpandoButtonGlyph@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@FillLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@FillLayout@DirectUI@@SAJPAPAVLayout@2@@Z +?Create@FlowLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@FlowLayout@DirectUI@@SAJ_NIIIPAPAVLayout@2@@Z +?Create@GridItemProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@GridLayout@DirectUI@@SAJHHPAPAVLayout@2@@Z +?Create@GridLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@GridProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@HWNDElement@DirectUI@@SAJPAUHWND__@@_NIPAVElement@2@PAKPAPAV42@@Z +?Create@HWNDElementAccessible@DirectUI@@SAJPAVHWNDElement@2@PAPAVDuiAccessible@2@@Z +?Create@HWNDElementProvider@DirectUI@@SAJPAVHWNDElement@2@PAVInvokeHelper@2@PAPAV12@@Z +?Create@HWNDElementProxy@DirectUI@@SAPAV12@PAVHWNDElement@2@@Z +?Create@HWNDHost@DirectUI@@SAJIIPAVElement@2@PAKPAPAV32@@Z +?Create@HWNDHost@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@HWNDHostAccessible@DirectUI@@SAJPAVElement@2@PAUIAccessible@@PAPAVDuiAccessible@2@@Z +?Create@HWNDHostClientAccessible@DirectUI@@SAJPAVElement@2@PAUIAccessible@@PAPAVDuiAccessible@2@@Z +?Create@InvokeProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@ItemList@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Layout@DirectUI@@SAJPAPAV12@@Z +?Create@Macro@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ModernProgressBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ModernProgressRing@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Movie@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@Movie@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@NativeHWNDHost@DirectUI@@SAJPBG0PAUHWND__@@PAUHICON__@@HHHHHHPAUHINSTANCE__@@IPAPAV12@@Z +?Create@NativeHWNDHost@DirectUI@@SAJPBGPAUHWND__@@PAUHICON__@@HHHHHHIPAPAV12@@Z +?Create@Navigator@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@NineGridLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@NineGridLayout@DirectUI@@SAJPAPAVLayout@2@@Z +?Create@PText@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Page@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Pages@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Progress@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@PushButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@RadioButtonGlyph@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@RadioButtonGlyph@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@RangeValueProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@RefPointElement@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@RefPointElement@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@RepeatButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@RepeatButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Repeater@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@RichText@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@RowLayout@DirectUI@@SAJHIIPAPAVLayout@2@@Z +?Create@RowLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@RowLayout@DirectUI@@SAJIIPAPAVLayout@2@@Z +?Create@ScrollBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ScrollBar@DirectUI@@SAJ_NPAVElement@2@PAKPAPAV32@@Z +?Create@ScrollItemProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@ScrollProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@ScrollViewer@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ScrubBehavior@@SAJPAPAUIDuiBehavior@@@Z +?Create@SelectionItemProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@SelectionProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@Selector@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@SelectorNoDefault@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@SemanticZoomToggle@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ShellBorderLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@ShellBorderLayout@DirectUI@@SAJPAPAVLayout@2@@Z +?Create@StyleSheet@DirectUI@@SAJPAPAV12@@Z +?Create@StyledScrollViewer@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TableItemProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@TableLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@TableProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@TextGraphic@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@Thumb@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@Thumb@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ToggleProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@TouchButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@TouchButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchCheckBox@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@TouchCheckBox@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchCheckBoxGlyph@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchCommandButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@TouchCommandButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchEdit2@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchEditBase@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchHWNDElement@DirectUI@@SAJPAUHWND__@@_NIPAVElement@2@PAKPAPAV42@@Z +?Create@TouchHyperLink@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@TouchHyperLink@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchRepeatButton@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@TouchRepeatButton@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchScrollBar@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchScrollViewer@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchSelect@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchSelectItem@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchSlider@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@TouchSwitch@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@UnknownElement@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@UnknownElement@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@ValueProxy@DirectUI@@SAPAV12@PAVElement@2@@Z +?Create@VerticalFlowLayout@DirectUI@@SAJHPAHPAPAVValue@2@@Z +?Create@VerticalFlowLayout@DirectUI@@SAJ_NIIIPAPAVLayout@2@@Z +?Create@Viewer@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@XBaby@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@XBaby@DirectUI@@SAJPAVIXElementCP@2@PAVXProvider@2@PAUHWND__@@PAVElement@2@PAKPAPAV62@@Z +?Create@XElement@DirectUI@@SAJIPAVElement@2@PAKPAPAV32@@Z +?Create@XElement@DirectUI@@SAJPAVElement@2@PAKPAPAV32@@Z +?Create@XHost@DirectUI@@SAJPAVIXElementCP@2@PAPAV12@@Z +?Create@XProvider@DirectUI@@SAJPAVElement@2@PAVIXProviderCP@2@PAPAV12@@Z +?Create@XResourceProvider@DirectUI@@SAJPAPAV12@@Z +?Create@XResourceProvider@DirectUI@@SAJPAUHINSTANCE__@@PBG11PAPAV12@@Z +?CreateAccNameLabel@HWNDHost@DirectUI@@IAAPAUHWND__@@PAU3@@Z +?CreateAtom@Value@DirectUI@@SAPAV12@G@Z +?CreateAtom@Value@DirectUI@@SAPAV12@PBG@Z +?CreateBool@Value@DirectUI@@SAPAV12@_N@Z +?CreateButtons@ScrollBar@DirectUI@@MAAJXZ +?CreateButtons@TouchScrollBar@DirectUI@@UAAJXZ +?CreateCache@RichText@DirectUI@@SAJIPAPAUIDUIRichTextCache@@@Z +?CreateColor@Value@DirectUI@@SAPAV12@K@Z +?CreateColor@Value@DirectUI@@SAPAV12@KKE@Z +?CreateColor@Value@DirectUI@@SAPAV12@KKKE@Z +?CreateCursor@Value@DirectUI@@SAPAV12@PAUHICON__@@@Z +?CreateCursor@Value@DirectUI@@SAPAV12@PBG@Z +?CreateDFCFill@Value@DirectUI@@SAPAV12@II@Z +?CreateDTBFill@Value@DirectUI@@SAPAV12@PBGHH@Z +?CreateDUI@XProvider@DirectUI@@UAAJPAVIXElementCP@2@PAPAUHWND__@@@Z +?CreateDUICP@TaskPage@DirectUI@@EAAJPAVHWNDElement@2@PAUHWND__@@1PAPAVElement@2@PAPAVDUIXmlParser@2@@Z +?CreateDUICP@XResourceProvider@DirectUI@@UAAJPAVHWNDElement@2@PAUHWND__@@1PAPAVElement@2@PAPAVDUIXmlParser@2@@Z +CreateDUIWrapperTouchEx +?CreateDoubleList@Value@DirectUI@@SAPAV12@PAV?$DynamicArray@N$0A@@2@@Z +?CreateDoubleList@Value@DirectUI@@SAPAV12@PBNH@Z +?CreateElement@DUIXmlParser@DirectUI@@QAAJPBGPAVElement@2@1PAKPAPAV32@@Z +?CreateElementList@Value@DirectUI@@SAPAV12@PAV?$DynamicArray@PAVElement@DirectUI@@$0A@@2@@Z +?CreateElementRef@Value@DirectUI@@SAPAV12@PAVElement@2@@Z +?CreateElementScaledValue@Value@DirectUI@@SAPAV12@PAVElement@2@PAV12@@Z +?CreateEncodedString@Value@DirectUI@@SAPAV12@PBG@Z +?CreateExpression@Value@DirectUI@@SAPAV12@PAVExpression@2@@Z +?CreateFill@Value@DirectUI@@SAPAV12@ABUFill@2@@Z +?CreateFloat@Value@DirectUI@@SAPAV12@MW4DynamicScaleValue@@@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PAUHBITMAP__@@EI_N11@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PAUHENHMETAFILE__@@0@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PAUHICON__@@_N11@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PAUISharedBitmap@@EI@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PBGEIGGPAUHINSTANCE__@@_N2@Z +?CreateGraphic@Value@DirectUI@@SAPAV12@PBGGGPAUHINSTANCE__@@_N2@Z +?CreateHWND@CCBase@DirectUI@@UAAPAUHWND__@@PAU3@@Z +?CreateHWND@CCBaseScrollBar@DirectUI@@UAAPAUHWND__@@PAU3@@Z +?CreateHWND@Combobox@DirectUI@@UAAPAUHWND__@@PAU3@@Z +?CreateHWND@Edit@DirectUI@@MAAPAUHWND__@@PAU3@@Z +?CreateHWND@Edit@DirectUI@@MAAPAUHWND__@@PAU3@_N@Z +?CreateHWND@HWNDHost@DirectUI@@MAAPAUHWND__@@PAU3@@Z +?CreateHWND@XElement@DirectUI@@UAAPAUHWND__@@PAU3@@Z +?CreateHostWindow@NativeHWNDHost@DirectUI@@UAAPAUHWND__@@KPBG0KHHHHPAU3@PAUHMENU__@@PAUHINSTANCE__@@PAX@Z +?CreateInstance@CSafeElementProxy@@SAJPAVElement@DirectUI@@PAPAV1@@Z +?CreateInt@Value@DirectUI@@SAPAV12@HW4DynamicScaleValue@@@Z +?CreateLayout@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@P6AJHPAHPAPAVValue@2@@Z@Z +?CreateLayout@Value@DirectUI@@SAPAV12@PAVLayout@2@@Z +?CreateParser@DUIFactory@DirectUI@@QAAJXZ +?CreateParser@XProvider@DirectUI@@QAAJPAPAVDUIXmlParser@2@@Z +?CreateParserCP@TaskPage@DirectUI@@EAAJPAPAVDUIXmlParser@2@@Z +?CreateParserCP@XResourceProvider@DirectUI@@UAAJPAPAVDUIXmlParser@2@@Z +?CreatePatternProvider@Schema@DirectUI@@SAJW4Pattern@12@PAVElementProvider@2@PAPAUIUnknown@@@Z +?CreatePoint@Value@DirectUI@@SAPAV12@HHW4DynamicScaleValue@@@Z +?CreateRect@Value@DirectUI@@SAPAV12@HHHHW4DynamicScaleValue@@@Z +?CreateScaledValue@Value@DirectUI@@SAPAV12@MPAV12@@Z +?CreateScrollBars@ScrollViewer@DirectUI@@MAAJXZ +?CreateScrollBars@StyledScrollViewer@DirectUI@@MAAJXZ +?CreateSize@Value@DirectUI@@SAPAV12@HHW4DynamicScaleValue@@@Z +?CreateString@Value@DirectUI@@SAPAV12@PBGPAUHINSTANCE__@@@Z +?CreateStringRP@Value@DirectUI@@SAPAV12@PBGPAUHINSTANCE__@@@Z +?CreateStyleParser@HWNDElement@DirectUI@@UAAJPAPAVDUIXmlParser@2@@Z +?CreateStyleParser@XBaby@DirectUI@@UAAJPAPAVDUIXmlParser@2@@Z +?CreateStyleSheet@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PBGPAPAVStyleSheet@2@@Z +?CreateStyleSheet@Value@DirectUI@@SAPAV12@PAVStyleSheet@2@@Z +?CreateValueList@Value@DirectUI@@SAPAV12@PAV12@@Z +?CreateValueList@Value@DirectUI@@SAPAV12@PAV?$DynamicArray@PAVValue@DirectUI@@$0A@@2@@Z +?CreateXBaby@XProvider@DirectUI@@UAAJPAVIXElementCP@2@PAUHWND__@@PAVElement@2@PAKPAPAUIXBaby@2@@Z +?CreateXmlReader@DUIXmlParser@DirectUI@@IAAJPAPAUIXmlReader@@@Z +?CreateXmlReaderFromHGLOBAL@DUIXmlParser@DirectUI@@IAAJPAXPAPAUIXmlReader@@@Z +?CreateXmlReaderInputWithEncodingName@DUIXmlParser@DirectUI@@IAAJPAUIStream@@PBGPAPAUIUnknown@@@Z +?CtrlSubclassProc@HWNDHost@DirectUI@@KAJPAUHWND__@@IIJ@Z +?CultureProperty@Schema@DirectUI@@2HA DATA +?CursorProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?CustomControlType@Schema@DirectUI@@2HA DATA +?CustomDragDropScalingHint@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?CustomProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?CustomReflowHint@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?CustomTapHint@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?Cut@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?DCompDeviceRebuilt@Element@DirectUI@@SA?AVUID@@XZ +?DPIProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?DUICreatePropertySheetPage@TaskPage@DirectUI@@QAAJPAUHINSTANCE__@@@Z +DUIStopPVLAnimation +?DataGridControlType@Schema@DirectUI@@2HA DATA +?DataItemControlType@Schema@DirectUI@@2HA DATA +?DefaultAction@Button@DirectUI@@UAAJXZ +?DefaultAction@CCBase@DirectUI@@UAAJXZ +?DefaultAction@CCPushButton@DirectUI@@UAAJXZ +?DefaultAction@Element@DirectUI@@UAAJXZ +?DefaultAction@SemanticZoomToggle@DirectUI@@UAAJXZ +?DefaultAction@TouchButton@DirectUI@@UAAJXZ +?DefaultAction@TouchRepeatButton@DirectUI@@UAAJXZ +?DefaultButtonTrackingProp@DialogElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?DelayActivateTooltip@HWNDElement@DirectUI@@QAAXXZ +?DeleteString@CCListBox@DirectUI@@QAAHH@Z +?DesiredSizeProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Destroy@ClassInfoBase@DirectUI@@UAAXXZ +?Destroy@DUIXmlParser@DirectUI@@QAAXXZ +?Destroy@Element@DirectUI@@QAAJ_N@Z +?Destroy@Expression@DirectUI@@QAAXXZ +?Destroy@Layout@DirectUI@@QAAXXZ +?Destroy@NativeHWNDHost@DirectUI@@QAAXXZ +?Destroy@XHost@DirectUI@@QAAXXZ +?DestroyAll@Element@DirectUI@@QAAJ_N@Z +?DestroyCP@TaskPage@DirectUI@@EAAXXZ +?DestroyCP@XResourceProvider@DirectUI@@UAAXXZ +?DestroyListener@EventManager@DirectUI@@SAXPAVElement@2@@Z +?DestroyMsg@NativeHWNDHost@DirectUI@@SAIXZ +?DestroyWindow@NativeHWNDHost@DirectUI@@QAAXXZ +?DestroyWindow@XHost@DirectUI@@QAAXXZ +?Detach@CSafeElementProxy@@QAAXXZ +?Detach@Element@DirectUI@@QAAXPAVDeferCycle@2@@Z +?Detach@HWNDHost@DirectUI@@QAAXXZ +?Detach@Layout@DirectUI@@UAAXPAVElement@2@@Z +?DetachParser@DUIFactory@DirectUI@@QAAPAVDUIXmlParser@2@XZ +?DeterminateProp@ModernProgressBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?DirectionProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?DirtyProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?DisableAccTextExtendProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?DisableMouseInRectCheckProp@TouchRepeatButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?DisableSelectionHandlesOnEmptyContent@TouchEdit2@DirectUI@@QAAXXZ +?Disconnect@DuiAccessible@DirectUI@@UAAJXZ +?Disconnect@HWNDElementAccessible@DirectUI@@UAAJXZ +?Disconnect@HWNDHostAccessible@DirectUI@@UAAJXZ +?DismissIHMAsync@TouchHWNDElement@DirectUI@@QAAJXZ +?DllsLoaded@CallstackTracker@DirectUI@@CAHXZ +?DoInvoke@?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@IAAJHZZ +?DoInvoke@?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@IAAJHZZ +?DoInvoke@ElementProvider@DirectUI@@IAAJHZZ +?DoInvoke@InvokeHelper@DirectUI@@QAAJHPAVElementProvider@2@P6APAVProviderProxy@2@PAVElement@2@@ZPAD@Z +?DoInvokeArgs@ElementProvider@DirectUI@@QAAJHP6APAVProviderProxy@2@PAVElement@2@@ZPAD@Z +?DoLayout@BorderLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@FillLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@FlowLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@GridLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@Layout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@NineGridLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@RowLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@TableLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoLayout@VerticalFlowLayout@DirectUI@@UAAXPAVElement@2@HH@Z +?DoMethod@BrowserSelectionProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ElementProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ExpandCollapseProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@GridItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@GridProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@HWNDElementProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@InvokeProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ModernProgressBarRangeValueProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@NavigatorSelectionItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ProgressRangeValueProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@RangeValueProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ScrollBarRangeValueProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ScrollItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ScrollProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@SelectionItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@SelectionProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@SelectorSelectionItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@SelectorSelectionProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@TableItemProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@TableProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ToggleProxy@DirectUI@@UAAJHPAD@Z +?DoMethod@ValueProxy@DirectUI@@UAAJHPAD@Z +?DockPattern@Schema@DirectUI@@2HA DATA +?DocumentControlType@Schema@DirectUI@@2HA DATA +?DoubleBuffered@Element@DirectUI@@QAAX_N@Z +?Drag@Thumb@DirectUI@@SA?AVUID@@XZ +?DragDragCancelEvent@Schema@DirectUI@@2HA DATA +?DragDragCompleteEvent@Schema@DirectUI@@2HA DATA +?DragDragStartEvent@Schema@DirectUI@@2HA DATA +?DragPattern@Schema@DirectUI@@2HA DATA +?Drag_DropEffect_Property@Schema@DirectUI@@2HA DATA +?Drag_DropEffects_Property@Schema@DirectUI@@2HA DATA +?Drag_IsGrabbed_Property@Schema@DirectUI@@2HA DATA +?DrawOutlinesProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +DuiCreateObject +?DumpDuiProperties@@YAXPAVElement@DirectUI@@@Z +?DumpDuiTree@@YAXPAVElement@DirectUI@@H@Z +?EdgeHighlightColorProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?EdgeHighlightThicknessProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?EditControlType@Schema@DirectUI@@2HA DATA +?ElementFromPoint@HWNDElement@DirectUI@@QAAPAVElement@2@PAUtagPOINT@@@Z +?ElementFromPoint@HWNDElementProxy@DirectUI@@IAAJNNPAPAUIRawElementProviderFragment@@@Z +?ElementMovesOnIHMNotifyProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?ElementProviderFromPoint@HWNDElementProvider@DirectUI@@UAAJNNPAPAUIRawElementProviderFragment@@@Z +?EnableDesignMode@DUIXmlParser@DirectUI@@QAAXXZ +?EnableUiaEvents@Element@DirectUI@@QAAX_N@Z +?EnabledProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?End@BaseScrollBar@DirectUI@@UAAXXZ +?EndDefer@Element@DirectUI@@QAAXK@Z +?EndDefer@EventManager@DirectUI@@SAJPAVElement@2@@Z +?EnforceSizeProp@PushButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?EnsureVisible@Element@DirectUI@@QAA_NI@Z +?EnsureVisible@Element@DirectUI@@QAA_NXZ +?EnsureVisible@Element@DirectUI@@UAA_NHHHH@Z +?EnsureVisible@Viewer@DirectUI@@UAA_NHHHH@Z +?Enter@Edit@DirectUI@@SA?AVUID@@XZ +?Enter@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?Entered@Browser@DirectUI@@SA?AVUID@@XZ +?EnumCallstackFrames@CallstackTracker@DirectUI@@QAAHP6AXPBD0KK@Z@Z +?EnumPropertyInfo@ClassInfoBase@DirectUI@@UAAPBUPropertyInfo@2@I@Z +?EraseBkgnd@HWNDHost@DirectUI@@MAA_NPAUHDC__@@PAJ@Z +?EraseFeedback@TouchSlider@DirectUI@@QAAXXZ +?EstimateContentSize@CCPushButton@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?EventFromEventId@Schema@DirectUI@@SA?AW4Event@12@H@Z +?EventListener@EventManager@DirectUI@@SAJPAVElement@2@PAUEvent@2@@Z +?ExecuteManualSwapDeferredZoomToRect@TouchScrollViewer@DirectUI@@QAAJ_N@Z +?Expand@ExpandCollapseProvider@DirectUI@@UAAJXZ +?ExpandCollapsePattern@Schema@DirectUI@@2HA DATA +?ExpandCollapse_ExpandCollapseState_Property@Schema@DirectUI@@2HA DATA +?ExpandProp@Macro@DirectUI@@SAPBUPropertyInfo@2@XZ +?ExpandedProp@Expandable@DirectUI@@SAPBUPropertyInfo@2@XZ +?ExtentProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FWantAnyEvent@EventManager@DirectUI@@SA_NPAVElement@2@@Z +?FillSymbolInfo@CallstackTracker@DirectUI@@AAAXPAUSTACK_SYMBOL_INFO@12@_K@Z +?FilterOnPasteProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?FinalizeCurrentIMEComposition@TouchEdit2@DirectUI@@UAAJXZ +?FinalizeCurrentIMEComposition@TouchEditBase@DirectUI@@UAAJXZ +?Find@ElementProviderManager@DirectUI@@SAPAVElementProvider@2@PAVElement@2@@Z +?FindAccessibleRole@AccessibleButton@DirectUI@@CAPBUACCESSIBLEROLE@12@H@Z +?FindDescendent@Element@DirectUI@@QAAPAV12@G@Z +?FindDescendentWorker@Element@DirectUI@@AAAPAV12@G@Z +?FindElementWithShortcutAndDoDefaultAction@XProvider@DirectUI@@UAAHGH@Z +?FindInvokeHelper@InvokeManager@DirectUI@@CAPAVInvokeHelper@2@PAI@Z +?FindProviderCallback@ElementProviderManager@DirectUI@@CA_NPAVElementProvider@2@PAX@Z +?FindRefPoint@RefPointElement@DirectUI@@SAPAVElement@2@PAV32@PAUtagPOINT@@@Z +?FindShortcut@HWNDElement@DirectUI@@SA_NGPAVElement@2@PAPAV32@PAH2H@Z +?FindShortcutRecursive@HWNDElement@DirectUI@@KA_NGPAVElement@2@PAPAV32@PAH2H@Z +?FireAnimationChangeEvent@BaseScrollViewer@DirectUI@@IAAX_N@Z +?FireClickEvent@TouchButton@DirectUI@@UAAXIIW4ClickDevice@12@PAUtagPOINT@@@Z +?FireClickEvent@TouchRepeatButton@DirectUI@@UAAXIIW4ClickDevice@TouchButton@2@PAUtagPOINT@@@Z +?FireEvent@Element@DirectUI@@QAAXPAUEvent@2@_N1@Z +?FireEventOnMouseOrPointerRelease@TouchSlider@DirectUI@@QAAXXZ +?FireHostEvent@PushButton@DirectUI@@AAAXPAVElement@2@_N@Z +?FireNavigate@Browser@DirectUI@@AAAHG@Z +?FireNavigationEvent@Navigator@DirectUI@@AAAXXZ +?FireRightClickEvent@TouchButton@DirectUI@@UAAXIPAUtagPOINT@@@Z +?FireRightClickEvent@TouchRepeatButton@DirectUI@@UAAXIPAUtagPOINT@@@Z +?FireStructureChangedEvent@EventManager@DirectUI@@SAJPAVElement@2@W4StructureChangeType@@@Z +?FlagsProp@TouchHWNDElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?FlushWorkingSet@HWNDElement@DirectUI@@QAAXXZ +?FontColorRunsProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontFaceProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontQualityProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontSizeProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontSizeRunsProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontStyleProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontWeightProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?FontWeightRunsProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?ForceEditTextToLTRProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?ForceThemeChange@XBaby@DirectUI@@UAAXIJ@Z +?ForceThemeChange@XProvider@DirectUI@@UAAJIJ@Z +?ForegroundProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Forward@Movie@DirectUI@@QAAXXZ +?ForwardingWindowMessage@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?FrameDurationProp@AnimationStrip@DirectUI@@SAPBUPropertyInfo@2@XZ +?FrameIndexProp@AnimationStrip@DirectUI@@SAPBUPropertyInfo@2@XZ +?FrameWidthProp@AnimationStrip@DirectUI@@SAPBUPropertyInfo@2@XZ +?FrameworkId@Schema@DirectUI@@2HA DATA +?FreeComCtl32@TaskPage@DirectUI@@AAAXXZ +?FreeProvider@XElement@DirectUI@@QAAXXZ +?GetAbsorbsShortcut@Element@DirectUI@@QAA_NXZ +?GetAccDefAction@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccDesc@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccHelp@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccItemStatus@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccItemType@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccName@DuiAccessible@DirectUI@@IAAJUtagVARIANT@@HPAPAG@Z +?GetAccName@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccNameAsDisplayed@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccNameFromContent@DuiAccessible@DirectUI@@IAAJPAPAG@Z +?GetAccRole@Element@DirectUI@@QAAHXZ +?GetAccState@Element@DirectUI@@QAAHXZ +?GetAccValue@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetAccessible@Element@DirectUI@@QAA_NXZ +?GetAccessibleImpl@Element@DirectUI@@UAAJPAPAUIAccessible@@@Z +?GetAccessibleImpl@HWNDElement@DirectUI@@UAAJPAPAUIAccessible@@@Z +?GetAccessibleImpl@HWNDHost@DirectUI@@AAAJPAPAUIAccessible@@_N@Z +?GetAccessibleImpl@HWNDHost@DirectUI@@UAAJPAPAUIAccessible@@@Z +?GetAccessibleImpl@TouchEdit2@DirectUI@@UAAJPAPAUIAccessible@@@Z +?GetAccessibleParent@DuiAccessible@DirectUI@@SAPAVElement@2@PAV32@@Z +?GetActive@Element@DirectUI@@QAAHXZ +?GetActiveState@TouchScrollBar@DirectUI@@QAA?AW4ActiveState@2@XZ +?GetActualReferencePoint@RefPointElement@DirectUI@@QAAPBUtagPOINT@@PAPAVValue@2@@Z +?GetAdjacent@BorderLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@Element@DirectUI@@UAAPAV12@PAV12@HPBUNavReference@2@K@Z +?GetAdjacent@FillLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@FlowLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@GridLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@ItemList@DirectUI@@UAAPAVElement@2@PAV32@HPBUNavReference@2@K@Z +?GetAdjacent@Layout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@NineGridLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@RowLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@Selector@DirectUI@@UAAPAVElement@2@PAV32@HPBUNavReference@2@K@Z +?GetAdjacent@ShellBorderLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@TableLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@VerticalFlowLayout@DirectUI@@UAAPAVElement@2@PAV32@0HPBUNavReference@2@K@Z +?GetAdjacent@XBaby@DirectUI@@UAAPAVElement@2@PAV32@HPBUNavReference@2@K@Z +?GetAllowArrowOut@TouchScrollViewer@DirectUI@@QAA_NXZ +?GetAlpha@Element@DirectUI@@QAAHXZ +?GetAnimatePopupOnDismiss@TouchSelect@DirectUI@@QAA_NXZ +?GetAnimation@Element@DirectUI@@QAAHXZ +?GetAtom@Value@DirectUI@@QAAGXZ +?GetAtomZero@Value@DirectUI@@SAPAV12@XZ +?GetAutoGrouping@CCRadioButton@DirectUI@@QAA_NXZ +?GetAutoStart@Movie@DirectUI@@QAA_NXZ +?GetAutoStop@Movie@DirectUI@@QAA_NXZ +?GetAutomationId@ElementProxy@DirectUI@@IAAJPAUtagVARIANT@@@Z +?GetBackgroundColor@Element@DirectUI@@QAAPBUFill@2@PAPAVValue@2@@Z +?GetBackgroundOwner@HWNDHost@DirectUI@@IAAPAVElement@2@XZ +?GetBackgroundOwnerID@HWNDHost@DirectUI@@QAAGXZ +?GetBackgroundStdColor@Element@DirectUI@@QAAHXZ +?GetBool@EventManager@DirectUI@@CAJPAUtagVARIANT@@PAVValue@2@@Z +?GetBool@Value@DirectUI@@QAA_NXZ +?GetBoolFalse@Value@DirectUI@@SAPAV12@XZ +?GetBoolTrue@Value@DirectUI@@SAPAV12@XZ +?GetBorderColor@Element@DirectUI@@QAAPBUFill@2@PAPAVValue@2@@Z +?GetBorderStdColor@Element@DirectUI@@QAAHXZ +?GetBorderStyle@Element@DirectUI@@QAAHXZ +?GetBorderThickness@Element@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetBoundingRect@ElementProxy@DirectUI@@IAAJPAUUiaRect@@@Z +?GetBrowser@Navigator@DirectUI@@QAAPAVBrowser@2@XZ +?GetBuffering@TouchSlider@DirectUI@@QAAHXZ +?GetButtonClassAcceptsEnterKey@DialogElement@DirectUI@@UAA_NXZ +?GetButtonColor@CCPushButton@DirectUI@@UAA_NPAUHDC__@@PAPAUHBRUSH__@@@Z +?GetByClassIndex@ClassInfoBase@DirectUI@@UAAPBUPropertyInfo@2@I@Z +?GetCaptured@Button@DirectUI@@QAA_NXZ +?GetCaptured@TouchButton@DirectUI@@QAA_NXZ +?GetCellInfo@TableLayout@DirectUI@@QAAPAUCellInfo@2@H@Z +?GetCheckedState@TouchCheckBox@DirectUI@@QAA?AW4CheckedStateFlags@2@XZ +?GetChildFromLayoutIndex@Layout@DirectUI@@QAAPAVElement@2@PAV32@HPAV?$DynamicArray@PAVElement@DirectUI@@$0A@@2@@Z +?GetChildren@ClassInfoBase@DirectUI@@UBAHXZ +?GetChildren@Element@DirectUI@@QAAPAV?$DynamicArray@PAVElement@DirectUI@@$0A@@2@PAPAVValue@2@@Z +?GetClass@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetClassInfoPtr@AccessibleButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@AnimationStrip@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@AutoButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@BaseScrollViewer@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Bind@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Browser@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Button@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCAVI@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCBase@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCBaseCheckRadioButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCBaseScrollBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCCheckBox@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCCommandLink@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCHScrollBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCListBox@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCListView@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCProgressBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCPushButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCRadioButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCSysLink@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCTrackBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCTreeView@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CCVScrollBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@CheckBoxGlyph@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Clipper@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Combobox@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@DialogElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Edit@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Element@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ElementWithHWND@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Expandable@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Expando@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ExpandoButtonGlyph@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@HWNDElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@HWNDHost@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ItemList@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Macro@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ModernProgressBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ModernProgressRing@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Movie@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Navigator@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@PText@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Page@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Pages@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Progress@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@PushButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@RadioButtonGlyph@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@RefPointElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@RepeatButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Repeater@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@RichText@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ScrollBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@ScrollViewer@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Selector@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@SelectorNoDefault@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@SemanticZoomToggle@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@StyledScrollViewer@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TextGraphic@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Thumb@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchCheckBox@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchCheckBoxGlyph@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchCommandButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchEdit2@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchEditBase@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchHWNDElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchHyperLink@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchRepeatButton@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchScrollBar@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchScrollViewer@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchSelect@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchSelectItem@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchSlider@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@TouchSwitch@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@UnknownElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@Viewer@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@XBaby@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoPtr@XElement@DirectUI@@SAPAUIClassInfo@2@XZ +?GetClassInfoW@AccessibleButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@AnimationStrip@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@AutoButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@BaseScrollViewer@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Bind@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Browser@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Button@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCAVI@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCBase@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCBaseCheckRadioButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCBaseScrollBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCCheckBox@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCCommandLink@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCHScrollBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCListBox@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCListView@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCProgressBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCPushButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCRadioButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCSysLink@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCTrackBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCTreeView@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CCVScrollBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@CheckBoxGlyph@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Clipper@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Combobox@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@DialogElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Edit@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Element@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ElementWithHWND@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Expandable@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Expando@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ExpandoButtonGlyph@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@HWNDElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@HWNDHost@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ItemList@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Macro@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ModernProgressBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ModernProgressRing@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Movie@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Navigator@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@PText@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Page@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Pages@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Progress@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@PushButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@RadioButtonGlyph@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@RefPointElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@RepeatButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Repeater@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@RichText@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ScrollBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@ScrollViewer@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Selector@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@SelectorNoDefault@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@SemanticZoomToggle@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@StyledScrollViewer@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TextGraphic@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Thumb@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchCheckBox@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchCheckBoxGlyph@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchCommandButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchEdit2@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchEditBase@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchHWNDElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchHyperLink@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchRepeatButton@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchScrollBar@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchScrollViewer@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchSelect@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchSelectItem@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchSlider@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@TouchSwitch@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@UnknownElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@Viewer@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@XBaby@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClassInfoW@XElement@DirectUI@@UAAPAUIClassInfo@2@XZ +?GetClickDevice@TouchButton@DirectUI@@QAA?AW4ClickDevice@12@XZ +?GetClickablePoint@Element@DirectUI@@QAA_NPAUtagPOINT@@@Z +?GetClientAccessibleImpl@HWNDHost@DirectUI@@QAAJPAPAUIAccessible@@@Z +?GetColorFromProperty@DirectUI@@YAJPAVElement@1@PBUPropertyInfo@1@HPAK@Z +?GetColorFromValue@DirectUI@@YAJPAVElement@1@PAVValue@1@PAK@Z +?GetColorTrans@Value@DirectUI@@SAPAV12@XZ +?GetColorize@Element@DirectUI@@QAAHXZ +?GetColumn@GridItemProxy@DirectUI@@AAAJPAH@Z +?GetColumnCount@GridProxy@DirectUI@@AAAJPAH@Z +?GetColumnHeaderItems@TableItemProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetColumnHeaders@TableProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetCommonDrawTextFlags@Element@DirectUI@@AAAIH@Z +?GetCompositingQuality@Movie@DirectUI@@QAAHXZ +?GetConnect@Bind@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetContainingGrid@GridItemProxy@DirectUI@@AAAJPAPAUIRawElementProviderSimple@@@Z +?GetContent@ElementProxy@DirectUI@@IAAJPAUtagVARIANT@@PAUIAccessible@@@Z +?GetContentAlign@Element@DirectUI@@QAAHXZ +?GetContentCrossfadeOpacity@TouchScrollViewer@DirectUI@@QAAMXZ +?GetContentDesiredSize@XBaby@DirectUI@@UAA?AUtagSIZE@@HH@Z +?GetContentSize@CCBase@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCBaseCheckRadioButton@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCCommandLink@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCHScrollBar@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCListBox@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCListView@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCPushButton@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCSysLink@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCTreeView@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@CCVScrollBar@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@Combobox@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@Edit@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@Element@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@Progress@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@PushButton@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentSize@RichText@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?GetContentString@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetContentStringAsDisplayed@Edit@DirectUI@@UAAPBGPAPAVValue@2@@Z +?GetContentStringAsDisplayed@Element@DirectUI@@UAAPBGPAPAVValue@2@@Z +?GetContentStringAsDisplayed@TextGraphic@DirectUI@@UAAPBGPAPAVValue@2@@Z +?GetContentStringAsDisplayed@TouchEditBase@DirectUI@@UAAPBGPAPAVValue@2@@Z +?GetControlType@ElementProxy@DirectUI@@IAAXPAUtagVARIANT@@PAUIAccessible@@@Z +?GetControllerFor@TouchEditBase@DirectUI@@UAAJPAPAUIUnknown@@@Z +?GetCount@CCListBox@DirectUI@@QAAHXZ +?GetCount@Pages@DirectUI@@QAAIXZ +?GetCreationFlags@XElement@DirectUI@@UAAIXZ +?GetCurrentCols@GridLayout@DirectUI@@IAAIH@Z +?GetCurrentCols@GridLayout@DirectUI@@IAAIPAVElement@2@@Z +?GetCurrentPage@Browser@DirectUI@@QAAPAVElement@2@XZ +?GetCurrentPageID@Browser@DirectUI@@QAAGXZ +?GetCurrentRows@GridLayout@DirectUI@@IAAIH@Z +?GetCurrentRows@GridLayout@DirectUI@@IAAIPAVElement@2@@Z +?GetCursor@Value@DirectUI@@QAAPAUCursor@2@XZ +?GetCursorNull@Value@DirectUI@@SAPAV12@XZ +?GetDPI@Element@DirectUI@@QAAHXZ +?GetDataEntry@Macro@DirectUI@@QAAPAUIDataEntry@2@XZ +?GetDblListEmpty@Value@DirectUI@@SAPAV12@XZ +?GetDefaultButton@DialogElement@DirectUI@@UAAPAVElement@2@XZ +?GetDefaultButton@DialogElementCore@DirectUI@@QAAPAVElement@2@XZ +?GetDefaultButtonTracking@DialogElement@DirectUI@@UAA_NXZ +?GetDefaultButtonTracking@XBaby@DirectUI@@UAA_NXZ +?GetDeferObject@Element@DirectUI@@QAAPAVDeferCycle@2@XZ +?GetDesiredSize@Element@DirectUI@@QAAPBUtagSIZE@@XZ +?GetDesiredSize@XProvider@DirectUI@@UAAJHHPAUtagSIZE@@@Z +?GetDirection@Element@DirectUI@@QAAHXZ +?GetDirty@Edit@DirectUI@@QAA_NXZ +?GetDisableMouseInRectCheck@TouchRepeatButton@DirectUI@@QAA_NXZ +?GetDispatchFromElement@DuiAccessible@DirectUI@@IAAJPAVElement@2@PAPAUIDispatch@@@Z +?GetDisplayNode@Element@DirectUI@@QAAPAUHGADGET__@@XZ +?GetDoubleList@Value@DirectUI@@QAAPAV?$DynamicArray@N$0A@@2@XZ +?GetDrawOutlines@Movie@DirectUI@@QAA_NXZ +?GetEdgeHighlightColor@Element@DirectUI@@QAAPBUFill@2@PAPAVValue@2@@Z +?GetEdgeHighlightThickness@Element@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetElListNull@Value@DirectUI@@SAPAV12@XZ +?GetElement@CCBaseScrollBar@DirectUI@@UAAPAVElement@2@XZ +?GetElement@ElementProvider@DirectUI@@UAAPDVElement@2@XZ +?GetElement@NativeHWNDHost@DirectUI@@QAAPAVElement@2@XZ +?GetElement@ScrollBar@DirectUI@@UAAPAVElement@2@XZ +?GetElement@TaskPage@DirectUI@@IAAPAVElement@2@XZ +?GetElement@Value@DirectUI@@QAAPAVElement@2@XZ +?GetElement@XHost@DirectUI@@QAAPAVElement@2@XZ +?GetElementKey@ElementProvider@DirectUI@@QAAPBVElement@2@XZ +?GetElementList@Value@DirectUI@@QAAPAV?$DynamicArray@PAVElement@DirectUI@@$0A@@2@XZ +?GetElementMovesOnIHMNotify@TouchEditBase@DirectUI@@QAA_NXZ +?GetElementNull@Value@DirectUI@@SAPAV12@XZ +?GetElementProviderImpl@Element@DirectUI@@UAAJPAVInvokeHelper@2@PAPAVElementProvider@2@@Z +?GetElementProviderImpl@TouchSelect@DirectUI@@UAAJPAVInvokeHelper@2@PAPAVElementProvider@2@@Z +?GetElementProviderImpl@XBaby@DirectUI@@UAAJPAVInvokeHelper@2@PAPAVElementProvider@2@@Z +?GetElementScaleFactor@Element@DirectUI@@QAAMXZ +?GetElementScaledFloat@Value@DirectUI@@QAAMPAVElement@2@@Z +?GetElementScaledInt@Value@DirectUI@@QAAHPAVElement@2@@Z +?GetElementScaledPoint@Value@DirectUI@@QAAXPAVElement@2@PAUtagPOINT@@@Z +?GetElementScaledRect@Value@DirectUI@@QAAXPAVElement@2@PAUtagRECT@@@Z +?GetElementScaledSize@Value@DirectUI@@QAAXPAVElement@2@PAUtagSIZE@@@Z +?GetEmbeddedFragmentRoots@ElementProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetEnabled@Element@DirectUI@@QAA_NXZ +?GetEncodedContentString@Element@DirectUI@@QAAJPAGI@Z +?GetEncodedContentStringLength@Element@DirectUI@@QAAIXZ +?GetEncodedString@Value@DirectUI@@QAAJPAGI@Z +?GetEncodedStringLength@Value@DirectUI@@QAAIXZ +?GetEnforceSize@PushButton@DirectUI@@QAA_NXZ +?GetExpand@Macro@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetExpandCollapseState@EventManager@DirectUI@@CAXPAUtagVARIANT@@@Z +?GetExpanded@Expandable@DirectUI@@QAA_NXZ +?GetExprNull@Value@DirectUI@@SAPAV12@XZ +?GetExpression@Value@DirectUI@@QAAPAVExpression@2@XZ +?GetExtent@Element@DirectUI@@QAAPBUtagSIZE@@PAPAVValue@2@@Z +?GetFactory@RichText@DirectUI@@QAAPAUIDWriteFactory@@XZ +?GetFactoryLock@Element@DirectUI@@SAPAU_RTL_CRITICAL_SECTION@@XZ +?GetFill@Value@DirectUI@@QAAPBUFill@2@XZ +?GetFillpartElement@TouchSlider@DirectUI@@QAAPAVElement@2@XZ +?GetFilterOnPaste@TouchEditBase@DirectUI@@QAA_NXZ +?GetFlags@TouchHWNDElement@DirectUI@@QAA?AW4TouchHWNDElementFlags@2@XZ +?GetFloat@Value@DirectUI@@QAAMXZ +?GetFloatOne@Value@DirectUI@@SAPAV12@XZ +?GetFloatZero@Value@DirectUI@@SAPAV12@XZ +?GetFocus@HWNDElementProvider@DirectUI@@UAAJPAPAUIRawElementProviderFragment@@@Z +?GetFocus@HWNDElementProxy@DirectUI@@IAAJPAPAUIRawElementProviderFragment@@@Z +?GetFocusableElement@XBaby@DirectUI@@UAAPAVElement@2@XZ +?GetFocusedHWNDElement@HWNDElement@DirectUI@@SAPAV12@XZ +?GetFont@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetFont@HWNDHost@DirectUI@@IAAPAUHFONT__@@XZ +?GetFontFace@Element@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetFontQuality@Element@DirectUI@@QAAHXZ +?GetFontSize@Element@DirectUI@@QAAHXZ +?GetFontStyle@Element@DirectUI@@QAAHXZ +?GetFontWeight@Element@DirectUI@@QAAHXZ +?GetForceEditTextToLTR@TouchEditBase@DirectUI@@QAA_NXZ +?GetForegroundColor@Element@DirectUI@@QAAPBUFill@2@PAPAVValue@2@@Z +?GetForegroundColorRef@RichText@DirectUI@@UAAJPAK@Z +?GetForegroundColorRef@TouchButton@DirectUI@@UAAJPAK@Z +?GetForegroundStdColor@Element@DirectUI@@QAAHXZ +?GetFragmentRoot@ElementProxy@DirectUI@@IAAJPAPAUIRawElementProviderFragmentRoot@@@Z +?GetFrameDuration@AnimationStrip@DirectUI@@QAAHXZ +?GetFrameIndex@AnimationStrip@DirectUI@@QAAHXZ +?GetFrameWidth@AnimationStrip@DirectUI@@QAAHXZ +?GetGetSheetCallback@DUIXmlParser@DirectUI@@QAAP6APAVValue@2@PBGPAX@ZXZ +?GetGlobalIndex@ClassInfoBase@DirectUI@@UBAIXZ +?GetGraphic@Value@DirectUI@@QAAPAUGraphic@2@XZ +?GetHDC@DCSurface@DirectUI@@QAAPAUHDC__@@XZ +?GetHInstance@DUIXmlParser@DirectUI@@QAAPAUHINSTANCE__@@XZ +?GetHScroll@ScrollViewer@DirectUI@@MAAPAVBaseScrollBar@2@XZ +?GetHScroll@StyledScrollViewer@DirectUI@@MAAPAVBaseScrollBar@2@XZ +?GetHScrollbar@TouchScrollViewer@DirectUI@@QAAJPAPAVElement@2@@Z +?GetHWND@HWNDElement@DirectUI@@UAAPAUHWND__@@XZ +?GetHWND@HWNDHost@DirectUI@@UAAPAUHWND__@@XZ +?GetHWND@NativeHWNDHost@DirectUI@@QAAPAUHWND__@@XZ +?GetHWND@XHost@DirectUI@@QAAPAUHWND__@@XZ +?GetHWNDParent@HWNDHost@DirectUI@@QAAPAUHWND__@@XZ +?GetHandle@ResourceModuleHandles@DirectUI@@QAAJPBGPAPAUHINSTANCE__@@@Z +?GetHandleEnter@TouchButton@DirectUI@@QAA_NXZ +?GetHandleEnterKey@DialogElement@DirectUI@@UAA_NXZ +?GetHandleGlobalEnter@TouchButton@DirectUI@@QAA_NXZ +?GetHasShield@CCPushButton@DirectUI@@QAA_NXZ +?GetHeight@Element@DirectUI@@QAAHXZ +?GetHighDPI@Element@DirectUI@@QAA_NXZ +?GetHostedElementID@XBaby@DirectUI@@UAAJPAG@Z +?GetHostedElementID@XProvider@DirectUI@@UAAJPAG@Z +?GetHwnd@ElementProxy@DirectUI@@IAAJPAPAUHWND__@@@Z +?GetID@Element@DirectUI@@QAAGXZ +?GetIDsOfNames@DuiAccessible@DirectUI@@UAAJABU_GUID@@PAPAGIKPAJ@Z +?GetIHMRect@TouchHWNDElement@DirectUI@@QAAJPAUtagRECT@@@Z +?GetIHMState@TouchHWNDElement@DirectUI@@QAA?AW4IHMState@2@XZ +?GetIMEComposing@TouchEditBase@DirectUI@@QAA_NXZ +?GetIdentityString@DuiAccessible@DirectUI@@UAAJKPAPAEPAK@Z +?GetIdentityString@HWNDHostAccessible@DirectUI@@UAAJKPAPAEPAK@Z +?GetIgnoredKeyCombos@TouchEditBase@DirectUI@@QAA?AW4TouchEditFilteredKeyComboFlags@2@XZ +?GetImage@Value@DirectUI@@QAAPAX_N@Z +?GetImmediateChild@Element@DirectUI@@QAAPAV12@PAV12@@Z +?GetImmersiveFocusRectOffsets@Element@DirectUI@@UAAXPAUtagRECT@@@Z +?GetImmersiveFocusRectOffsets@TouchButton@DirectUI@@UAAXPAUtagRECT@@@Z +?GetImmersiveFocusRectOffsets@TouchCheckBox@DirectUI@@UAAXPAUtagRECT@@@Z +?GetImmersiveFocusRectOffsets@TouchHyperLink@DirectUI@@UAAXPAUtagRECT@@@Z +?GetIndex@Element@DirectUI@@QAAHXZ +?GetInertiaEndpointVisibleRect@TouchScrollViewer@DirectUI@@QAAXPAUtagRECT@@@Z +?GetInertiaEndpointZoomLevel@TouchScrollViewer@DirectUI@@QAAMM@Z +?GetInnerBorderThickness@TouchEdit2@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetInnerHWND@XElement@DirectUI@@QAAPAUHWND__@@XZ +?GetInputScope@TouchEdit2@DirectUI@@QAA?AW4__MIDL___MIDL_itf_inputscope_0000_0000_0001@@XZ +?GetInt@EventManager@DirectUI@@CAJPAUtagVARIANT@@PAVValue@2@@Z +?GetInt@Value@DirectUI@@QAAHXZ +?GetIntMinusOne@Value@DirectUI@@SAPAV12@XZ +?GetIntZero@Value@DirectUI@@SAPAV12@XZ +?GetIntegrateIMECandidateList@TouchEditBase@DirectUI@@QAA_NXZ +?GetInteractionMode@TouchScrollViewer@DirectUI@@QAAHXZ +?GetInterpolationMode@Movie@DirectUI@@QAAHXZ +?GetInvokeHelper@InvokeManager@DirectUI@@SAJPAPAVInvokeHelper@2@@Z +?GetIsContinuous@TouchSlider@DirectUI@@QAA_NXZ +?GetIsPressed@TouchSlider@DirectUI@@QAA_NXZ +?GetIsReadOnly@ValueProxy@DirectUI@@AAAJPAH@Z +?GetIsSelected@NavigatorSelectionItemProxy@DirectUI@@AAAJPAVBrowser@2@PAH@Z +?GetIsSelectionRequired@BrowserSelectionProxy@DirectUI@@AAAJPAH@Z +?GetIsSelectionRequired@SelectorSelectionProxy@DirectUI@@AAAJPAH@Z +?GetIsShowOnOffFeedback@TouchSlider@DirectUI@@QAA_NXZ +?GetIsVertical@TouchSlider@DirectUI@@QAA_NXZ +?GetItem@GridProvider@DirectUI@@UAAJHHPAPAUIRawElementProviderSimple@@@Z +?GetItem@GridProxy@DirectUI@@AAAJIIPAPAUIRawElementProviderSimple@@@Z +?GetItemCount@TouchSelect@DirectUI@@QAAKXZ +?GetItemData@TouchSelect@DirectUI@@QAAJHPAPAUIUnknown@@@Z +?GetItemData@TouchSelectItem@DirectUI@@QAAJPAPAUIUnknown@@@Z +?GetItemHeightInPopup@TouchSelect@DirectUI@@QAAHXZ +?GetItemState@CCTreeView@DirectUI@@QAAIQAU_TREEITEM@@@Z +?GetKeyFocused@Element@DirectUI@@UAA_NXZ +?GetKeyFocused@HWNDHost@DirectUI@@UAA_NXZ +?GetKeyFocusedElement@DialogElement@DirectUI@@UAAPAVElement@2@XZ +?GetKeyFocusedElement@HWNDElement@DirectUI@@SAPAVElement@2@XZ +?GetKeyWithin@Element@DirectUI@@QAA_NXZ +?GetKeyWithinChild@Element@DirectUI@@QAAPAV12@XZ +?GetKeyboardNavigationCapture@TouchEditBase@DirectUI@@QAA?AW4TouchEditKeyboardNavigationCapture@2@XZ +?GetLabel@ElementProxy@DirectUI@@IAAJPAUtagVARIANT@@@Z +?GetLayout@Element@DirectUI@@QAAPAVLayout@2@PAPAVValue@2@@Z +?GetLayout@Value@DirectUI@@QAAPAVLayout@2@XZ +?GetLayoutChildCount@Layout@DirectUI@@QAAIPAVElement@2@@Z +?GetLayoutIndexFromChild@Layout@DirectUI@@QAAHPAVElement@2@0@Z +?GetLayoutNull@Value@DirectUI@@SAPAV12@XZ +?GetLayoutPos@Element@DirectUI@@QAAHXZ +?GetLightDismissIHM@TouchHWNDElement@DirectUI@@QAA_NXZ +?GetLine@CCBaseScrollBar@DirectUI@@UAAHXZ +?GetLine@FlowLayout@DirectUI@@QAAHPAVElement@2@0@Z +?GetLine@ScrollBar@DirectUI@@UAAHXZ +?GetLine@VerticalFlowLayout@DirectUI@@QAAHPAVElement@2@0@Z +?GetLineCount@RichText@DirectUI@@QAAKXZ +?GetLineSize@CCTrackBar@DirectUI@@QAAHXZ +?GetLinkIndicatorsToContent@TouchScrollViewer@DirectUI@@QAA_NXZ +?GetLocation@Element@DirectUI@@QAAPBUtagPOINT@@PAPAVValue@2@@Z +?GetManipulationCompositor@TouchScrollViewer@DirectUI@@QAAPAUIDirectManipulationCompositor@@XZ +?GetManipulationHorizontalAlignment@TouchScrollViewer@DirectUI@@QAAHXZ +?GetManipulationManager@TouchScrollViewer@DirectUI@@QAAPAUIDirectManipulationManager@@XZ +?GetManipulationVerticalAlignment@TouchScrollViewer@DirectUI@@QAAHXZ +?GetManipulationViewport@TouchScrollViewer@DirectUI@@QAAPAUIDirectManipulationViewport@@_N@Z +?GetMargin@Element@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetMaxLength@Edit@DirectUI@@QAAHXZ +?GetMaxLength@TouchEditBase@DirectUI@@QAAHXZ +?GetMaximum@CCBaseScrollBar@DirectUI@@UAAHXZ +?GetMaximum@ModernProgressBar@DirectUI@@QAAHXZ +?GetMaximum@Progress@DirectUI@@QAAHXZ +?GetMaximum@ScrollBar@DirectUI@@UAAHXZ +?GetMetering@TouchSlider@DirectUI@@QAAHXZ +?GetMinSize@Element@DirectUI@@QAAPBUtagSIZE@@PAPAVValue@2@@Z +?GetMinimum@CCBaseScrollBar@DirectUI@@UAAHXZ +?GetMinimum@ModernProgressBar@DirectUI@@QAAHXZ +?GetMinimum@Progress@DirectUI@@QAAHXZ +?GetMinimum@ScrollBar@DirectUI@@UAAHXZ +?GetModule@ClassInfoBase@DirectUI@@UBAPAUHINSTANCE__@@XZ +?GetModuleBase@CallstackTracker@DirectUI@@AAA_KPAX_K@Z +?GetMouseFocused@Element@DirectUI@@QAA_NXZ +?GetMouseWithin@Element@DirectUI@@QAA_NXZ +?GetMouseWithinChild@Element@DirectUI@@QAAPAV12@XZ +?GetMouseWithinHorizontalScrollRegion@TouchScrollViewer@DirectUI@@QAA_NXZ +?GetMoveCaretToEndOnSyncContent@TouchEditBase@DirectUI@@QAA_NXZ +?GetMultiline@Edit@DirectUI@@QAA_NXZ +?GetMultiline@TouchEditBase@DirectUI@@QAA_NXZ +?GetName@ClassInfoBase@DirectUI@@UBAPBGXZ +?GetNote@CCCommandLink@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetNotificationSinkHWND@XElement@DirectUI@@UAAPAUHWND__@@XZ +?GetNull@Value@DirectUI@@SAPAV12@XZ +?GetOffText@TouchSwitch@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetOnText@TouchSwitch@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetOptimizeMove@HWNDHost@DirectUI@@QAA_NXZ +?GetOrder@ScrollBar@DirectUI@@QAAHXZ +?GetOverhang@Element@DirectUI@@QAA_NXZ +?GetOverrideButtonBackground@CCPushButton@DirectUI@@QAA_NXZ +?GetOverrideScaleFactor@DUIXmlParser@DirectUI@@QBA_NPAM@Z +?GetPICount@ClassInfoBase@DirectUI@@UBAIXZ +?GetPVLAnimationState@Element@DirectUI@@QAAHXZ +?GetPadding@Element@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetPage@CCBaseScrollBar@DirectUI@@UAAHXZ +?GetPage@Pages@DirectUI@@QAAPAVElement@2@I@Z +?GetPage@Pages@DirectUI@@QAAPAVElement@2@PBG@Z +?GetPage@ScrollBar@DirectUI@@UAAHXZ +?GetPageInc@BaseScrollBar@DirectUI@@QAAHXZ +?GetPageRCID@TaskPage@DirectUI@@MAAIXZ +?GetPageResID@TaskPage@DirectUI@@MAAPBGXZ +?GetPages@Browser@DirectUI@@QAAPAVPages@2@XZ +?GetParent@Element@DirectUI@@QAAPAV12@XZ +?GetParentHWND@TaskPage@DirectUI@@QAAPAUHWND__@@XZ +?GetParser@DUIFactory@DirectUI@@QAAPAVDUIXmlParser@2@XZ +?GetParserCommon@DUIXmlParser@DirectUI@@IAAJPAPAV12@@Z +?GetPasswordCharacter@Edit@DirectUI@@QAAHXZ +?GetPasswordCharacter@TouchEditBase@DirectUI@@QAAHXZ +?GetPasswordRevealMode@TouchEdit2@DirectUI@@QAA?AW4TouchEditPasswordRevealMode@2@XZ +?GetPath@Movie@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetPatternProvider@ElementProvider@DirectUI@@UAAJHPAPAUIUnknown@@@Z +?GetPinning@BaseScrollViewer@DirectUI@@QAAHXZ +?GetPixelOffsetMode@Movie@DirectUI@@QAAHXZ +?GetPlay@AnimationStrip@DirectUI@@QAA_NXZ +?GetPlayAllFramesMode@Movie@DirectUI@@QAA_NXZ +?GetPoint@Value@DirectUI@@QAAPBUtagPOINT@@XZ +?GetPointZero@Value@DirectUI@@SAPAV12@XZ +?GetPopupBounds@TouchSelect@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetPosition@CCBaseScrollBar@DirectUI@@UAAHXZ +?GetPosition@ModernProgressBar@DirectUI@@QAAHXZ +?GetPosition@Progress@DirectUI@@QAAHXZ +?GetPosition@ScrollBar@DirectUI@@UAAHXZ +?GetPredictedVisibleRect@TouchScrollViewer@DirectUI@@QAAXPAUtagRECT@@@Z +?GetPreserveAlphaChannel@Element@DirectUI@@QBA_NXZ +?GetPressed@Button@DirectUI@@QAA_NXZ +?GetPressed@TouchButton@DirectUI@@QAA_NXZ +?GetPreventFormatChangeUpdatingModifiedState@TouchEditBase@DirectUI@@QAA_NXZ +?GetProcs@Schema@DirectUI@@CAJXZ +?GetPromptText@TouchEdit2@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetPromptWithCaret@TouchEdit2@DirectUI@@QAA_NXZ +?GetPropValPairInfo@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAUIClassInfo@2@PBG2PAPBUPropertyInfo@2@PAPAVValue@2@@Z +?GetPropValPairInfo@DUIXmlParser@DirectUI@@IAAJULINEINFO@2@PAUIClassInfo@2@PBG2PAPBUPropertyInfo@2@PAPAVValue@2@@Z +?GetProperty@Bind@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetProperty@ElementProxy@DirectUI@@IAAJPAUtagVARIANT@@H@Z +?GetPropertyValue@ElementProvider@DirectUI@@UAAJHPAUtagVARIANT@@@Z +?GetProportional@CCBaseScrollBar@DirectUI@@UAA_NXZ +?GetProportional@ScrollBar@DirectUI@@UAA_NXZ +?GetProvider@XElement@DirectUI@@QAAPAUIXProvider@2@XZ +?GetProviderOptions@ElementProxy@DirectUI@@IAAJPAW4ProviderOptions@@@Z +?GetProxyCreator@?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ElementProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ExpandCollapseProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@GridItemProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@GridProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@HWNDElementProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@InvokeProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@RangeValueProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ScrollItemProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ScrollProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@SelectionItemProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@SelectionProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@TableItemProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@TableProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ToggleProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetProxyCreator@ValueProvider@DirectUI@@UAAP6APAVProviderProxy@2@PAVElement@2@@ZXZ +?GetRangeMax@CCTrackBar@DirectUI@@QAAHXZ +?GetRangeMax@TouchSlider@DirectUI@@QAAHXZ +?GetRangeMin@CCTrackBar@DirectUI@@QAAHXZ +?GetRangeMin@TouchSlider@DirectUI@@QAAHXZ +?GetRawValue@Element@DirectUI@@QAAPAVValue@2@PBUPropertyInfo@2@HPAUUpdateCache@2@@Z +?GetReadOnly@TouchEditBase@DirectUI@@QAA_NXZ +?GetRect@Value@DirectUI@@QAAPBUtagRECT@@XZ +?GetRectZero@Value@DirectUI@@SAPAV12@XZ +?GetRefCount@Value@DirectUI@@QBAHXZ +?GetReferencePoint@RefPointElement@DirectUI@@QAAPBUtagPOINT@@PAPAVValue@2@@Z +?GetRegisteredDefaultButton@DialogElement@DirectUI@@UAAPAVElement@2@XZ +?GetRenderBorderThickness@Element@DirectUI@@QAAXPAUtagRECT@@@Z +?GetRenderEdgeHighlightThickness@Element@DirectUI@@QAAXPAUtagRECT@@@Z +?GetRenderMargin@Element@DirectUI@@QAAXPAUtagRECT@@@Z +?GetRenderMinSize@Element@DirectUI@@QAAXPAUtagSIZE@@@Z +?GetRenderPadding@Element@DirectUI@@QAAXPAUtagRECT@@@Z +?GetRepeat@Movie@DirectUI@@QAA_NXZ +?GetResourceHInstance@DUIXmlParser@DirectUI@@QAAPAUHINSTANCE__@@XZ +?GetRoot@Element@DirectUI@@QAAPAV12@XZ +?GetRoot@XProvider@DirectUI@@IAAPAVElement@2@XZ +?GetRootRelativeBounds@Element@DirectUI@@QAAJPAUtagRECT@@@Z +?GetRow@GridItemProxy@DirectUI@@AAAJPAH@Z +?GetRowCount@GridProxy@DirectUI@@AAAJPAH@Z +?GetRowHeaderItems@TableItemProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetRowHeaders@TableProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetRuntimeId@ElementProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetRuntimeId@ElementProxy@DirectUI@@IAAJPAPAUtagSAFEARRAY@@@Z +?GetScaledFloat@Value@DirectUI@@QAAMM@Z +?GetScaledInt@Value@DirectUI@@QAAHM@Z +?GetScaledInt@Value@DirectUI@@QAAPBUScaledInt@2@XZ +?GetScaledPoint@Value@DirectUI@@QAAXMPAUtagPOINT@@@Z +?GetScaledRect@Value@DirectUI@@QAAXMPAUtagRECT@@@Z +?GetScaledSize@Value@DirectUI@@QAAXMPAUtagSIZE@@@Z +?GetScrollBar@ScrollProxy@DirectUI@@AAAPAVBaseScrollBar@2@_N@Z +?GetScrollBarHelper@ScrollProxy@DirectUI@@AAAPAVBaseScrollBar@2@PAVElement@2@_N@Z +?GetScrollPadding@TouchScrollViewer@DirectUI@@QAAPBUtagRECT@@PAPAVValue@2@@Z +?GetScrollPercent@ScrollProxy@DirectUI@@AAAJ_NPAN@Z +?GetScrollable@ScrollProxy@DirectUI@@AAAJ_NPAH@Z +?GetSelected@Element@DirectUI@@QAA_NXZ +?GetSelection@BrowserSelectionProxy@DirectUI@@AAAJPAPAUtagSAFEARRAY@@@Z +?GetSelection@Combobox@DirectUI@@QAAHXZ +?GetSelection@SelectionProvider@DirectUI@@UAAJPAPAUtagSAFEARRAY@@@Z +?GetSelection@Selector@DirectUI@@QAAPAVElement@2@XZ +?GetSelection@TouchEdit2@DirectUI@@QAAJPAJ0@Z +?GetSelection@TouchSelect@DirectUI@@QAAPAVElement@2@XZ +?GetSelectionBackgroundColor@TouchEditBase@DirectUI@@QAAPAVValue@2@XZ +?GetSelectionContainer@SelectorSelectionItemProxy@DirectUI@@AAAJPAPAUIRawElementProviderSimple@@@Z +?GetSelectionForegroundColor@TouchEditBase@DirectUI@@QAAPAVValue@2@XZ +?GetSelectionIndex@TouchSelect@DirectUI@@QAAHXZ +?GetShadowIntensity@Element@DirectUI@@QAAHXZ +?GetSheet@DUIXmlParser@DirectUI@@QAAJPBGPAPAVValue@2@@Z +?GetSheet@Element@DirectUI@@QAAPAVStyleSheet@2@XZ +?GetSheetContext@DUIXmlParser@DirectUI@@QAAPAXXZ +?GetSheetNull@Value@DirectUI@@SAPAV12@XZ +?GetShortcut@Element@DirectUI@@QAAHXZ +?GetShortcutChar@Element@DirectUI@@QAAGXZ +?GetShortcutChar@RichText@DirectUI@@QAAGXZ +?GetShowClearButtonMinWidth@TouchEdit2@DirectUI@@QAAHXZ +?GetShowKeyFocus@TouchButton@DirectUI@@QAA_NXZ +?GetShowTick@TouchSlider@DirectUI@@QAA_NXZ +?GetSinkRect@HWNDHost@DirectUI@@AAAXPBUtagRECT@@PAU3@@Z +?GetSize@Value@DirectUI@@QAAPBUtagSIZE@@XZ +?GetSizeZero@Value@DirectUI@@SAPAV12@XZ +?GetSmoothingMode@Movie@DirectUI@@QAAHXZ +?GetSnapIntervalX@TouchScrollViewer@DirectUI@@QAAMXZ +?GetSnapIntervalY@TouchScrollViewer@DirectUI@@QAAMXZ +?GetSnapMode@TouchScrollViewer@DirectUI@@QAAHXZ +?GetSnapOffsetX@TouchScrollViewer@DirectUI@@QAAMXZ +?GetSnapOffsetY@TouchScrollViewer@DirectUI@@QAAMXZ +?GetSnapPointCollectionX@TouchScrollViewer@DirectUI@@QAAPAV?$DynamicArray@N$0A@@2@PAPAVValue@2@@Z +?GetSnapPointCollectionY@TouchScrollViewer@DirectUI@@QAAPAV?$DynamicArray@N$0A@@2@PAPAVValue@2@@Z +?GetState@ModernProgressBar@DirectUI@@QAAHXZ +?GetStaticColor@HWNDHost@DirectUI@@IAA_NPAUHDC__@@PAPAUHBRUSH__@@@Z +?GetStepCount@TouchSlider@DirectUI@@QAAHXZ +?GetString@EventManager@DirectUI@@CAJPAUtagVARIANT@@PAVValue@2@@Z +?GetString@Value@DirectUI@@QAAPBGXZ +?GetStringDynamicScaling@Value@DirectUI@@QAAPBGXZ +?GetStringNull@Value@DirectUI@@SAPAV12@XZ +?GetStringRPNull@Value@DirectUI@@SAPAV12@XZ +?GetStyle@CCTreeView@DirectUI@@QAAKXZ +?GetStyleSheet@Value@DirectUI@@QAAPAVStyleSheet@2@XZ +?GetSubContent@TouchCommandButton@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetSuppressClearButton@TouchEdit2@DirectUI@@QAA_NXZ +?GetSurfaceType@Surface@DirectUI@@SA?AW4EType@12@I@Z +?GetSurfaceType@Surface@DirectUI@@SAIW4EType@12@@Z +?GetSyncContentWhileIMEComposing@TouchEditBase@DirectUI@@QAA_NXZ +?GetTargetPage@Navigator@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetTextContentOverride@TouchSelectItem@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetTextDocument@TouchEdit2@DirectUI@@UAAJPAPAUITextDocument@@@Z +?GetTextDocument@TouchEditBase@DirectUI@@UAAJPAPAUITextDocument@@@Z +?GetTextGlowSize@Element@DirectUI@@QAAHXZ +?GetTextHeight@Edit@DirectUI@@AAAIXZ +?GetTextHost@TouchEdit2@DirectUI@@QAAJPAPAVITextHost@@@Z +?GetTextMode@TouchEditBase@DirectUI@@QAA?AW4TouchEditTextMode@2@XZ +?GetTextSelection@TouchEdit2@DirectUI@@QAAJPAPAUITextSelection@@@Z +?GetTextServices@TouchEdit2@DirectUI@@UAAJPAPAVITextServices@@@Z +?GetTextServices@TouchEditBase@DirectUI@@UAAJPAPAVITextServices@@@Z +?GetThemeChanged@HWNDHost@DirectUI@@IAAHXZ +?GetThemedBorder@Edit@DirectUI@@QAA_NXZ +?GetThumb@TouchScrollBar@DirectUI@@QAAPAVElement@2@XZ +?GetThumbElement@TouchSlider@DirectUI@@QAAPAVButton@2@XZ +?GetThumbPosition@CCTrackBar@DirectUI@@QAAHXZ +?GetThumbValue@TouchSlider@DirectUI@@QAAHXZ +?GetTickCount@TouchSlider@DirectUI@@QAAHXZ +?GetTitleText@TouchSwitch@DirectUI@@QAAPBGPAPAVValue@2@@Z +?GetToggleOnClick@TouchCheckBox@DirectUI@@QAA_NXZ +?GetToggleState@EventManager@DirectUI@@CAXPAUtagVARIANT@@@Z +?GetToggleState@ToggleProxy@DirectUI@@AAAJPAW4ToggleState@@@Z +?GetToggleValue@TouchSwitch@DirectUI@@QAAHXZ +?GetTooltip@Element@DirectUI@@QAA_NXZ +?GetTooltipMaxWidth@Element@DirectUI@@QAAHXZ +?GetTooltipMaximumLineCount@TouchHWNDElement@DirectUI@@QAAHXZ +?GetTopLevel@Element@DirectUI@@QAAPAV12@XZ +?GetTrackElement@TouchSlider@DirectUI@@QAAPAVElement@2@XZ +?GetTracking@CCBaseScrollBar@DirectUI@@QAA_NXZ +?GetTranslatedTileRects@TouchScrollViewer@DirectUI@@QAAXPAUtagRECT@@PAII@Z +?GetTransparent@HWNDHost@DirectUI@@QAA_NXZ +?GetTreatRightMouseButtonAsLeft@TouchButton@DirectUI@@QAA_NXZ +?GetTreeAlphaLevel@Element@DirectUI@@QAAMXZ +?GetTrimmedLineCount@RichText@DirectUI@@QAAKXZ +?GetType@DCSurface@DirectUI@@UBA?AW4EType@Surface@2@XZ +?GetType@Value@DirectUI@@QBAHXZ +?GetTypeInfo@DuiAccessible@DirectUI@@UAAJIKPAPAUITypeInfo@@@Z +?GetTypeInfoCount@DuiAccessible@DirectUI@@UAAJPAI@Z +?GetUIAElementProvider@Element@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?GetUIState@HWNDElement@DirectUI@@QAAGXZ +?GetUiaFocusDelegate@Element@DirectUI@@UAAPAV12@XZ +?GetUiaFocusDelegate@TouchEdit2@DirectUI@@UAAPAVElement@2@XZ +?GetUnavailable@Value@DirectUI@@SAPAV12@XZ +?GetUnset@Value@DirectUI@@SAPAV12@XZ +?GetVScroll@ScrollViewer@DirectUI@@MAAPAVBaseScrollBar@2@XZ +?GetVScroll@StyledScrollViewer@DirectUI@@MAAPAVBaseScrollBar@2@XZ +?GetVScrollbar@TouchScrollViewer@DirectUI@@QAAJPAPAVElement@2@@Z +?GetValue@Element@DirectUI@@QAAPAVValue@2@P6APBUPropertyInfo@2@XZHPAUUpdateCache@2@@Z +?GetValue@Element@DirectUI@@QAAPAVValue@2@PBUPropertyInfo@2@HPAUUpdateCache@2@@Z +?GetValue@ValueProxy@DirectUI@@AAAJPAPAG@Z +?GetValueList@Value@DirectUI@@QAAPAV?$DynamicArray@PAVValue@DirectUI@@$0A@@2@XZ +?GetValueParser@DUIXmlParser@DirectUI@@IAAJPAPAVValueParser@ParserTools@2@@Z +?GetVertical@ScrollBar@DirectUI@@QAA_NXZ +?GetViewSize@ScrollProxy@DirectUI@@AAAJ_NPAN@Z +?GetViewer@ScrollProxy@DirectUI@@AAAJPAPAVViewer@2@@Z +?GetVisible@Element@DirectUI@@QAA_NXZ +?GetVisibleRect@TouchScrollViewer@DirectUI@@QAAXPAUtagRECT@@@Z +?GetVisited@TouchHyperLink@DirectUI@@QAA_NXZ +?GetVisualState@TouchSlider@DirectUI@@QAAHXZ +?GetWantTabs@Edit@DirectUI@@QAA_NXZ +?GetWidth@Element@DirectUI@@QAAHXZ +?GetWinStyle@CCBase@DirectUI@@QAAHXZ +?GetWindow@DuiAccessible@DirectUI@@UAAJPAPAUHWND__@@@Z +?GetWindow@HWNDHostAccessible@DirectUI@@UAAJPAPAUHWND__@@@Z +?GetWindowAccessGradientColor@TouchHWNDElement@DirectUI@@QAAPAVValue@2@XZ +?GetWindowActive@Element@DirectUI@@QAA_NXZ +?GetWindowClassNameAndStyle@HWNDElement@DirectUI@@UAAXPAPBGPAI@Z +?GetWrapKeyboardNavigate@HWNDElement@DirectUI@@QAA_NXZ +?GetX@Element@DirectUI@@QAAHXZ +?GetXBabyElement@XBaby@DirectUI@@UAAPAVHWNDElement@2@XZ +?GetXBarVisibility@BaseScrollViewer@DirectUI@@QAAHXZ +?GetXOffset@BaseScrollViewer@DirectUI@@QAAHXZ +?GetXOffset@Viewer@DirectUI@@QAAHXZ +?GetXScrollHeight@BaseScrollViewer@DirectUI@@QAAHXZ +?GetXScrollable@BaseScrollViewer@DirectUI@@QAA_NXZ +?GetXScrollable@Viewer@DirectUI@@QAA_NXZ +?GetXmlLiteDll@DUIXmlParser@DirectUI@@KAJPAPAUHINSTANCE__@@@Z +?GetY@Element@DirectUI@@QAAHXZ +?GetYBarVisibility@BaseScrollViewer@DirectUI@@QAAHXZ +?GetYOffset@BaseScrollViewer@DirectUI@@QAAHXZ +?GetYOffset@Viewer@DirectUI@@QAAHXZ +?GetYScrollWidth@BaseScrollViewer@DirectUI@@QAAHXZ +?GetYScrollable@BaseScrollViewer@DirectUI@@QAA_NXZ +?GetYScrollable@Viewer@DirectUI@@QAA_NXZ +?GetZoomMaximum@TouchScrollViewer@DirectUI@@QAAMXZ +?GetZoomMinimum@TouchScrollViewer@DirectUI@@QAAMXZ +?GridItemPattern@Schema@DirectUI@@2HA DATA +?GridItem_ColumnSpan_Property@Schema@DirectUI@@2HA DATA +?GridItem_Column_Property@Schema@DirectUI@@2HA DATA +?GridItem_Parent_Property@Schema@DirectUI@@2HA DATA +?GridItem_RowSpan_Property@Schema@DirectUI@@2HA DATA +?GridItem_Row_Property@Schema@DirectUI@@2HA DATA +?GridPattern@Schema@DirectUI@@2HA DATA +?Grid_ColumnCount_Property@Schema@DirectUI@@2HA DATA +?Grid_RowCount_Property@Schema@DirectUI@@2HA DATA +?GroupControlType@Schema@DirectUI@@2HA DATA +?HandleAccChange@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@PAVValue@2@2@Z +?HandleAccDesc@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@PAVValue@2@2@Z +?HandleAccPatternChange@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@IIHPAUtagVARIANT@@2P6AX2@Z@Z +?HandleAccRoleEvent@EventManager@DirectUI@@CAJPAUIRawElementProviderSimple@@PAVValue@2@1@Z +?HandleAccStateChange@EventManager@DirectUI@@CAJPAUIRawElementProviderSimple@@IIHPAUtagVARIANT@@1_N@Z +?HandleBoolProp@EventManager@DirectUI@@CAJPAVElement@2@P6A_N0@ZPAUIRawElementProviderSimple@@HPAVValue@2@3@Z +?HandleChildrenEvent@EventManager@DirectUI@@CAJPAVElement@2@PAVValue@2@1@Z +?HandleEnterKeyProp@DialogElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?HandleEnterProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?HandleGlobalEnterProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?HandleRangeValue@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@PAVValue@2@2@Z +?HandleScrollPos@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@PAVValue@2@2@Z +?HandleSelectedChange@EventManager@DirectUI@@CAJPAUIRawElementProviderSimple@@PAVValue@2@@Z +?HandleStringProp@EventManager@DirectUI@@CAJPAUIRawElementProviderSimple@@HPAVValue@2@1@Z +?HandleToggleValue@EventManager@DirectUI@@CAJPAVElement@2@PAUIRawElementProviderSimple@@PAVValue@2@2@Z +?HandleUiaDestroyListener@Element@DirectUI@@UAAXXZ +?HandleUiaEventListener@Element@DirectUI@@UAAXPAUEvent@2@@Z +?HandleUiaPropertyChangingListener@Element@DirectUI@@UAAXPBUPropertyInfo@2@@Z +?HandleUiaPropertyListener@Element@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?HandleVisibilityChange@EventManager@DirectUI@@CAJPAVElement@2@I@Z +?HasAnimation@Element@DirectUI@@QAA_NXZ +?HasBorder@Element@DirectUI@@QAA_NXZ +?HasChildren@Element@DirectUI@@QAA_NXZ +?HasContent@Element@DirectUI@@QAA_NXZ +?HasEdgeHighlight@Element@DirectUI@@QAA_NXZ +?HasKeyboardFocusProperty@Schema@DirectUI@@2HA DATA +?HasLayout@Element@DirectUI@@QAA_NXZ +?HasMargin@Element@DirectUI@@QAA_NXZ +?HasPVLAnimationState@Element@DirectUI@@QAA_NI@Z +?HasPadding@Element@DirectUI@@QAA_NXZ +?HasSelection@TouchEdit2@DirectUI@@QAA_NXZ +?HasShieldProp@CCPushButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?HaveWin32Focus@HWNDHost@DirectUI@@AAA_NXZ +?HeaderControlType@Schema@DirectUI@@2HA DATA +?HeaderItemControlType@Schema@DirectUI@@2HA DATA +?HeightProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?HelpTextProperty@Schema@DirectUI@@2HA DATA +?HideTouchTooltip@TouchHWNDElement@DirectUI@@QAAJXZ +?HideWindow@NativeHWNDHost@DirectUI@@QAAXXZ +?HideWindow@XHost@DirectUI@@QAAXXZ +?HighDPIProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Home@BaseScrollBar@DirectUI@@UAAXXZ +?Host@NativeHWNDHost@DirectUI@@QAAXPAVElement@2@@Z +?Host@XHost@DirectUI@@QAAXPAVElement@2@@Z +?Hosted@PushButton@DirectUI@@SA?AVUID@@XZ +?HyperlinkControlType@Schema@DirectUI@@2HA DATA +?IDProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?IHMNotify@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?IMEComposingProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?INITIALSTACKSKIP@CallstackTracker@DirectUI@@0HB +?IgnoredKeyCombosProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?ImageControlType@Schema@DirectUI@@2HA DATA +?ImmersiveColorSchemeChange@HWNDElement@DirectUI@@SA?AVUID@@XZ +?Init@?$PatternProvider@VExpandCollapseProvider@DirectUI@@UIExpandCollapseProvider@@$00@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VGridItemProvider@DirectUI@@UIGridItemProvider@@$01@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VGridProvider@DirectUI@@UIGridProvider@@$02@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VInvokeProvider@DirectUI@@UIInvokeProvider@@$0A@@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VRangeValueProvider@DirectUI@@UIRangeValueProvider@@$03@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VScrollItemProvider@DirectUI@@UIScrollItemProvider@@$05@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VScrollProvider@DirectUI@@UIScrollProvider@@$04@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VSelectionItemProvider@DirectUI@@UISelectionItemProvider@@$06@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VSelectionProvider@DirectUI@@UISelectionProvider@@$07@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VTableItemProvider@DirectUI@@UITableItemProvider@@$09@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VTableProvider@DirectUI@@UITableProvider@@$08@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VToggleProvider@DirectUI@@UIToggleProvider@@$0L@@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@?$PatternProvider@VValueProvider@DirectUI@@UIValueProvider@@$0M@@DirectUI@@UAAXPAVElementProvider@2@@Z +?Init@AutoThread@DirectUI@@QAAJXZ +?Init@BrowserSelectionProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@CallstackTracker@DirectUI@@SAHXZ +?Init@ElementProvider@DirectUI@@MAAJPAVElement@2@PAVInvokeHelper@2@@Z +?Init@ElementProviderManager@DirectUI@@SAJXZ +?Init@ElementProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@EventManager@DirectUI@@SAJXZ +?Init@ExpandCollapseProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@GridItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@GridProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@HWNDElementProvider@DirectUI@@MAAJPAVHWNDElement@2@PAVInvokeHelper@2@@Z +?Init@HWNDElementProxy@DirectUI@@UAAXPAVHWNDElement@2@@Z +?Init@InvokeHelper@DirectUI@@QAAHK@Z +?Init@InvokeManager@DirectUI@@SAJXZ +?Init@InvokeProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ModernProgressBarRangeValueProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@NavReference@DirectUI@@QAAXPAVElement@2@PAUtagRECT@@@Z +?Init@NavScoring@DirectUI@@QAAXPAVElement@2@HPBUNavReference@2@@Z +?Init@NavigatorSelectionItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ProgressRangeValueProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ProviderProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@RangeValueProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@Schema@DirectUI@@SAJXZ +?Init@ScrollBarRangeValueProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ScrollItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ScrollProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@SelectionItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@SelectionProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@SelectorSelectionItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@SelectorSelectionProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@TableItemProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@TableProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ToggleProxy@DirectUI@@MAAXPAVElement@2@@Z +?Init@ValueProxy@DirectUI@@MAAXPAVElement@2@@Z +?InitOnceCallback@CallstackTracker@DirectUI@@CAHPAT_RTL_RUN_ONCE@@PAXPAPAX@Z +?InitProcess@FontCache@DirectUI@@SAJXZ +?InitPropSheetPage@TaskPage@DirectUI@@MAAXPAU_PROPSHEETPAGEW@@@Z +?InitThread@FontCache@DirectUI@@SAJXZ +?Initialize@AccessibleButton@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@AnimationStrip@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@AutoButton@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@BaseScrollViewer@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Bind@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@BorderLayout@DirectUI@@QAAXXZ +?Initialize@Browser@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Button@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@CCBase@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@CCBaseScrollBar@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@CCListView@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@CCProgressBar@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@CSafeElementProxy@@IAAJPAVElement@DirectUI@@@Z +?Initialize@CheckBoxGlyph@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@ClassInfoBase@DirectUI@@QAAJPAUHINSTANCE__@@PBG_NPBQBUPropertyInfo@2@I@Z +?Initialize@Clipper@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Combobox@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@DUIXmlParser@DirectUI@@IAAJXZ +?Initialize@DialogElementCore@DirectUI@@QAAXPAUIDialogElement@2@PAUIElementListener@2@@Z +?Initialize@DuiAccessible@DirectUI@@QAAXPAVElement@2@@Z +?Initialize@Edit@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@Element@DirectUI@@QAAJIPAV12@PAK@Z +?Initialize@Expando@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@ExpandoButtonGlyph@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@FillLayout@DirectUI@@QAAXXZ +?Initialize@FlowLayout@DirectUI@@QAAX_NIII@Z +?Initialize@GridLayout@DirectUI@@QAAXHH@Z +?Initialize@HWNDElement@DirectUI@@QAAJPAUHWND__@@_NIPAVElement@2@PAK@Z +?Initialize@HWNDElementAccessible@DirectUI@@QAAJPAVHWNDElement@2@@Z +?Initialize@HWNDHost@DirectUI@@QAAJIIPAVElement@2@PAK@Z +?Initialize@HWNDHostAccessible@DirectUI@@QAAJPAVElement@2@PAUIAccessible@@@Z +?Initialize@Layout@DirectUI@@QAAXXZ +?Initialize@Macro@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@NativeHWNDHost@DirectUI@@QAAJPBG0PAUHWND__@@PAUHICON__@@HHHHHHPAUHINSTANCE__@@I@Z +?Initialize@NativeHWNDHost@DirectUI@@QAAJPBGPAUHWND__@@PAUHICON__@@HHHHHHI@Z +?Initialize@Navigator@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@NineGridLayout@DirectUI@@QAAXXZ +?Initialize@PText@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Page@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Pages@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Progress@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@RadioButtonGlyph@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@RefPointElement@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@RepeatButton@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@Repeater@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@RichText@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@RowLayout@DirectUI@@QAAJHII@Z +?Initialize@ScrollBar@DirectUI@@QAAJ_NPAVElement@2@PAK@Z +?Initialize@Selector@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@SelectorNoDefault@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@SemanticZoomToggle@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@TableLayout@DirectUI@@QAAXHHHPAH@Z +?Initialize@TextGraphic@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@Thumb@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@TouchButton@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@TouchCheckBox@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@TouchCheckBoxGlyph@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@TouchCommandButton@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@TouchEdit2@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@TouchHWNDElement@DirectUI@@QAAJPAUHWND__@@_NIPAVElement@2@PAK@Z +?Initialize@TouchRepeatButton@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@TouchScrollBar@DirectUI@@QAAJ_NPAVElement@2@PAK@Z +?Initialize@TouchSelect@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@TouchSlider@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@TouchSwitch@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@UnknownElement@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@VerticalFlowLayout@DirectUI@@QAAX_NIII@Z +?Initialize@Viewer@DirectUI@@QAAJPAVElement@2@PAK@Z +?Initialize@XBaby@DirectUI@@IAAJPAVIXElementCP@2@PAVXProvider@2@PAUHWND__@@PAVElement@2@PAK@Z +?Initialize@XElement@DirectUI@@QAAJIPAVElement@2@PAK@Z +?Initialize@XHost@DirectUI@@QAAJPAVIXElementCP@2@@Z +?Initialize@XProvider@DirectUI@@QAAJPAVElement@2@PAVIXProviderCP@2@@Z +?Initialize@XResourceProvider@DirectUI@@QAAJPAUHINSTANCE__@@PBG11@Z +?InitializeDllInfo@CallstackTracker@DirectUI@@CAHXZ +?InitializeParserFromXmlReader@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAUHINSTANCE__@@1@Z +?InitializeSymbols@CallstackTracker@DirectUI@@CAHXZ +?InnerBorderThicknessProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?Insert@Element@DirectUI@@QAAJPAV12@I@Z +?Insert@Element@DirectUI@@UAAJPAPAV12@II@Z +?Insert@TouchCheckBox@DirectUI@@UAAJPAPAVElement@2@II@Z +?Insert@TouchCheckBoxGlyph@DirectUI@@UAAJPAPAVElement@2@II@Z +?Insert@TouchCommandButton@DirectUI@@UAAJPAPAVElement@2@II@Z +?Insert@TouchEditBase@DirectUI@@UAAJPAPAVElement@2@II@Z +?Insert@TouchSelect@DirectUI@@UAAJPAPAVElement@2@II@Z +?InsertItem@CCTreeView@DirectUI@@QAAPAU_TREEITEM@@PAGIQAU3@1@Z +?InsertItem@CCTreeView@DirectUI@@QAAPAU_TREEITEM@@PBUtagTVINSERTSTRUCTW@@@Z +?IntegrateIMECandidateListProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?InteractionEnd@TouchScrollBar@DirectUI@@SA?AVUID@@XZ +?InteractionStart@TouchScrollBar@DirectUI@@SA?AVUID@@XZ +?InternalCreate@TableLayout@DirectUI@@SAJHHHPAHPAPAVLayout@2@@Z +?InterpolationModeProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?Invoke@DuiAccessible@DirectUI@@UAAJJABU_GUID@@KGPAUtagDISPPARAMS@@PAUtagVARIANT@@PAUtagEXCEPINFO@@PAI@Z +?Invoke@InvokeProvider@DirectUI@@UAAJXZ +?Invoke@Proxy@DirectUI@@IAAXIPAX@Z +?InvokeAnimation@Element@DirectUI@@QAAXHI@Z +?InvokeAnimation@Element@DirectUI@@QAAXIIMM_N@Z +?InvokeInvokedEvent@Schema@DirectUI@@2HA DATA +?InvokePattern@Schema@DirectUI@@2HA DATA +?IsActivityOccuring@ModernProgressBar@DirectUI@@QAA_NXZ +?IsActivityOccuring@ModernProgressRing@DirectUI@@QAA_NXZ +?IsAddLayeredRef@ModernProgressBar@DirectUI@@QAA_NXZ +?IsAddLayeredRef@ModernProgressRing@DirectUI@@QAA_NXZ +?IsAutoHeight@ModernProgressBar@DirectUI@@QAA_NXZ +?IsBehaviorLayout@Element@DirectUI@@QBA_NXZ +?IsButtonEnabledAndVisible@DialogElementCore@DirectUI@@KA_NPAVElement@2@@Z +?IsCacheDirty@Layout@DirectUI@@IAA_NXZ +?IsCompositedText@Element@DirectUI@@QAA_NXZ +?IsContentElementProperty@Schema@DirectUI@@2HA DATA +?IsContentProtected@Edit@DirectUI@@UAA_NXZ +?IsContentProtected@Element@DirectUI@@UAA_NXZ +?IsContentProtected@TouchEditBase@DirectUI@@UAA_NXZ +?IsContinuousProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?IsControlElementProperty@Schema@DirectUI@@2HA DATA +?IsCorrectImageHlpVersion@CallstackTracker@DirectUI@@CAHXZ +?IsCrossfadeInProgress@TouchScrollViewer@DirectUI@@QAA_NXZ +?IsDefaultCAlign@Element@DirectUI@@QAA_NXZ +?IsDefaultCursor@Element@DirectUI@@QAA_NXZ +?IsDescendent@Element@DirectUI@@QAA_NPAV12@@Z +?IsDescendent@XElement@DirectUI@@QAA_NPAVElement@2@@Z +?IsDescendent@XProvider@DirectUI@@UAAJPAVElement@2@PA_N@Z +?IsDestroyed@Element@DirectUI@@QAA_NXZ +?IsDeterminate@ModernProgressBar@DirectUI@@QAA_NXZ +?IsDynamicScaled@Value@DirectUI@@QAA_NXZ +?IsDynamicScaling@DUIXmlParser@DirectUI@@QAA_NXZ +?IsEnabledProperty@Schema@DirectUI@@2HA DATA +?IsEqual@Value@DirectUI@@QAA_NPAV12@@Z +?IsFirstElement@HWNDElement@DirectUI@@QAA_NPAVElement@2@@Z +?IsGlobal@ClassInfoBase@DirectUI@@UBA_NXZ +?IsHosted@Element@DirectUI@@QAA_NXZ +?IsIndependentAnimations@ModernProgressBar@DirectUI@@QAA_NXZ +?IsKeyboardFocusableProperty@Schema@DirectUI@@2HA DATA +?IsLastElement@HWNDElement@DirectUI@@QAA_NPAVElement@2@@Z +?IsMSAAEnabled@HWNDElement@DirectUI@@UAA_NXZ +?IsMSAAEnabled@TouchHWNDElement@DirectUI@@UAA_NXZ +?IsManualVisualSwapInProgress@TouchScrollViewer@DirectUI@@QAA_NXZ +?IsMoveDeferred@HWNDHost@DirectUI@@IAA_NXZ +?IsOffscreen@Schema@DirectUI@@2HA DATA +?IsPasswordProperty@Schema@DirectUI@@2HA DATA +?IsPatternSupported@ElementProxy@DirectUI@@IAAJW4Pattern@Schema@2@PA_N@Z +?IsPatternSupported@ExpandCollapseProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@GridItemProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@GridProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@InvokeProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@RangeValueProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@ScrollItemProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@ScrollProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@SelectionItemProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@SelectionProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@TableItemProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@TableProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@ToggleProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPatternSupported@ValueProxy@DirectUI@@SA_NPAVElement@2@@Z +?IsPeripheral@Schema@DirectUI@@2HA DATA +?IsPinned@BaseScrollBar@DirectUI@@QAA_NXZ +?IsPointValid@Element@DirectUI@@AAA_NNN@Z +?IsPopupOpen@TouchSelect@DirectUI@@QAA_NXZ +?IsPressedProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?IsRTL@Element@DirectUI@@QAA_NXZ +?IsRTLReading@Element@DirectUI@@UAA_NXZ +?IsRegisteredForAnimationStatusChanges@TouchHWNDElement@DirectUI@@QAA_NXZ +?IsReorderable@ItemList@DirectUI@@QAA_NXZ +?IsRoot@Element@DirectUI@@QAAHXZ +?IsScrollable@BaseScrollBar@DirectUI@@QAA_NXZ +?IsSelfLayout@Element@DirectUI@@QAA_NXZ +?IsShowOnOffFeedbackProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?IsSmoothFillAnimation@ModernProgressBar@DirectUI@@QAA_NXZ +?IsSubclassOf@ClassInfoBase@DirectUI@@UBA_NPAUIClassInfo@2@@Z +?IsThemeClassName@DUIXmlParser@DirectUI@@KA_NPBUExprNode@ParserTools@2@@Z +?IsThumbActive@TouchScrollBar@DirectUI@@QAA_NXZ +?IsTileMember@TouchScrollViewer@DirectUI@@QAA_NIPAVElement@2@@Z +?IsValidAccessor@Element@DirectUI@@QAA_NPBUPropertyInfo@2@H_N@Z +?IsValidProperty@ClassInfoBase@DirectUI@@UBA_NPBUPropertyInfo@2@@Z +?IsValidValue@Element@DirectUI@@SA_NPBUPropertyInfo@2@PAVValue@2@@Z +?IsVerticalProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?IsWordWrap@Element@DirectUI@@QAA_NXZ +?ItemContainerPattern@Schema@DirectUI@@2HA DATA +?ItemHeightInPopupProp@TouchSelect@DirectUI@@SAPBUPropertyInfo@2@XZ +?ItemStatusProperty@Schema@DirectUI@@2HA DATA +?ItemTypeProperty@Schema@DirectUI@@2HA DATA +?KeyFocusedProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?KeyWithinProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?KeyboardNavigate@Element@DirectUI@@SA?AVUID@@XZ +?KeyboardNavigationCaptureProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?LabeledByProperty@Schema@DirectUI@@2HA DATA +?LastDSConstProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?LayoutInvalidatedEvent@Schema@DirectUI@@2HA DATA +?LayoutPosProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?LayoutProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Leaving@Browser@DirectUI@@SA?AVUID@@XZ +?LightDismissIHMProp@TouchHWNDElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?LineDown@BaseScrollBar@DirectUI@@UAAXI@Z +?LineDown@TouchScrollBar@DirectUI@@UAAXI@Z +?LineProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?LineProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?LineSizeProp@CCTrackBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?LineSpacingProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?LineUp@BaseScrollBar@DirectUI@@UAAXI@Z +?LineUp@TouchScrollBar@DirectUI@@UAAXI@Z +?ListControlType@Schema@DirectUI@@2HA DATA +?ListItemControlType@Schema@DirectUI@@2HA DATA +?LoadComCtl32@TaskPage@DirectUI@@AAAJXZ +?LoadCommonControlExports@AnimationStrip@DirectUI@@AAAJXZ +?LoadFromBuffer@DUIFactory@DirectUI@@QAAJPBGI0PAVElement@2@PAKPAPAV32@@Z +?LoadFromFile@DUIFactory@DirectUI@@QAAJPBG0PAVElement@2@PAKPAPAV32@@Z +?LoadFromPath@Movie@DirectUI@@QAAJPBG@Z +?LoadFromResource@DUIFactory@DirectUI@@QAAJPAUHINSTANCE__@@PBG1PAVElement@2@PAKPAPAV42@1@Z +?LoadFromResource@Movie@DirectUI@@QAAJPAUHINSTANCE__@@H@Z +?LoadImagesIntoAnimationStrip@AnimationStrip@DirectUI@@IAAJXZ +?LoadPage@TaskPage@DirectUI@@AAAJPAPAVElement@2@PAV32@PAPAVDUIXmlParser@2@@Z +?LoadPage@TaskPage@DirectUI@@MAAJPAVHWNDElement@2@PAUHINSTANCE__@@PAPAVElement@2@PAPAVDUIXmlParser@2@@Z +?LoadParser@TaskPage@DirectUI@@MAAJPAPAVDUIXmlParser@2@@Z +?LocaleProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?LocalizedControlTypeProperty@Schema@DirectUI@@2HA DATA +?Locate@RefPointElement@DirectUI@@SAPAV12@PAVElement@2@@Z +?LocationProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?LookupAccessibleRole@Schema@DirectUI@@SAHHPA_N@Z +?LookupControlInfos@Schema@DirectUI@@CAJXZ +?LookupElement@DUIXmlParser@DirectUI@@QAAJPAUIXmlReader@@PBGPAUHINSTANCE__@@PAPAUIClassInfo@2@@Z +?LookupElement@DUIXmlParser@DirectUI@@QAAJULINEINFO@2@PBGPAUHINSTANCE__@@PAPAUIClassInfo@2@@Z +?LookupEventInfos@Schema@DirectUI@@CAJXZ +?LookupPatternInfos@Schema@DirectUI@@CAJXZ +?LookupPropertyInfos@Schema@DirectUI@@CAJXZ +?ManipulationCompleted@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?ManipulationDelta@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?ManipulationHorizontalAlignmentProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?ManipulationStarted@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?ManipulationStarting@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?ManipulationVerticalAlignmentProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?ManualStoryboardVerify@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?MapContentVisuals@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?MapElementPoint@Element@DirectUI@@QAAXPAV12@PBUtagPOINT@@PAU3@@Z +?MapPropertyEnumValue@DUIXmlParser@DirectUI@@IAAJPBUEnumMap@2@PBGPAH@Z +?MapPropertyNameToPropertyInfo@DUIXmlParser@DirectUI@@IAAJULINEINFO@2@PAUIClassInfo@2@PBGPAPBUPropertyInfo@2@@Z +?MapRunsToClustersProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?MarginProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?MarkHosted@Element@DirectUI@@IAAXXZ +?MarkNeedsDSUpdate@Element@DirectUI@@QAAXXZ +?MarkSelfLayout@Element@DirectUI@@IAAXXZ +?MaxLengthProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?MaxLengthProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?MaximumProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MaximumProp@ModernProgressBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MaximumProp@Progress@DirectUI@@SAPBUPropertyInfo@2@XZ +?MaximumProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MenuBarControlType@Schema@DirectUI@@2HA DATA +?MenuClosedEvent@Schema@DirectUI@@2HA DATA +?MenuControlType@Schema@DirectUI@@2HA DATA +?MenuItemControlType@Schema@DirectUI@@2HA DATA +?MenuOpenedEvent@Schema@DirectUI@@2HA DATA +?MessageCallback@Edit@DirectUI@@UAAIPAUtagGMSG@@@Z +?MessageCallback@Element@DirectUI@@UAAIPAUtagGMSG@@@Z +?MessageCallback@HWNDHost@DirectUI@@UAAIPAUtagGMSG@@@Z +?MessageCallback@TouchHWNDElement@DirectUI@@UAAIPAUtagGMSG@@@Z +?MeteringProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?MinSizeProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?MinimumProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MinimumProp@ModernProgressBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MinimumProp@Progress@DirectUI@@SAPBUPropertyInfo@2@XZ +?MinimumProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?MonitorPowerSettingsChange@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?MouseFocusedProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?MouseOrPointerReleased@TouchSlider@DirectUI@@SA?AVUID@@XZ +?MouseWithinProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?MoveCaretToEndOnSyncContentProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?MultilineProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?MultilineProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?MultipleClick@TouchButton@DirectUI@@SA?AVUID@@XZ +?MultipleViewPattern@Schema@DirectUI@@2HA DATA +?NameProperty@Schema@DirectUI@@2HA DATA +?Navigate@DuiNavigate@DirectUI@@SAPAVElement@2@PAV32@PAV?$DynamicArray@PAVElement@DirectUI@@$0A@@2@H@Z +?Navigate@ElementProvider@DirectUI@@UAAJW4NavigateDirection@@PAPAUIRawElementProviderFragment@@@Z +?Navigate@ElementProxy@DirectUI@@IAAJW4NavigateDirection@@PAPAUIRawElementProviderFragment@@@Z +?Navigate@XProvider@DirectUI@@UAAJHPA_N@Z +?NeedsDSUpdate@Element@DirectUI@@QAA_NXZ +?NewChildElementsAdded@TouchScrollViewer@DirectUI@@QAAXXZ +?NewNativeWindowHandleProperty@Schema@DirectUI@@2HA DATA +?Next@DuiAccessible@DirectUI@@UAAJKPAUtagVARIANT@@PAK@Z +?Next@HWNDHostAccessible@DirectUI@@UAAJKPAUtagVARIANT@@PAK@Z +?NoteProp@CCCommandLink@DirectUI@@SAPBUPropertyInfo@2@XZ +?NotifyComplete@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?NotifyImplicit@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?NotifyStart@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?NotifyStoryboardComplete@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?NullControlType@Schema@DirectUI@@2HA DATA +?OffTextProp@TouchSwitch@DirectUI@@SAPBUPropertyInfo@2@XZ +?OnAction@AnimationStrip@DirectUI@@IAAXPAUGMA_ACTIONINFO@@@Z +?OnAdd@BorderLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnAdd@Layout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnAdd@NineGridLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnAdd@ShellBorderLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnAdjustWindowSize@Combobox@DirectUI@@UAAHHHI@Z +?OnAdjustWindowSize@HWNDHost@DirectUI@@UAAHHHI@Z +?OnChildLostFocus@DialogElement@DirectUI@@UAA_NPAVElement@2@@Z +?OnChildLostFocus@DialogElementCore@DirectUI@@QAA_NPAVElement@2@@Z +?OnChildLostFocus@XBaby@DirectUI@@UAA_NPAVElement@2@@Z +?OnChildReceivedFocus@DialogElement@DirectUI@@UAA_NPAVElement@2@@Z +?OnChildReceivedFocus@DialogElementCore@DirectUI@@QAA_NPAVElement@2@@Z +?OnChildReceivedFocus@XBaby@DirectUI@@UAA_NPAVElement@2@@Z +?OnCompositionChanged@HWNDElement@DirectUI@@UAAXXZ +?OnCtrlThemeChanged@HWNDHost@DirectUI@@UAA_NIIJPAJ@Z +?OnCustomDraw@CCBase@DirectUI@@UAA_NPAUtagNMCUSTOMDRAWINFO@@PAJ@Z +?OnDefaultButtonTrackingChanged@DialogElementCore@DirectUI@@QAAXPAVValue@2@@Z +?OnDestroy@AnimationStrip@DirectUI@@MAAXXZ +?OnDestroy@DialogElement@DirectUI@@UAAXXZ +?OnDestroy@DialogElementCore@DirectUI@@QAAXXZ +?OnDestroy@Element@DirectUI@@UAAXXZ +?OnDestroy@HWNDElement@DirectUI@@UAAXXZ +?OnDestroy@HWNDHost@DirectUI@@UAAXXZ +?OnDestroy@ModernProgressBar@DirectUI@@MAAXXZ +?OnDestroy@ModernProgressRing@DirectUI@@MAAXXZ +?OnDestroy@Movie@DirectUI@@UAAXXZ +?OnDestroy@TouchHWNDElement@DirectUI@@UAAXXZ +?OnEvent@AutoButton@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@BaseScrollViewer@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Browser@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Element@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Expando@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@HWNDElement@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@HWNDHost@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Movie@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Navigator@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@RichText@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@ScrollBar@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Selector@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@SelectorNoDefault@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchButton@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchCheckBox@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchEdit2@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchHWNDElement@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchScrollBar@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@TouchSelect@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@Viewer@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@XBaby@DirectUI@@UAAXPAUEvent@2@@Z +?OnEvent@XElement@DirectUI@@UAAXPAUEvent@2@@Z +?OnGetDlgCode@DialogElement@DirectUI@@UAAXPAUtagMSG@@PAJ@Z +?OnGetDlgCode@DialogElementCore@DirectUI@@QAAXPAUtagMSG@@PAJ@Z +?OnGetDlgCode@HWNDElement@DirectUI@@UAAXPAUtagMSG@@PAJ@Z +?OnGroupChanged@Element@DirectUI@@UAAXH_N@Z +?OnGroupChanged@HWNDElement@DirectUI@@UAAXH_N@Z +?OnHosted@Combobox@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@Element@DirectUI@@MAAXPAV12@@Z +?OnHosted@HWNDHost@DirectUI@@MAAXPAVElement@2@@Z +?OnHosted@ModernProgressBar@DirectUI@@MAAXPAVElement@2@@Z +?OnHosted@ModernProgressRing@DirectUI@@MAAXPAVElement@2@@Z +?OnHosted@Movie@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@PushButton@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@RichText@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@TouchButton@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@TouchEdit2@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@TouchScrollBar@DirectUI@@UAAXPAVElement@2@@Z +?OnHosted@TouchSelect@DirectUI@@UAAXPAVElement@2@@Z +?OnImmersiveColorSchemeChanged@HWNDElement@DirectUI@@UAAXXZ +?OnInput@BaseScrollViewer@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Button@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCBase@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCCheckBox@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCProgressBar@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCPushButton@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCRadioButton@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@CCSysLink@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Combobox@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@DialogElement@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@DialogElementCore@DirectUI@@QAAXPAUInputEvent@2@@Z +?OnInput@Edit@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Element@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@HWNDElement@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@HWNDHost@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@RepeatButton@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Selector@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Thumb@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@TouchButton@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@TouchEdit2@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@TouchHWNDElement@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@TouchScrollBar@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@TouchSelect@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@Viewer@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInput@XElement@DirectUI@@UAAXPAUInputEvent@2@@Z +?OnInvoke@InvokeHelper@DirectUI@@AAAXPAUInvokeArgs@12@@Z +?OnInvoke@Proxy@DirectUI@@MAAXIPAX@Z +?OnKeyFocusMoved@DialogElement@DirectUI@@UAAXPAVElement@2@0@Z +?OnKeyFocusMoved@DialogElementCore@DirectUI@@QAAXPAVElement@2@0@Z +?OnKeyFocusMoved@Element@DirectUI@@UAAXPAV12@0@Z +?OnKeyFocusMoved@Selector@DirectUI@@UAAXPAVElement@2@0@Z +?OnKeyFocusMoved@SelectorNoDefault@DirectUI@@UAAXPAVElement@2@0@Z +?OnKeyFocusMoved@TouchHWNDElement@DirectUI@@UAAXPAVElement@2@0@Z +?OnKillActive@TaskPage@DirectUI@@MAAJXZ +?OnLayoutPosChanged@BorderLayout@DirectUI@@UAAXPAVElement@2@0HH@Z +?OnLayoutPosChanged@Layout@DirectUI@@UAAXPAVElement@2@0HH@Z +?OnLayoutPosChanged@NineGridLayout@DirectUI@@UAAXPAVElement@2@0HH@Z +?OnLayoutPosChanged@ShellBorderLayout@DirectUI@@UAAXPAVElement@2@0HH@Z +?OnListenedEvent@BaseScrollViewer@DirectUI@@UAAXPAVElement@2@PAUEvent@2@@Z +?OnListenedEvent@DialogElement@DirectUI@@UAAXPAVElement@2@PAUEvent@2@@Z +?OnListenedEvent@TaskPage@DirectUI@@MAAXPAVElement@2@PAUEvent@2@@Z +?OnListenedInput@BaseScrollViewer@DirectUI@@UAAXPAVElement@2@PAUInputEvent@2@@Z +?OnListenedInput@DialogElement@DirectUI@@UAAXPAVElement@2@PAUInputEvent@2@@Z +?OnListenedInput@TaskPage@DirectUI@@MAAXPAVElement@2@PAUInputEvent@2@@Z +?OnListenedPropertyChanged@BaseScrollViewer@DirectUI@@UAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanged@DialogElement@DirectUI@@UAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanged@ScrollViewer@DirectUI@@UAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanged@StyledScrollViewer@DirectUI@@UAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanged@TaskPage@DirectUI@@MAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanged@TouchEdit2@DirectUI@@EAAXPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanging@BaseScrollViewer@DirectUI@@UAA_NPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanging@DialogElement@DirectUI@@UAA_NPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenedPropertyChanging@TaskPage@DirectUI@@MAA_NPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?OnListenerAttach@BaseScrollViewer@DirectUI@@UAAXPAVElement@2@@Z +?OnListenerAttach@DialogElement@DirectUI@@UAAXPAVElement@2@@Z +?OnListenerAttach@TaskPage@DirectUI@@MAAXPAVElement@2@@Z +?OnListenerDetach@BaseScrollViewer@DirectUI@@UAAXPAVElement@2@@Z +?OnListenerDetach@DialogElement@DirectUI@@UAAXPAVElement@2@@Z +?OnListenerDetach@DialogElementCore@DirectUI@@QAAXPAVElement@2@@Z +?OnListenerDetach@TaskPage@DirectUI@@MAAXPAVElement@2@@Z +?OnListenerDetach@TouchEdit2@DirectUI@@EAAXPAVElement@2@@Z +?OnLostDialogFocus@Button@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@CCBase@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@CCBaseCheckRadioButton@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@CCPushButton@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@CCSysLink@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@CheckBoxGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@ExpandoButtonGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnLostDialogFocus@RadioButtonGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnMaximumChanged@BaseScrollBar@DirectUI@@QAAXPAVValue@2@@Z +?OnMessage@CCBaseScrollBar@DirectUI@@UAA_NIIJPAJ@Z +?OnMessage@CCPushButton@DirectUI@@UAA_NIIJPAJ@Z +?OnMessage@CCTrackBar@DirectUI@@UAA_NIIJPAJ@Z +?OnMessage@HWNDHost@DirectUI@@UAA_NIIJPAJ@Z +?OnMessage@NativeHWNDHost@DirectUI@@UAAJIIJPAJ@Z +?OnMessage@TaskPage@DirectUI@@MAA_NIIJPAJ@Z +?OnMessage@XElement@DirectUI@@UAA_NIIJPAJ@Z +?OnMinimumChanged@BaseScrollBar@DirectUI@@QAAXPAVValue@2@@Z +?OnMouseFocusMoved@Element@DirectUI@@UAAXPAV12@0@Z +?OnNoChildWithShortcutFound@HWNDElement@DirectUI@@UAAXPAUKeyboardEvent@2@@Z +?OnNoChildWithShortcutFound@XBaby@DirectUI@@UAAXPAUKeyboardEvent@2@@Z +?OnNotify@CCBase@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@CCCheckBox@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@CCPushButton@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@CCRadioButton@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@CCTreeView@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@Combobox@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@Edit@DirectUI@@UAA_NIIJPAJ@Z +?OnNotify@HWNDHost@DirectUI@@UAA_NIIJPAJ@Z +?OnPageChanged@BaseScrollBar@DirectUI@@QAAXPAVValue@2@@Z +?OnPageChanging@BaseScrollBar@DirectUI@@QAA_NPAVValue@2@@Z +?OnPositionChanged@BaseScrollBar@DirectUI@@QAAXPAVValue@2@@Z +?OnPositionChanging@BaseScrollBar@DirectUI@@QAA_NPAVValue@2@@Z +?OnPropertyChanged@AccessibleButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@AnimationStrip@DirectUI@@MAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@BaseScrollViewer@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Browser@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Button@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCBase@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCBaseCheckRadioButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCBaseScrollBar@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCCommandLink@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCPushButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@CCTrackBar@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Combobox@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@DialogElement@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Edit@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Element@DirectUI@@UAAXPAUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Element@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Expando@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@HWNDElement@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@HWNDHost@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@ItemList@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Macro@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@ModernProgressBar@DirectUI@@MAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@ModernProgressRing@DirectUI@@MAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@RefPointElement@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@RichText@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@ScrollBar@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@ScrollViewer@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Selector@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TextGraphic@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchCheckBox@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchCommandButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchEdit2@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchEditBase@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchHWNDElement@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchHyperLink@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchRepeatButton@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchScrollBar@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@TouchSelect@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanged@Viewer@DirectUI@@UAAXPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@BaseScrollViewer@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@CCBaseScrollBar@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@CCTrackBar@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@Element@DirectUI@@UAA_NPAUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@Element@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@PText@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@ScrollBar@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TextGraphic@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchCheckBox@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchCheckBoxGlyph@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchCommandButton@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchEdit2@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchEditBase@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@TouchSelect@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnPropertyChanging@Viewer@DirectUI@@UAA_NPBUPropertyInfo@2@HPAVValue@2@1@Z +?OnQueryCancel@TaskPage@DirectUI@@MAAJXZ +?OnQueryInitialFocus@TaskPage@DirectUI@@MAAPAVElement@2@XZ +?OnReceivedDialogFocus@Button@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@CCBase@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@CCBaseCheckRadioButton@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@CCPushButton@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@CCSysLink@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@CheckBoxGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@ExpandoButtonGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnReceivedDialogFocus@RadioButtonGlyph@DirectUI@@UAA_NPAUIDialogElement@2@@Z +?OnRegisteredDefaultButtonChanged@DialogElementCore@DirectUI@@QAAXPAVValue@2@0@Z +?OnRemove@BorderLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnRemove@Layout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnRemove@NineGridLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnRemove@ShellBorderLayout@DirectUI@@UAAXPAVElement@2@PAPAV32@I@Z +?OnReset@TaskPage@DirectUI@@MAAJXZ +?OnSelectedPropertyChanged@CCCommandLink@DirectUI@@UAAXXZ +?OnSelectedPropertyChanged@CCPushButton@DirectUI@@UAAXXZ +?OnSetActive@TaskPage@DirectUI@@MAAJXZ +?OnSinkThemeChanged@HWNDHost@DirectUI@@UAA_NIIJPAJ@Z +?OnSinkThemeChanged@XElement@DirectUI@@UAA_NIIJPAJ@Z +?OnSysChar@HWNDHost@DirectUI@@UAA_NG@Z +?OnSysChar@XElement@DirectUI@@UAA_NG@Z +?OnTextProp@TouchSwitch@DirectUI@@SAPBUPropertyInfo@2@XZ +?OnThemeChanged@HWNDElement@DirectUI@@UAAXPAUThemeChangedEvent@2@@Z +?OnThemeChanged@XBaby@DirectUI@@UAAXPAUThemeChangedEvent@2@@Z +?OnToolTip@EventManager@DirectUI@@SAJPAVElement@2@K@Z +?OnUnHosted@Element@DirectUI@@MAAXPAV12@@Z +?OnUnHosted@HWNDHost@DirectUI@@MAAXPAVElement@2@@Z +?OnUnHosted@ModernProgressBar@DirectUI@@MAAXPAVElement@2@@Z +?OnUnHosted@ModernProgressRing@DirectUI@@MAAXPAVElement@2@@Z +?OnUnHosted@PushButton@DirectUI@@UAAXPAVElement@2@@Z +?OnUnHosted@TouchButton@DirectUI@@UAAXPAVElement@2@@Z +?OnUnHosted@TouchSelect@DirectUI@@UAAXPAVElement@2@@Z +?OnWindowStyleChanged@HWNDHost@DirectUI@@UAAXIPBUtagSTYLESTRUCT@@@Z +?OnWizBack@TaskPage@DirectUI@@MAAJXZ +?OnWizFinish@TaskPage@DirectUI@@MAAJXZ +?OnWizNext@TaskPage@DirectUI@@MAAJXZ +?OnWmSettingChanged@HWNDElement@DirectUI@@UAAXIJ@Z +?OnWmThemeChanged@HWNDElement@DirectUI@@UAAXIJ@Z +?OnWmThemeChanged@XBaby@DirectUI@@UAAXIJ@Z +?OnWndMsg@TaskPage@DirectUI@@AAAHIIJPAJ@Z +?OpenAnimation@CCAVI@DirectUI@@AAAXPAUHWND__@@@Z +?OpenPopup@TouchSelect@DirectUI@@QAAJXZ +?OptimizeMoveProp@HWNDHost@DirectUI@@SAPBUPropertyInfo@2@XZ +?OrderProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?Orientation@Schema@DirectUI@@2HA DATA +?OverhangOffsetProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?OverhangProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?OverrideButtonBackgroundProp@CCPushButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?OverrideZoomThreshold@TouchScrollViewer@DirectUI@@QAAJMMH@Z +?PaddingProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?PageDown@BaseScrollBar@DirectUI@@UAAXI@Z +?PageDown@TouchScrollBar@DirectUI@@UAAXI@Z +?PageProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?PageProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?PageUp@BaseScrollBar@DirectUI@@UAAXI@Z +?PageUp@TouchScrollBar@DirectUI@@UAAXI@Z +?Paint@AnimationStrip@DirectUI@@MAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@Element@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@HWNDHost@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@ModernProgressBar@DirectUI@@MAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@ModernProgressRing@DirectUI@@MAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@Movie@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@Progress@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@RichText@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@TouchCheckBox@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@TouchCheckBoxGlyph@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@TouchCommandButton@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?Paint@TouchEdit2@DirectUI@@UAAXPAUHDC__@@PBUtagRECT@@1PAU4@2@Z +?PaintBackground@Element@DirectUI@@QAAXPAUHDC__@@PAVValue@2@ABUtagRECT@@222@Z +?PaintBorder@Element@DirectUI@@QAAXPAUHDC__@@PAVValue@2@PAUtagRECT@@ABU5@@Z +?PaintContent@Element@DirectUI@@QAAXPAUHDC__@@PBUtagRECT@@@Z +?PaintEdgeHighlight@Element@DirectUI@@QAAXPAUHDC__@@ABUtagRECT@@1@Z +?PaintFocusRect@Element@DirectUI@@QAAXPAUHDC__@@PBUtagRECT@@1@Z +?PaintStringContent@Element@DirectUI@@QAAXPAUHDC__@@PBUtagRECT@@PAVValue@2@H@Z +?PaneControlType@Schema@DirectUI@@2HA DATA +?ParentProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ParseARGBColor@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAK@Z +?ParseArgs@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PATParsedArg@12@IPBD@Z +?ParseAtomValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseBehavior@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@@Z +?ParseBehaviorArgValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseBoolValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseColor@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAK@Z +?ParseDFCFill@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseDTBFill@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseDoubleListValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseFillValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseFloat@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAMPA_N@Z +?ParseFloatValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseFunction@DUIXmlParser@DirectUI@@IAAJPBGPBUExprNode@ParserTools@2@PATParsedArg@12@IPBD@Z +?ParseGTCColor@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAK@Z +?ParseGTFStr@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseGTMarRect@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAUScaledRECT@2@@Z +?ParseGTMetInt@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAH@Z +?ParseGradientFill@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseGraphicGraphic@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseGraphicHelper@DUIXmlParser@DirectUI@@IAAJ_NPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseGraphicValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseIconGraphic@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseImageGraphic@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseIntValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseLayoutValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@@Z +?ParseLibrary@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAUHINSTANCE__@@@Z +?ParseLiteral@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPBG@Z +?ParseLiteralColor@DUIXmlParser@DirectUI@@IAAJPBGPAK@Z +?ParseLiteralColorInt@DUIXmlParser@DirectUI@@IAAJPBGPAH@Z +?ParseLiteralNumber@DUIXmlParser@DirectUI@@IAAJPBGPAHPA_N@Z +?ParseMagnitude@DUIXmlParser@DirectUI@@IAAJPBGPAHPA_N@Z +?ParseMagnitudeFloat@DUIXmlParser@DirectUI@@IAAJPBGPAMPA_N@Z +?ParseNumber@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAHPA_N@Z +?ParsePointValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseQuotedString@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPBG@Z +?ParseRGBColor@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAK@Z +?ParseRect@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAUScaledRECT@2@@Z +?ParseRectRect@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAUScaledRECT@2@@Z +?ParseRectValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseResStr@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseResid@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPBG@Z +?ParseSGraphicGraphic@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseSGraphicHelper@DUIXmlParser@DirectUI@@IAAJ_NPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseSizeValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseStringValue@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseStyleSheets@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@@Z +?ParseSysMetricInt@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAH@Z +?ParseSysMetricStr@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAVValue@2@@Z +?ParseTheme@DUIXmlParser@DirectUI@@IAAJPBUExprNode@ParserTools@2@PAPAX@Z +?PasswordCharacterProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?PasswordCharacterProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?PasswordRevealModeProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?Paste@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?PasteText@TouchEdit2@DirectUI@@QAAJPBG@Z +?PathProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?PatternFromPatternId@Schema@DirectUI@@SA?AW4Pattern@12@H@Z +?Pause@Movie@DirectUI@@QAAXXZ +?PfnIsSupportedFromPattern@Schema@DirectUI@@SAP6A_NPAVElement@2@@ZW4Pattern@12@@Z +?PinningProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?PixelOffsetModeProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?Play@CCAVI@DirectUI@@QAAXPAUHWND__@@@Z +?Play@Movie@DirectUI@@QAAXXZ +?PlayAllFramesModeProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?PlayProp@AnimationStrip@DirectUI@@SAPBUPropertyInfo@2@XZ +?PopupBoundsProp@TouchSelect@DirectUI@@SAPBUPropertyInfo@2@XZ +?PopupChange@TouchSelect@DirectUI@@SA?AVUID@@XZ +?PosInLayoutProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?PositionProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?PositionProp@ModernProgressBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?PositionProp@Progress@DirectUI@@SAPBUPropertyInfo@2@XZ +?PositionProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?PostCreate@CCAVI@DirectUI@@MAAXPAUHWND__@@@Z +?PostCreate@CCBase@DirectUI@@MAAXPAUHWND__@@@Z +?PostCreate@CCBaseCheckRadioButton@DirectUI@@MAAXPAUHWND__@@@Z +?PostCreate@CCCommandLink@DirectUI@@MAAXPAUHWND__@@@Z +?PostCreate@CCTrackBar@DirectUI@@MAAXPAUHWND__@@@Z +?PrepareManualSwapDeferredZoomToRect@TouchScrollViewer@DirectUI@@QAAJPBUtagRECT@@PBM1PAM2M@Z +?PressedProp@Button@DirectUI@@SAPBUPropertyInfo@2@XZ +?PressedProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?PreventFormatChangeUpdatingModifiedStateProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?PrintRTLControl@HWNDHost@DirectUI@@IAAXPAUHDC__@@0ABUtagRECT@@@Z +?ProcessIdProperty@Schema@DirectUI@@2HA DATA +?ProcessingKeyboardNavigation@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?ProgressBarControlType@Schema@DirectUI@@2HA DATA +?PromptTextProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?PromptWithCaretProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?PropSheet_SendMessage@TaskPage@DirectUI@@IAAJIIJ@Z +?PropertyChangedCore@Edit@DirectUI@@AAAXPBUPropertyInfo@2@HPAVValue@2@PAUHWND__@@@Z +?PropertyChangingListener@EventManager@DirectUI@@SAJPAVElement@2@PBUPropertyInfo@2@PA_N@Z +?PropertyListener@EventManager@DirectUI@@SAJPAVElement@2@PBUPropertyInfo@2@HPAVValue@2@2@Z +?PropertyProp@Bind@DirectUI@@SAPBUPropertyInfo@2@XZ +?ProportionalProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?QueryInterface@DuiAccessible@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@Element@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ElementProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ExpandCollapseProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@GridItemProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@GridProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@HWNDElementProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@HWNDHostAccessible@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@InvokeProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@RangeValueProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ScrollItemProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ScrollProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@SelectionItemProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@SelectionProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@TableItemProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@TableProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ToggleProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@ValueProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@XProvider@DirectUI@@UAAJABU_GUID@@PAPAX@Z +?QueryService@DuiAccessible@DirectUI@@UAAJABU_GUID@@0PAPAX@Z +?QueryService@HWNDHostAccessible@DirectUI@@UAAJABU_GUID@@0PAPAX@Z +?QuerySysMetric@DUIXmlParser@DirectUI@@KAHH@Z +?QuerySysMetricStr@DUIXmlParser@DirectUI@@KAPBGHPAGI@Z +?QueueDefaultAction@Element@DirectUI@@QAAJXZ +?RadioButtonControlType@Schema@DirectUI@@2HA DATA +?RaiseChildRemovedEvent@EventManager@DirectUI@@CAJABUElementRuntimeId@2@PAVElement@2@@Z +?RaiseGeometryEventWorker@EventManager@DirectUI@@CAJPAURectangleChange@2@_N111@Z +?RaiseGeometryEvents@EventManager@DirectUI@@CAJXZ +?RaiseStructureChangedEvent@EventManager@DirectUI@@CAJPAVElement@2@W4StructureChangeType@@@Z +?RaiseStructureEvents@EventManager@DirectUI@@CAJXZ +?RaiseVisibilityEvents@EventManager@DirectUI@@CAJXZ +?RangeMaxProp@CCTrackBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?RangeMinProp@CCTrackBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?RangeValuePattern@Schema@DirectUI@@2HA DATA +?RangeValue_IsReadOnly_Property@Schema@DirectUI@@2HA DATA +?RangeValue_LargeChange_Property@Schema@DirectUI@@2HA DATA +?RangeValue_Maximum_Property@Schema@DirectUI@@2HA DATA +?RangeValue_Minimum_Property@Schema@DirectUI@@2HA DATA +?RangeValue_SmallChange_Property@Schema@DirectUI@@2HA DATA +?RangeValue_Value_Property@Schema@DirectUI@@2HA DATA +?RawActionProc@AnimationStrip@DirectUI@@KAXPAUGMA_ACTIONINFO@@@Z +?RawActionProc@Movie@DirectUI@@SAXPAUGMA_ACTIONINFO@@@Z +?ReadOnlyProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?Recalc@AccessibleButton@DirectUI@@QAAXXZ +?ReferencePointProp@RefPointElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?ReflowStyle@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?RefreshContent@TouchEdit2@DirectUI@@UAAJXZ +?RefreshContent@TouchEditBase@DirectUI@@UAAJXZ +?Register@AccessibleButton@DirectUI@@SAJXZ +?Register@AnimationStrip@DirectUI@@SAJXZ +?Register@AutoButton@DirectUI@@SAJXZ +?Register@BaseScrollViewer@DirectUI@@SAJXZ +?Register@Bind@DirectUI@@SAJXZ +?Register@Browser@DirectUI@@SAJXZ +?Register@Button@DirectUI@@SAJXZ +?Register@CCAVI@DirectUI@@SAJXZ +?Register@CCBase@DirectUI@@SAJXZ +?Register@CCBaseCheckRadioButton@DirectUI@@SAJXZ +?Register@CCBaseScrollBar@DirectUI@@SAJXZ +?Register@CCCheckBox@DirectUI@@SAJXZ +?Register@CCCommandLink@DirectUI@@SAJXZ +?Register@CCHScrollBar@DirectUI@@SAJXZ +?Register@CCListBox@DirectUI@@SAJXZ +?Register@CCListView@DirectUI@@SAJXZ +?Register@CCProgressBar@DirectUI@@SAJXZ +?Register@CCPushButton@DirectUI@@SAJXZ +?Register@CCRadioButton@DirectUI@@SAJXZ +?Register@CCSysLink@DirectUI@@SAJXZ +?Register@CCTrackBar@DirectUI@@SAJXZ +?Register@CCTreeView@DirectUI@@SAJXZ +?Register@CCVScrollBar@DirectUI@@SAJXZ +?Register@CheckBoxGlyph@DirectUI@@SAJXZ +?Register@ClassInfoBase@DirectUI@@QAAJXZ +?Register@Clipper@DirectUI@@SAJXZ +?Register@Combobox@DirectUI@@SAJXZ +?Register@DialogElement@DirectUI@@SAJXZ +?Register@Edit@DirectUI@@SAJXZ +?Register@Element@DirectUI@@SAJXZ +?Register@ElementWithHWND@DirectUI@@SAJXZ +?Register@Expandable@DirectUI@@SAJXZ +?Register@Expando@DirectUI@@SAJXZ +?Register@ExpandoButtonGlyph@DirectUI@@SAJXZ +?Register@HWNDElement@DirectUI@@SAJXZ +?Register@HWNDHost@DirectUI@@SAJXZ +?Register@ItemList@DirectUI@@SAJXZ +?Register@Macro@DirectUI@@SAJXZ +?Register@ModernProgressBar@DirectUI@@SAJXZ +?Register@ModernProgressRing@DirectUI@@SAJXZ +?Register@Movie@DirectUI@@SAJXZ +?Register@Navigator@DirectUI@@SAJXZ +?Register@PText@DirectUI@@SAJXZ +?Register@Page@DirectUI@@SAJXZ +?Register@Pages@DirectUI@@SAJXZ +?Register@Progress@DirectUI@@SAJXZ +?Register@PushButton@DirectUI@@SAJXZ +?Register@RadioButtonGlyph@DirectUI@@SAJXZ +?Register@RefPointElement@DirectUI@@SAJXZ +?Register@RepeatButton@DirectUI@@SAJXZ +?Register@Repeater@DirectUI@@SAJXZ +?Register@RichText@DirectUI@@SAJXZ +?Register@ScrollBar@DirectUI@@SAJXZ +?Register@ScrollViewer@DirectUI@@SAJXZ +?Register@Selector@DirectUI@@SAJXZ +?Register@SelectorNoDefault@DirectUI@@SAJXZ +?Register@SemanticZoomToggle@DirectUI@@SAJXZ +?Register@StyledScrollViewer@DirectUI@@SAJXZ +?Register@TextGraphic@DirectUI@@SAJXZ +?Register@Thumb@DirectUI@@SAJXZ +?Register@TouchButton@DirectUI@@SAJXZ +?Register@TouchCheckBox@DirectUI@@SAJXZ +?Register@TouchCheckBoxGlyph@DirectUI@@SAJXZ +?Register@TouchCommandButton@DirectUI@@SAJXZ +?Register@TouchEdit2@DirectUI@@SAJXZ +?Register@TouchEditBase@DirectUI@@SAJXZ +?Register@TouchHWNDElement@DirectUI@@SAJXZ +?Register@TouchHyperLink@DirectUI@@SAJXZ +?Register@TouchRepeatButton@DirectUI@@SAJXZ +?Register@TouchScrollBar@DirectUI@@SAJXZ +?Register@TouchSelect@DirectUI@@SAJXZ +?Register@TouchSelectItem@DirectUI@@SAJXZ +?Register@TouchSlider@DirectUI@@SAJXZ +?Register@TouchSwitch@DirectUI@@SAJXZ +?Register@UnknownElement@DirectUI@@SAJXZ +?Register@Viewer@DirectUI@@SAJXZ +?Register@XBaby@DirectUI@@SAJXZ +?Register@XElement@DirectUI@@SAJXZ +?RegisterForAnimationStatusChanges@TouchHWNDElement@DirectUI@@QAAXXZ +?RegisterForIHMChanges@TouchHWNDElement@DirectUI@@QAAJXZ +?RegisterForMonitorPowerChanges@TouchHWNDElement@DirectUI@@QAAJXZ +?RegisteredDefaultButtonProp@DialogElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?Release@ClassInfoBase@DirectUI@@UAAHXZ +?Release@DuiAccessible@DirectUI@@UAAKXZ +?Release@Element@DirectUI@@QAAKXZ +?Release@ElementProvider@DirectUI@@UAAKXZ +?Release@ExpandCollapseProvider@DirectUI@@UAAKXZ +?Release@GridItemProvider@DirectUI@@UAAKXZ +?Release@GridProvider@DirectUI@@UAAKXZ +?Release@HWNDElementProvider@DirectUI@@UAAKXZ +?Release@InvokeProvider@DirectUI@@UAAKXZ +?Release@RangeValueProvider@DirectUI@@UAAKXZ +?Release@RefcountBase@DirectUI@@QAAJXZ +?Release@ScrollItemProvider@DirectUI@@UAAKXZ +?Release@ScrollProvider@DirectUI@@UAAKXZ +?Release@SelectionItemProvider@DirectUI@@UAAKXZ +?Release@SelectionProvider@DirectUI@@UAAKXZ +?Release@TableItemProvider@DirectUI@@UAAKXZ +?Release@TableProvider@DirectUI@@UAAKXZ +?Release@ToggleProvider@DirectUI@@UAAKXZ +?Release@Value@DirectUI@@QAAXXZ +?Release@ValueProvider@DirectUI@@UAAKXZ +?Release@XProvider@DirectUI@@UAAKXZ +?ReleaseSnapshot@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?Remove@Element@DirectUI@@QAAJPAV12@@Z +?Remove@Element@DirectUI@@UAAJPAPAV12@I@Z +?Remove@ElementProviderManager@DirectUI@@SAXPAVElementProvider@2@@Z +?Remove@LinkedList@DirectUI@@QAAXPAVLinkedListNode@2@@Z +?RemoveAll@Element@DirectUI@@QAAJXZ +?RemoveAll@TouchSelect@DirectUI@@QAAXXZ +?RemoveBehavior@Element@DirectUI@@UAAJPAUIDuiBehavior@@@Z +?RemoveChild@ClassInfoBase@DirectUI@@UAAXXZ +?RemoveFromSelection@SelectionItemProvider@DirectUI@@UAAJXZ +?RemoveItem@TouchSelect@DirectUI@@QAAJH@Z +?RemoveListener@Element@DirectUI@@QAAXPAUIElementListener@2@@Z +?RemoveLocalValue@Element@DirectUI@@QAAJP6APBUPropertyInfo@2@XZ@Z +?RemoveLocalValue@Element@DirectUI@@QAAJPBUPropertyInfo@2@@Z +?RemoveRichDuiTooltip@TouchSlider@DirectUI@@QAAXXZ +?RemoveShortcutFromName@Element@DirectUI@@AAAPAGPBG@Z +?RemoveTail@LinkedList@DirectUI@@QAAPAVLinkedListNode@2@XZ +?RemoveTooltip@Element@DirectUI@@MAAXPAV12@@Z +?RemoveTooltip@HWNDElement@DirectUI@@UAAXPAVElement@2@@Z +?RemoveTooltip@TouchHWNDElement@DirectUI@@UAAXPAVElement@2@@Z +?RepeatClick@TouchRepeatButton@DirectUI@@SA?AVUID@@XZ +?RepeatProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?Reset@DuiAccessible@DirectUI@@UAAJXZ +?Reset@HWNDHostAccessible@DirectUI@@UAAJXZ +?ResetInputState@TouchScrollViewer@DirectUI@@QAAJXZ +?ResetManipulations@TouchScrollViewer@DirectUI@@QAAJXZ +?ResolveBindings@Macro@DirectUI@@IAAXXZ +?RestoreFocus@NativeHWNDHost@DirectUI@@QAAHXZ +?Resume@Movie@DirectUI@@QAAXXZ +?ReturnValueParser@DUIXmlParser@DirectUI@@IAAXPAVValueParser@ParserTools@2@@Z +?Rewind@Movie@DirectUI@@QAAXXZ +?RichTooltipShowing@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?RightClick@TouchButton@DirectUI@@SA?AVUID@@XZ +?RuntimeIdProperty@Schema@DirectUI@@2HA DATA +?STACKDEPTH@CallstackTracker@DirectUI@@0HB +?SaveFocus@NativeHWNDHost@DirectUI@@QAAXXZ +?ScaleChanged@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?ScaleFactorProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?Scroll@BaseScrollBar@DirectUI@@SA?AVUID@@XZ +?Scroll@ScrollProvider@DirectUI@@UAAJW4ScrollAmount@@0@Z +?Scroll@ScrollProxy@DirectUI@@AAAJW4ScrollAmount@@0@Z +?ScrollBarControlType@Schema@DirectUI@@2HA DATA +?ScrollIntoView@ScrollItemProvider@DirectUI@@UAAJXZ +?ScrollItemPattern@Schema@DirectUI@@2HA DATA +?ScrollLine@ScrollProxy@DirectUI@@AAAJ_N0@Z +?ScrollPaddingProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?ScrollPage@ScrollProxy@DirectUI@@AAAJ_N0@Z +?ScrollPattern@Schema@DirectUI@@2HA DATA +?ScrollToHorizontalPosition@ScrollProxy@DirectUI@@AAAJH_N@Z +?ScrollToVerticalPosition@ScrollProxy@DirectUI@@AAAJH_N@Z +?Scroll_HorizontalScrollPercent_Property@Schema@DirectUI@@2HA DATA +?Scroll_HorizontalViewSize_Property@Schema@DirectUI@@2HA DATA +?Scroll_HorizontallyScrollable_Property@Schema@DirectUI@@2HA DATA +?Scroll_VerticalScrollPercent_Property@Schema@DirectUI@@2HA DATA +?Scroll_VerticalViewSize_Property@Schema@DirectUI@@2HA DATA +?Scroll_VerticallyScrollable_Property@Schema@DirectUI@@2HA DATA +?Select@SelectionItemProvider@DirectUI@@UAAJXZ +?Select@SelectorSelectionItemProxy@DirectUI@@AAAJXZ +?SelectAll@TouchEdit2@DirectUI@@QAAJXZ +?SelectNone@TouchEdit2@DirectUI@@QAAJXZ +?SelectedProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?SelectionBackgroundColorProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?SelectionChange@Combobox@DirectUI@@SA?AVUID@@XZ +?SelectionChange@Selector@DirectUI@@SA?AVUID@@XZ +?SelectionChange@TouchSelect@DirectUI@@SA?AVUID@@XZ +?SelectionForegroundColorProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?SelectionInvalidatedEvent@Schema@DirectUI@@2HA DATA +?SelectionItemElementAddedToSelectionEvent@Schema@DirectUI@@2HA DATA +?SelectionItemElementRemovedFromSelectionEvent@Schema@DirectUI@@2HA DATA +?SelectionItemElementSelectedEvent@Schema@DirectUI@@2HA DATA +?SelectionItemPattern@Schema@DirectUI@@2HA DATA +?SelectionItem_IsSelected_Property@Schema@DirectUI@@2HA DATA +?SelectionItem_SelectionContainer_Property@Schema@DirectUI@@2HA DATA +?SelectionPattern@Schema@DirectUI@@2HA DATA +?SelectionProp@Combobox@DirectUI@@SAPBUPropertyInfo@2@XZ +?SelectionProp@Selector@DirectUI@@SAPBUPropertyInfo@2@XZ +?SelectionProp@TouchSelect@DirectUI@@SAPBUPropertyInfo@2@XZ +?Selection_CanSelectMultiple_Property@Schema@DirectUI@@2HA DATA +?Selection_IsSelectionRequired_Property@Schema@DirectUI@@2HA DATA +?Selection_Selection_Property@Schema@DirectUI@@2HA DATA +?SemanticChange@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?SemanticZoomControlType@Schema@DirectUI@@2HA DATA +?SendParseError@DUIXmlParser@DirectUI@@IAAXPBG0HHJ@Z +?SendParseError@DUIXmlParser@DirectUI@@IAAXPBG0PAUIXmlReader@@J@Z +?SeparatorControlType@Schema@DirectUI@@2HA DATA +?SetAbsorbsShortcut@Element@DirectUI@@QAAJ_N@Z +?SetAccDefAction@Element@DirectUI@@QAAJPBG@Z +?SetAccDesc@Element@DirectUI@@QAAJPBG@Z +?SetAccHelp@Element@DirectUI@@QAAJPBG@Z +?SetAccItemStatus@Element@DirectUI@@QAAJPBG@Z +?SetAccItemType@Element@DirectUI@@QAAJPBG@Z +?SetAccName@Element@DirectUI@@QAAJPBG@Z +?SetAccRole@Element@DirectUI@@QAAJH@Z +?SetAccState@Element@DirectUI@@QAAJH@Z +?SetAccValue@Element@DirectUI@@QAAJPBG@Z +?SetAccessible@Element@DirectUI@@QAAJ_N@Z +?SetActive@Element@DirectUI@@QAAJH@Z +?SetActiveState@TouchScrollBar@DirectUI@@QAAXW4ActiveState@2@_N@Z +?SetActivityOccuring@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetActivityOccuring@ModernProgressRing@DirectUI@@QAAJ_N@Z +?SetAddLayeredRef@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetAddLayeredRef@ModernProgressRing@DirectUI@@QAAJ_N@Z +?SetAliasedRendering@RichText@DirectUI@@QAAJ_N@Z +?SetAllowArrowOut@TouchScrollViewer@DirectUI@@QAAJ_N@Z +?SetAlpha@Element@DirectUI@@QAAJH@Z +?SetAnimatePopupOnDismiss@TouchSelect@DirectUI@@QAAJ_N@Z +?SetAnimation@Element@DirectUI@@QAAJH@Z +?SetAutoGrouping@CCRadioButton@DirectUI@@QAAJ_N@Z +?SetAutoHeight@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetAutoStart@Movie@DirectUI@@QAAJ_N@Z +?SetAutoStop@Movie@DirectUI@@QAAJ_N@Z +?SetBackgroundColor@Element@DirectUI@@QAAJABUFill@2@@Z +?SetBackgroundColor@Element@DirectUI@@QAAJK@Z +?SetBackgroundColor@Element@DirectUI@@QAAJKKE@Z +?SetBackgroundColor@Element@DirectUI@@QAAJKKKE@Z +?SetBackgroundColor@Element@DirectUI@@QAAJPBGHH@Z +?SetBackgroundOwnerID@HWNDHost@DirectUI@@QAAJPBG@Z +?SetBackgroundStdColor@Element@DirectUI@@QAAJH@Z +?SetBaseline@RichText@DirectUI@@QAAJH@Z +?SetBorderColor@Element@DirectUI@@QAAJK@Z +?SetBorderGradientColor@Element@DirectUI@@QAAJKKE@Z +?SetBorderStdColor@Element@DirectUI@@QAAJH@Z +?SetBorderStyle@Element@DirectUI@@QAAJH@Z +?SetBorderThickness@Element@DirectUI@@QAAJHHHH@Z +?SetBuffering@TouchSlider@DirectUI@@QAAJH@Z +?SetButtonClassAcceptsEnterKey@DialogElement@DirectUI@@QAAJ_N@Z +?SetButtonClassAcceptsEnterKey@XBaby@DirectUI@@UAAJ_N@Z +?SetButtonClassAcceptsEnterKey@XProvider@DirectUI@@UAAJ_N@Z +?SetCache@RichText@DirectUI@@QAAXKPAUIDUIRichTextCache@@@Z +?SetCacheDirty@Layout@DirectUI@@IAAXXZ +?SetCaptured@Button@DirectUI@@QAAJ_N@Z +?SetCaptured@TouchButton@DirectUI@@QAAJ_N@Z +?SetCaretPosition@TouchEdit2@DirectUI@@QAAJJ@Z +?SetCheckedState@TouchCheckBox@DirectUI@@QAAJW4CheckedStateFlags@2@@Z +?SetClass@Element@DirectUI@@QAAJPBG@Z +?SetClassInfoPtr@AccessibleButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@AnimationStrip@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@AutoButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@BaseScrollViewer@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Bind@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Browser@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Button@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCAVI@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCBase@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCBaseCheckRadioButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCBaseScrollBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCCheckBox@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCCommandLink@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCHScrollBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCListBox@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCListView@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCProgressBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCPushButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCRadioButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCSysLink@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCTrackBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCTreeView@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CCVScrollBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@CheckBoxGlyph@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Clipper@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Combobox@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@DialogElement@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Edit@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Element@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@ElementWithHWND@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Expandable@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Expando@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@ExpandoButtonGlyph@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@HWNDElement@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@HWNDHost@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Macro@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Movie@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Navigator@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@PText@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Page@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Pages@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Progress@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@PushButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@RadioButtonGlyph@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@RefPointElement@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@RepeatButton@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Repeater@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@ScrollBar@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@ScrollViewer@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Selector@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@SelectorNoDefault@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@StyledScrollViewer@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@TextGraphic@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Thumb@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@UnknownElement@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@Viewer@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@XBaby@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClassInfoPtr@XElement@DirectUI@@SAXPAUIClassInfo@2@@Z +?SetClient@BorderLayout@DirectUI@@AAAXPAVElement@2@@Z +?SetColorFontPaletteIndex@RichText@DirectUI@@QAAJH@Z +?SetCompositedText@Element@DirectUI@@QAAJ_N@Z +?SetCompositingQuality@Movie@DirectUI@@QAAJH@Z +?SetConnect@Bind@DirectUI@@QAAJPBG@Z +?SetConstrainLayout@RichText@DirectUI@@QAAJH@Z +?SetContact@TouchScrollViewer@DirectUI@@QAAJI_N@Z +?SetContactNeeded@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?SetContactNotify@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?SetContentAlign@Element@DirectUI@@QAAJH@Z +?SetContentGraphic@Element@DirectUI@@QAAJPBGEI@Z +?SetContentGraphic@Element@DirectUI@@QAAJPBGGG@Z +?SetContentString@Element@DirectUI@@QAAJPBG@Z +?SetCursor@Element@DirectUI@@QAAJPBG@Z +?SetCursorHandle@Element@DirectUI@@QAAJPAUHICON__@@@Z +?SetDWriteFontCollection@RichText@DirectUI@@QAAXPAUIDWriteFontCollection@@@Z +?SetDWriteTextLayout@RichText@DirectUI@@QAAXPAUIDWriteTextLayout@@@Z +?SetDataEngine@Repeater@DirectUI@@QAAXPAUIDataEngine@2@@Z +?SetDataEntry@Macro@DirectUI@@QAAXPAUIDataEntry@2@PAVElement@2@@Z +?SetDataEntry@PText@DirectUI@@QAAXPAUIDataEntry@2@@Z +?SetDefaultButtonTracking@DialogElement@DirectUI@@UAAJ_N@Z +?SetDefaultButtonTracking@XBaby@DirectUI@@UAAJ_N@Z +?SetDefaultButtonTracking@XProvider@DirectUI@@UAAJ_N@Z +?SetDefaultFocusID@NativeHWNDHost@DirectUI@@QAAXPBG@Z +?SetDefaultGraphicType@Macro@DirectUI@@QAAXE_N@Z +?SetDefaultHInstance@DUIXmlParser@DirectUI@@QAAXPAUHINSTANCE__@@@Z +?SetDefaultState@CCPushButton@DirectUI@@IAAXKK@Z +?SetDelegateEventHandler@TouchScrollViewer@DirectUI@@QAAJPAUIUnknown@@@Z +?SetDeterminate@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetDirection@Element@DirectUI@@QAAJH@Z +?SetDirty@Edit@DirectUI@@QAAJ_N@Z +?SetDisableAccTextExtend@RichText@DirectUI@@QAAJ_N@Z +?SetDisableMouseInRectCheck@TouchRepeatButton@DirectUI@@QAAJ_N@Z +?SetDisableOffscreenCaching@TouchScrollViewer@DirectUI@@QAAX_N@Z +?SetDrawOutlines@Movie@DirectUI@@QAAJ_N@Z +?SetDynamicScaling@DUIXmlParser@DirectUI@@QAAXW4DynamicScaleParsing@2@@Z +?SetEdgeHighlightColor@Element@DirectUI@@QAAJK@Z +?SetEdgeHighlightThickness@Element@DirectUI@@QAAJHHHH@Z +?SetElementMovesOnIHMNotify@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetEnabled@Element@DirectUI@@QAAJ_N@Z +?SetEncodedContentString@Element@DirectUI@@QAAJPBG@Z +?SetEnforceSize@PushButton@DirectUI@@QAAJ_N@Z +?SetEnsureVisibleUseLayoutCoordinates@Viewer@DirectUI@@QAAX_N@Z +?SetError@DUIFactory@DirectUI@@QAAXPBGZZ +?SetExpand@Macro@DirectUI@@QAAJPBG@Z +?SetExpanded@Expandable@DirectUI@@QAAJ_N@Z +?SetFilterOnPaste@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetFireContinuousSliderEvent@TouchSlider@DirectUI@@QAAX_N@Z +?SetFlags@TouchHWNDElement@DirectUI@@QAAJW4TouchHWNDElementFlags@2@0@Z +?SetFocus@ElementProvider@DirectUI@@UAAJXZ +?SetFocus@HWNDElement@DirectUI@@QAAX_N@Z +?SetFocus@XProvider@DirectUI@@UAAJPAVElement@2@@Z +?SetFont@Element@DirectUI@@QAAJPBG@Z +?SetFontColorRuns@RichText@DirectUI@@QAAJPBG@Z +?SetFontFace@Element@DirectUI@@QAAJPBG@Z +?SetFontQuality@Element@DirectUI@@QAAJH@Z +?SetFontSize@Element@DirectUI@@QAAJH@Z +?SetFontSizeRuns@RichText@DirectUI@@QAAJPBG@Z +?SetFontStyle@Element@DirectUI@@QAAJH@Z +?SetFontWeight@Element@DirectUI@@QAAJH@Z +?SetFontWeightRuns@RichText@DirectUI@@QAAJPBG@Z +?SetForceEditTextToLTR@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetForegroundColor@Element@DirectUI@@QAAJK@Z +?SetForegroundColor@Element@DirectUI@@QAAJKKE@Z +?SetForegroundColor@Element@DirectUI@@QAAJKKKE@Z +?SetForegroundStdColor@Element@DirectUI@@QAAJH@Z +?SetFrameDuration@AnimationStrip@DirectUI@@QAAJH@Z +?SetFrameIndex@AnimationStrip@DirectUI@@QAAJH@Z +?SetFrameWidth@AnimationStrip@DirectUI@@QAAJH@Z +?SetGetSheetCallback@DUIXmlParser@DirectUI@@QAAXP6APAVValue@2@PBGPAX@Z1@Z +?SetGraphicType@Repeater@DirectUI@@QAAXE@Z +?SetHandleEnter@TouchButton@DirectUI@@QAAJ_N@Z +?SetHandleEnterKey@DialogElement@DirectUI@@QAAJ_N@Z +?SetHandleEnterKey@XBaby@DirectUI@@UAAJ_N@Z +?SetHandleEnterKey@XProvider@DirectUI@@IAAX_N@Z +?SetHandleGlobalEnter@TouchButton@DirectUI@@QAAJ_N@Z +?SetHeight@Element@DirectUI@@QAAJH@Z +?SetID@Element@DirectUI@@QAAJPBG@Z +?SetIMEComposing@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetIgnoredKeyCombos@TouchEditBase@DirectUI@@QAAJW4TouchEditFilteredKeyComboFlags@2@0@Z +?SetIndependentAnimations@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetInnerBorderThickness@TouchEdit2@DirectUI@@QAAJHHHH@Z +?SetInputScope@TouchEdit2@DirectUI@@QAAJW4__MIDL___MIDL_itf_inputscope_0000_0000_0001@@@Z +?SetIntegrateIMECandidateList@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetInteractionMode@TouchScrollViewer@DirectUI@@QAAJH@Z +?SetInterpolationMode@Movie@DirectUI@@QAAJH@Z +?SetIsContinuous@TouchSlider@DirectUI@@QAAJ_N@Z +?SetIsPressed@TouchSlider@DirectUI@@QAAJ_N@Z +?SetIsShowOnOffFeedback@TouchSlider@DirectUI@@QAAJ_N@Z +?SetIsVertical@TouchSlider@DirectUI@@QAAJ_N@Z +?SetItemData@TouchSelect@DirectUI@@QAAJHPAUIUnknown@@@Z +?SetItemData@TouchSelectItem@DirectUI@@QAAJPAUIUnknown@@@Z +?SetItemHeightInPopup@TouchSelect@DirectUI@@QAAJH@Z +?SetItemState@CCTreeView@DirectUI@@QAAXPAU_TREEITEM@@I@Z +?SetKeyFocus@Element@DirectUI@@UAAXXZ +?SetKeyFocus@HWNDHost@DirectUI@@UAAXXZ +?SetKeyFocus@TouchEditBase@DirectUI@@UAAXXZ +?SetKeyFocus@XBaby@DirectUI@@UAAXXZ +?SetKeyFocus@XElement@DirectUI@@UAAXXZ +?SetKeyboardNavigationCapture@TouchEditBase@DirectUI@@QAAJW4TouchEditKeyboardNavigationCapture@2@@Z +?SetLayout@Element@DirectUI@@QAAJPAVLayout@2@@Z +?SetLayoutCompletionNotify@Element@DirectUI@@QAAX_N@Z +?SetLayoutPos@Element@DirectUI@@QAAJH@Z +?SetLightDismissIHM@TouchHWNDElement@DirectUI@@QAAJ_N@Z +?SetLine@CCBaseScrollBar@DirectUI@@UAAJH@Z +?SetLine@ScrollBar@DirectUI@@UAAJH@Z +?SetLineSize@CCTrackBar@DirectUI@@QAAJH@Z +?SetLineSpacing@RichText@DirectUI@@QAAJH@Z +?SetLinkIndicatorsToContent@TouchScrollViewer@DirectUI@@QAAJ_N@Z +?SetLocale@RichText@DirectUI@@QAAJPBG@Z +?SetManipulationHorizontalAlignment@TouchScrollViewer@DirectUI@@QAAJH@Z +?SetManipulationVerticalAlignment@TouchScrollViewer@DirectUI@@QAAJH@Z +?SetMapRunsToClusters@RichText@DirectUI@@QAAJ_N@Z +?SetMargin@Element@DirectUI@@QAAJHHHH@Z +?SetMaxLength@Edit@DirectUI@@QAAJH@Z +?SetMaxLength@TouchEditBase@DirectUI@@QAAJH@Z +?SetMaxLineCount@RichText@DirectUI@@QAAXI@Z +?SetMaximum@CCBaseScrollBar@DirectUI@@UAAJH@Z +?SetMaximum@ModernProgressBar@DirectUI@@QAAJH@Z +?SetMaximum@Progress@DirectUI@@QAAJH@Z +?SetMaximum@ScrollBar@DirectUI@@UAAJH@Z +?SetMetering@TouchSlider@DirectUI@@QAAJH@Z +?SetMinSize@Element@DirectUI@@QAAJHH@Z +?SetMinimum@CCBaseScrollBar@DirectUI@@UAAJH@Z +?SetMinimum@ModernProgressBar@DirectUI@@QAAJH@Z +?SetMinimum@Progress@DirectUI@@QAAJH@Z +?SetMinimum@ScrollBar@DirectUI@@UAAJH@Z +?SetMoveCaretToEndOnSyncContent@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetMultiline@Edit@DirectUI@@QAAJ_N@Z +?SetMultiline@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetNoBrowseOnFirstAdd@Pages@DirectUI@@QAAXXZ +?SetNote@CCCommandLink@DirectUI@@QAAJPBG@Z +?SetNotifyHandler@CCBase@DirectUI@@QAAXP6AHIIJPAJPAX@Z1@Z +?SetOffText@TouchSwitch@DirectUI@@QAAJPBG@Z +?SetOnOffText@TouchSwitch@DirectUI@@QAAXPBG0@Z +?SetOnText@TouchSwitch@DirectUI@@QAAJPBG@Z +?SetOptimizeMove@HWNDHost@DirectUI@@QAAJ_N@Z +?SetOrder@ScrollBar@DirectUI@@QAAJH@Z +?SetOverhang@Element@DirectUI@@QAAJ_N@Z +?SetOverhangOffset@RichText@DirectUI@@QAAJH@Z +?SetOverrideButtonBackground@CCPushButton@DirectUI@@QAAJ_N@Z +?SetOverrideScaleFactor@DUIXmlParser@DirectUI@@QAAXM@Z +?SetOverrideScaleFactor@Element@DirectUI@@QAAXM@Z +?SetPVLAnimationState@Element@DirectUI@@QAAXH@Z +?SetPadding@Element@DirectUI@@QAAJHHHH@Z +?SetPage@CCBaseScrollBar@DirectUI@@UAAJH@Z +?SetPage@ScrollBar@DirectUI@@UAAJH@Z +?SetParameter@XProvider@DirectUI@@UAAJABU_GUID@@PAX@Z +?SetParentSizeControl@HWNDElement@DirectUI@@QAAX_N@Z +?SetParseErrorCallback@DUIXmlParser@DirectUI@@QAAXP6AXPBG0HPAX@Z1@Z +?SetParseState@DUIXmlParser@DirectUI@@AAAXW4_DUI_PARSE_STATE@2@@Z +?SetParser@Macro@DirectUI@@QAAXPAVDUIXmlParser@2@@Z +?SetPasswordCharacter@Edit@DirectUI@@QAAJH@Z +?SetPasswordCharacter@TouchEditBase@DirectUI@@QAAJH@Z +?SetPasswordRevealMode@TouchEdit2@DirectUI@@QAAJW4TouchEditPasswordRevealMode@2@@Z +?SetPath@Movie@DirectUI@@QAAJPBG@Z +?SetPercent@ScrollProxy@DirectUI@@AAAJPAVBaseScrollBar@2@N@Z +?SetPinned@BaseScrollBar@DirectUI@@QAAX_N@Z +?SetPinning@BaseScrollViewer@DirectUI@@QAAJH@Z +?SetPixelOffsetMode@Movie@DirectUI@@QAAJH@Z +?SetPlay@AnimationStrip@DirectUI@@QAAJ_N@Z +?SetPlayAllFramesMode@Movie@DirectUI@@QAAJ_N@Z +?SetPopupBounds@TouchSelect@DirectUI@@QAAJHHHH@Z +?SetPosition@CCBaseScrollBar@DirectUI@@UAAJH@Z +?SetPosition@ModernProgressBar@DirectUI@@QAAJH@Z +?SetPosition@Progress@DirectUI@@QAAJH@Z +?SetPosition@ScrollBar@DirectUI@@UAAJH@Z +?SetPreprocessedXML@DUIXmlParser@DirectUI@@QAAJPBGPAUHINSTANCE__@@1@Z +?SetPreserveAlphaChannel@Element@DirectUI@@QAAX_N@Z +?SetPressed@Button@DirectUI@@QAAJ_N@Z +?SetPressed@TouchButton@DirectUI@@QAAJ_N@Z +?SetPreventFormatChangeUpdatingModifiedState@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetPromptText@TouchEdit2@DirectUI@@QAAJPBG@Z +?SetPromptWithCaret@TouchEdit2@DirectUI@@QAAJ_N@Z +?SetProperty@Bind@DirectUI@@QAAJPBG@Z +?SetProportional@ScrollBar@DirectUI@@QAAJ_N@Z +?SetProvider@XElement@DirectUI@@QAAJPAUIUnknown@@@Z +?SetRangeMax@CCTrackBar@DirectUI@@QAAJH@Z +?SetRangeMax@TouchSlider@DirectUI@@QAAXH@Z +?SetRangeMin@CCTrackBar@DirectUI@@QAAJH@Z +?SetRangeMin@TouchSlider@DirectUI@@QAAXH@Z +?SetRangeMinAndRangeMax@TouchSlider@DirectUI@@QAAXHH@Z +?SetReadOnly@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetReferencePoint@RefPointElement@DirectUI@@QAAJHH@Z +?SetRegisteredDefaultButton@DialogElement@DirectUI@@QAAJPAVElement@2@@Z +?SetRegisteredDefaultButton@XBaby@DirectUI@@UAAJPAVElement@2@@Z +?SetRegisteredDefaultButton@XProvider@DirectUI@@UAAJPAVElement@2@@Z +?SetRegisteredDefaultButtonSelectedState@DialogElementCore@DirectUI@@IAAX_N@Z +?SetReorderable@ItemList@DirectUI@@QAAJ_N@Z +?SetRepeat@Movie@DirectUI@@QAAJ_N@Z +?SetRespectLanguageDirection@TouchSlider@DirectUI@@QAAX_N@Z +?SetRespondToMouseScroll@TouchSlider@DirectUI@@QAAX_N@Z +?SetScaleFactor@DUIXmlParser@DirectUI@@QAAXM@Z +?SetScreenCenter@HWNDElement@DirectUI@@QAAX_N@Z +?SetScrollControlHost@TouchScrollViewer@DirectUI@@QAAJPAVElement@2@@Z +?SetScrollPadding@TouchScrollViewer@DirectUI@@QAAJHHHH@Z +?SetScrollPercent@ScrollProvider@DirectUI@@UAAJNN@Z +?SetScrollPercent@ScrollProxy@DirectUI@@AAAJNN@Z +?SetSelected@Element@DirectUI@@QAAJ_N@Z +?SetSelection@Combobox@DirectUI@@QAAJH@Z +?SetSelection@Selector@DirectUI@@UAAJPAVElement@2@@Z +?SetSelection@SelectorNoDefault@DirectUI@@UAAJPAVElement@2@@Z +?SetSelection@TouchEdit2@DirectUI@@QAAJJJ@Z +?SetSelection@TouchSelect@DirectUI@@QAAJPAVElement@2@@Z +?SetSelectionBackgroundColor@TouchEditBase@DirectUI@@QAAJPAVValue@2@@Z +?SetSelectionForegroundColor@TouchEditBase@DirectUI@@QAAJPAVValue@2@@Z +?SetSelectionIndex@TouchSelect@DirectUI@@QAAJH@Z +?SetShadowIntensity@Element@DirectUI@@QAAJH@Z +?SetSheet@Element@DirectUI@@QAAJPAVStyleSheet@2@@Z +?SetShortcut@Element@DirectUI@@QAAJH@Z +?SetShowClearButtonMinWidth@TouchEdit2@DirectUI@@QAAJH@Z +?SetShowKeyFocus@TouchButton@DirectUI@@QAAJ_N@Z +?SetShowTick@TouchSlider@DirectUI@@QAAJ_N@Z +?SetSmoothFillAnimation@ModernProgressBar@DirectUI@@QAAJ_N@Z +?SetSmoothingMode@Movie@DirectUI@@QAAJH@Z +?SetSnapIntervalX@TouchScrollViewer@DirectUI@@QAAJM@Z +?SetSnapIntervalY@TouchScrollViewer@DirectUI@@QAAJM@Z +?SetSnapMode@TouchScrollViewer@DirectUI@@QAAJH@Z +?SetSnapOffsetX@TouchScrollViewer@DirectUI@@QAAJM@Z +?SetSnapOffsetY@TouchScrollViewer@DirectUI@@QAAJM@Z +?SetSnapPointCollectionX@TouchScrollViewer@DirectUI@@QAAJPAV?$DynamicArray@N$0A@@2@@Z +?SetSnapPointCollectionX@TouchScrollViewer@DirectUI@@QAAJPBNH@Z +?SetSnapPointCollectionY@TouchScrollViewer@DirectUI@@QAAJPAV?$DynamicArray@N$0A@@2@@Z +?SetSnapPointCollectionY@TouchScrollViewer@DirectUI@@QAAJPBNH@Z +?SetState@ModernProgressBar@DirectUI@@QAAJH@Z +?SetStdCursor@Element@DirectUI@@QAAJH@Z +?SetStepCount@TouchSlider@DirectUI@@QAAXH@Z +?SetStopThumbBehavior@RepeatButton@DirectUI@@QAAXXZ +?SetString@ElementProxy@DirectUI@@IAAJPAUtagVARIANT@@P8Element@2@AAPBGPAPAVValue@2@@Z@Z +?SetStyle@CCTreeView@DirectUI@@QAAKK@Z +?SetSubContent@TouchCommandButton@DirectUI@@QAAJPBG@Z +?SetSuppressClearButton@TouchEdit2@DirectUI@@QAAJ_N@Z +?SetSuppressSetContact@TouchScrollViewer@DirectUI@@QAAJ_N@Z +?SetSyncContentWhileIMEComposing@TouchEditBase@DirectUI@@QAAJ_N@Z +?SetTargetPage@Navigator@DirectUI@@QAAJPBG@Z +?SetTextContentOverride@TouchSelectItem@DirectUI@@QAAJPBG@Z +?SetTextGlowSize@Element@DirectUI@@QAAJH@Z +?SetTextMode@TouchEditBase@DirectUI@@QAAJW4TouchEditTextMode@2@@Z +?SetThemeChanged@HWNDHost@DirectUI@@IAAJH@Z +?SetThemedBorder@Edit@DirectUI@@QAAJ_N@Z +?SetThumbPosition@CCTrackBar@DirectUI@@QAAJH@Z +?SetThumbValue@TouchSlider@DirectUI@@QAAXH_N0@Z +?SetThumbValue@TouchSlider@DirectUI@@QAAXH_N@Z +?SetTickCount@TouchSlider@DirectUI@@QAAJH@Z +?SetTitleText@TouchSwitch@DirectUI@@QAAJPBG@Z +?SetToHost@XBaby@DirectUI@@UAAJPAVElement@2@@Z +?SetToggleOnClick@TouchCheckBox@DirectUI@@QAAJ_N@Z +?SetToggleSwitchText@TouchSwitch@DirectUI@@QAAXPBG@Z +?SetToggleValue@TouchSwitch@DirectUI@@QAAXH@Z +?SetToggleValue@TouchSwitch@DirectUI@@QAAXH_N0@Z +?SetToggleValue@TouchSwitch@DirectUI@@QAAXH_N@Z +?SetTooltip@Element@DirectUI@@QAAJ_N@Z +?SetTooltipMaxWidth@Element@DirectUI@@QAAJH@Z +?SetTooltipMaximumLineCount@TouchHWNDElement@DirectUI@@QAAJH@Z +?SetTooltipText@TouchSlider@DirectUI@@QAAXPBG@Z +?SetTracking@CCBaseScrollBar@DirectUI@@QAAJ_N@Z +?SetTransparent@HWNDHost@DirectUI@@QAAJ_N@Z +?SetTreatRightMouseButtonAsLeft@TouchButton@DirectUI@@QAAJ_N@Z +?SetTypography@RichText@DirectUI@@QAAJPBG@Z +?SetTypographyRuns@RichText@DirectUI@@QAAJPBG@Z +?SetUnavailableIcon@DUIXmlParser@DirectUI@@QAAXPAUHICON__@@@Z +?SetUnknownAttrCallback@DUIXmlParser@DirectUI@@QAAXP6A_NPBGPAX@Z1@Z +?SetValue@Element@DirectUI@@QAAJP6APBUPropertyInfo@2@XZHPAVValue@2@@Z +?SetValue@Element@DirectUI@@QAAJPBUPropertyInfo@2@HPAVValue@2@@Z +?SetValue@RangeValueProvider@DirectUI@@UAAJN@Z +?SetValue@ValueProvider@DirectUI@@UAAJPBG@Z +?SetValue@ValueProxy@DirectUI@@AAAJPBG@Z +?SetVertical@ScrollBar@DirectUI@@QAAJ_N@Z +?SetVerticalScript@RichText@DirectUI@@QAAJ_N@Z +?SetVirtualizeElements@TouchScrollViewer@DirectUI@@QAAJ_N@Z +?SetVisible@Element@DirectUI@@QAAJ_N@Z +?SetVisited@TouchHyperLink@DirectUI@@QAAJ_N@Z +?SetWantTabs@Edit@DirectUI@@QAAJ_N@Z +?SetWidth@Element@DirectUI@@QAAJH@Z +?SetWinStyle@CCBase@DirectUI@@QAAJH@Z +?SetWindowAccessGradientColor@TouchHWNDElement@DirectUI@@QAAJPAVValue@2@@Z +?SetWindowActive@Element@DirectUI@@QAAJ_N@Z +?SetWindowDirection@HWNDHost@DirectUI@@UAAXPAUHWND__@@@Z +?SetWrapKeyboardNavigate@HWNDElement@DirectUI@@QAAJ_N@Z +?SetX@Element@DirectUI@@QAAJH@Z +?SetXBarVisibility@BaseScrollViewer@DirectUI@@QAAJH@Z +?SetXML@DUIXmlParser@DirectUI@@QAAJPBGPAUHINSTANCE__@@1@Z +?SetXMLFromResource@DUIXmlParser@DirectUI@@QAAJIPAUHINSTANCE__@@0@Z +?SetXMLFromResource@DUIXmlParser@DirectUI@@QAAJIPBGPAUHINSTANCE__@@1@Z +?SetXMLFromResource@DUIXmlParser@DirectUI@@QAAJPBG0PAUHINSTANCE__@@1@Z +?SetXMLFromResource@DUIXmlParser@DirectUI@@QAAJPBGPAUHINSTANCE__@@1@Z +?SetXMLFromResourceWithTheme@DUIXmlParser@DirectUI@@QAAJIPAUHINSTANCE__@@00@Z +?SetXOffset@BaseScrollViewer@DirectUI@@QAAJH@Z +?SetXOffset@Viewer@DirectUI@@QAAJH@Z +?SetXScrollable@BaseScrollViewer@DirectUI@@QAAJ_N@Z +?SetXScrollable@Viewer@DirectUI@@QAAJ_N@Z +?SetY@Element@DirectUI@@QAAJH@Z +?SetYBarVisibility@BaseScrollViewer@DirectUI@@QAAJH@Z +?SetYOffset@BaseScrollViewer@DirectUI@@QAAJH@Z +?SetYOffset@Viewer@DirectUI@@QAAJH@Z +?SetYScrollable@BaseScrollViewer@DirectUI@@QAAJ_N@Z +?SetYScrollable@Viewer@DirectUI@@QAAJ_N@Z +?SetZoomMaximum@TouchScrollViewer@DirectUI@@QAAJM@Z +?SetZoomMinimum@TouchScrollViewer@DirectUI@@QAAJM@Z +?ShadowIntensityProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?SheetProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ShiftChild@Element@DirectUI@@QAAJII@Z +?ShortcutProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?ShouldUsePerMonitorScaling@TouchHWNDElement@DirectUI@@QAA_NXZ +?ShowAccel@HWNDElement@DirectUI@@QAA_NXZ +?ShowClearButtonMinWidthProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?ShowFocus@HWNDElement@DirectUI@@QAA_NXZ +?ShowKeyFocusProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?ShowRichTooltip@TouchHWNDElement@DirectUI@@QAAJW4TOUCHTOOLTIP_INPUT@@W4TOUCHTOOLTIP_OPTION_FLAGS@@PAVElement@2@@Z +?ShowTickProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?ShowTooltipOnRightForLTRBuild@TouchSlider@DirectUI@@QAAXXZ +?ShowUIState@HWNDElement@DirectUI@@QAAX_N0@Z +?ShowWindow@NativeHWNDHost@DirectUI@@QAAXH@Z +?ShowWindow@XHost@DirectUI@@QAAXH@Z +?SideGraphicProp@TextGraphic@DirectUI@@SAPBUPropertyInfo@2@XZ +?SizeInLayoutProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?SizeZero@FlowLayout@DirectUI@@KA?AUtagSIZE@@XZ +?SizeZero@VerticalFlowLayout@DirectUI@@KA?AUtagSIZE@@XZ +?Skip@DuiAccessible@DirectUI@@UAAJK@Z +?Skip@HWNDHostAccessible@DirectUI@@UAAJK@Z +?SliderControlType@Schema@DirectUI@@2HA DATA +?SliderUpdated@TouchSlider@DirectUI@@SA?AVUID@@XZ +?SmoothingModeProp@Movie@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapIntervalXProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapIntervalYProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapModeProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapOffsetXProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapOffsetYProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapPointCollectionXProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapPointCollectionYProp@TouchScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?SnapshotTransformElement@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?SortChildren@Element@DirectUI@@QAAJP6AHPBX0@Z@Z +?SpinnerControlType@Schema@DirectUI@@2HA DATA +?SplitButtonControlType@Schema@DirectUI@@2HA DATA +?Start@AnimationStrip@DirectUI@@AAAJXZ +?StartDefer@Element@DirectUI@@QAAXPAK@Z +?StartNavigate@Browser@DirectUI@@SA?AVUID@@XZ +?StartRichTooltipTimer@TouchHWNDElement@DirectUI@@QAAJW4TOUCHTOOLTIP_INPUT@@@Z +?StateProp@ModernProgressBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?StaticWndProc@HWNDElement@DirectUI@@SAJPAUHWND__@@IIJ@Z +?StaticXHostSubclassProc@TaskPage@DirectUI@@CAJPAUHWND__@@IIJ@Z +?StaticXmlParserError@TaskPage@DirectUI@@CAXPBG0HPAX@Z +?StatusBarControlType@Schema@DirectUI@@2HA DATA +?Stop@AnimationStrip@DirectUI@@AAAXXZ +?Stop@CCAVI@DirectUI@@QAAXXZ +?StopAnimation@Element@DirectUI@@QAAXI@Z +?StopUsingCache@RichText@DirectUI@@QAAXXZ +?StrDupW@Value@DirectUI@@CAJPBGPAPAG@Z +?StructureChangedEvent@Schema@DirectUI@@2HA DATA +?SubContentProp@TouchCommandButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?SuppressClearButtonProp@TouchEdit2@DirectUI@@SAPBUPropertyInfo@2@XZ +?SupressRightButtonDrag@Thumb@DirectUI@@QAAX_N@Z +?SyncBackground@HWNDHost@DirectUI@@IAAXXZ +?SyncCallback@Proxy@DirectUI@@SAJPAUHGADGET__@@PAXPAUEventMsg@@@Z +?SyncColorsAndFonts@HWNDHost@DirectUI@@AAAXXZ +?SyncContentWhileIMEComposingProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?SyncDestroyWindow@NativeHWNDHost@DirectUI@@QAAXXZ +?SyncDirection@HWNDHost@DirectUI@@IAAXXZ +?SyncElementAlphaFromForegroundAlpha@DirectUI@@YAXPAVElement@1@@Z +?SyncFont@HWNDHost@DirectUI@@IAAXXZ +?SyncForeground@HWNDHost@DirectUI@@IAAXXZ +?SyncNoteAndGlyph@CCCommandLink@DirectUI@@IAAXPAUHWND__@@@Z +?SyncParent@HWNDHost@DirectUI@@IAAXXZ +?SyncRect@HWNDHost@DirectUI@@IAAXI_N@Z +?SyncScrollBar@CCBaseScrollBar@DirectUI@@QAAXXZ +?SyncStyle@HWNDHost@DirectUI@@IAAXXZ +?SyncText@HWNDHost@DirectUI@@IAAXXZ +?SyncVisible@HWNDHost@DirectUI@@IAAXXZ +?SystemAlertEvent@Schema@DirectUI@@2HA DATA +?TabControlType@Schema@DirectUI@@2HA DATA +?TabItemControlType@Schema@DirectUI@@2HA DATA +?TableControlType@Schema@DirectUI@@2HA DATA +?TableItemPattern@Schema@DirectUI@@2HA DATA +?TableItem_ColumnHeaderItems_Property@Schema@DirectUI@@2HA DATA +?TableItem_RowHeaderItems_Property@Schema@DirectUI@@2HA DATA +?TablePattern@Schema@DirectUI@@2HA DATA +?Table_ColumnHeaders_Property@Schema@DirectUI@@2HA DATA +?Table_RowHeaders_Property@Schema@DirectUI@@2HA DATA +?Table_RowOrColumnMajor_Property@Schema@DirectUI@@2HA DATA +?TargetPageProp@Navigator@DirectUI@@SAPBUPropertyInfo@2@XZ +?TelemetrySetDescription@TouchScrollViewer@DirectUI@@QAAJPBG@Z +?TestDeferObject@Element@DirectUI@@QAAPAVDeferCycle@2@XZ +?TextContentOverrideProp@TouchSelectItem@DirectUI@@SAPBUPropertyInfo@2@XZ +?TextControlType@Schema@DirectUI@@2HA DATA +?TextGlowSizeProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?TextModeProp@TouchEditBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?TextPattern@Schema@DirectUI@@2HA DATA +?TextTextSelectionChangedEvent@Schema@DirectUI@@2HA DATA +?TextTooltipShowing@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?ThemeChange@HWNDElement@DirectUI@@SA?AVUID@@XZ +?ThemeChangedProp@HWNDHost@DirectUI@@SAPBUPropertyInfo@2@XZ +?ThemedBorderProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?ThumbControlType@Schema@DirectUI@@2HA DATA +?ThumbPositionProp@CCTrackBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?ThumbPositionProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?TickCountProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?TitleBarControlType@Schema@DirectUI@@2HA DATA +?TitleTextProp@TouchSwitch@DirectUI@@SAPBUPropertyInfo@2@XZ +?ToString@Value@DirectUI@@QBAPAGPAGI@Z +?Toggle@AutoButton@DirectUI@@SA?AVUID@@XZ +?Toggle@SemanticZoomToggle@DirectUI@@SA?AVUID@@XZ +?Toggle@ToggleProvider@DirectUI@@UAAJXZ +?ToggleOnClickProp@TouchCheckBox@DirectUI@@SAPBUPropertyInfo@2@XZ +?TogglePattern@Schema@DirectUI@@2HA DATA +?ToggleUIState@HWNDElement@DirectUI@@QAAX_N0@Z +?Toggle_ToggleState_Property@Schema@DirectUI@@2HA DATA +?ToolBarControlType@Schema@DirectUI@@2HA DATA +?ToolTipClosedEvent@Schema@DirectUI@@2HA DATA +?ToolTipControlType@Schema@DirectUI@@2HA DATA +?ToolTipOpenedEvent@Schema@DirectUI@@2HA DATA +?TooltipMaxWidthProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?TooltipMaximumLineCountProp@TouchHWNDElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?TooltipProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?TooltipTimerStarting@TouchHWNDElement@DirectUI@@SA?AVUID@@XZ +?TossElement@ElementProvider@DirectUI@@UAAXXZ +?TossPatternProvider@ElementProvider@DirectUI@@QAAXW4Pattern@Schema@2@@Z +?TrackScore@NavScoring@DirectUI@@QAAHPAVElement@2@0@Z +?TrackingProp@CCBaseScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?TransformPattern@Schema@DirectUI@@2HA DATA +?TranslateThumbPositionToThumbValue@TouchSlider@DirectUI@@QAAHH@Z +?TransparentProp@HWNDHost@DirectUI@@SAPBUPropertyInfo@2@XZ +?TreatRightMouseButtonAsLeftProp@TouchButton@DirectUI@@SAPBUPropertyInfo@2@XZ +?TreeControlType@Schema@DirectUI@@2HA DATA +?TreeItemControlType@Schema@DirectUI@@2HA DATA +?TriggeredAnimationComplete@PVLAnimation@DirectUI@@SA?AVUID@@XZ +?Try@NavScoring@DirectUI@@QAAHPAVElement@2@HPBUNavReference@2@K@Z +?TryLinePattern@Element@DirectUI@@AAA_NPAUtagPOINT@@ABUtagRECT@@@Z +?TryPattern@Element@DirectUI@@AAA_NNNPAUtagPOINT@@ABUtagRECT@@@Z +?TrySparsePattern@Element@DirectUI@@AAA_NPAUtagPOINT@@ABUtagRECT@@@Z +?TypographyProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?TypographyRunsProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?UiaEvents@Element@DirectUI@@QAA_NXZ +?UiaHostProviderFromHwnd@Schema@DirectUI@@2P6AJPAUHWND__@@PAPAUIRawElementProviderSimple@@@ZA DATA +?UiaLookupId@Schema@DirectUI@@2P6AHW4AutomationIdentifierType@@PBU_GUID@@@ZA DATA +?UiaRaiseAutomationEvent@Schema@DirectUI@@2P6AJPAUIRawElementProviderSimple@@H@ZA DATA +?UiaRaiseAutomationPropertyChangedEvent@Schema@DirectUI@@2P6AJPAUIRawElementProviderSimple@@HUtagVARIANT@@1@ZA DATA +?UiaRaiseStructureChangedEvent@Schema@DirectUI@@2P6AJPAUIRawElementProviderSimple@@W4StructureChangeType@@PAHH@ZA DATA +?UiaReturnRawElementProvider@Schema@DirectUI@@2P6AJPAUHWND__@@IJPAUIRawElementProviderSimple@@@ZA DATA +?UnRegister@Element@DirectUI@@SAJPAPAUIClassInfo@2@@Z +?UnhandledSyschar@XElement@DirectUI@@SA?AVUID@@XZ +?Uninit@CallstackTracker@DirectUI@@SAXXZ +?Uninit@InvokeHelper@DirectUI@@QAAXXZ +?UninitProcess@FontCache@DirectUI@@SAXXZ +?UninitThread@FontCache@DirectUI@@SAXXZ +?UnloadCommonControlExports@AnimationStrip@DirectUI@@AAAXXZ +?Unlock@CritSecLock@DirectUI@@QAAXXZ +?UnregisterForAnimationStatusChanges@TouchHWNDElement@DirectUI@@QAAXXZ +?UnregisterForIHMChanges@TouchHWNDElement@DirectUI@@QAAXXZ +?UnregisterForMonitorPowerChanges@TouchHWNDElement@DirectUI@@QAAJXZ +?UnvirtualizePosition@HWNDHost@DirectUI@@AAAXXZ +?UpdateChildFocus@DialogElementCore@DirectUI@@QAAXPAVElement@2@0@Z +?UpdateChildren@Expando@DirectUI@@IAAXPAVValue@2@@Z +?UpdateContentSize@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?UpdateDesiredSize@BorderLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@FillLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@FlowLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@GridLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@Layout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@NineGridLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@RowLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@TableLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateDesiredSize@VerticalFlowLayout@DirectUI@@UAA?AUtagSIZE@@PAVElement@2@HHPAVSurface@2@@Z +?UpdateElement@TouchSelect@DirectUI@@QAAJHPAVElement@2@PBG@Z +?UpdateLayout@Element@DirectUI@@QAAXXZ +?UpdateLayoutRect@Layout@DirectUI@@SAXPAVElement@2@HH0HHHH@Z +?UpdateSheets@DUIXmlParser@DirectUI@@QAAJPAVElement@2@@Z +?UpdateString@TouchSelect@DirectUI@@QAAJHPBG@Z +?UpdateStyleSheets@HWNDElement@DirectUI@@IAAXXZ +?UpdateToggleState@SemanticZoomToggle@DirectUI@@QAAXW4SemanticZoomToggleState@@_N@Z +?UpdateTooltip@Element@DirectUI@@MAAXPAV12@@Z +?UpdateTooltip@HWNDElement@DirectUI@@UAAXPAVElement@2@@Z +?UpdateTooltip@TouchHWNDElement@DirectUI@@UAAXPAVElement@2@@Z +?UpdateView@TouchScrollViewer@DirectUI@@SA?AVUID@@XZ +?UseFixedTooltipOffset@TouchSlider@DirectUI@@QAAXXZ +?UsePerMonitorScaling@TouchHWNDElement@DirectUI@@QAAXPAUHMONITOR__@@@Z +?UserTextChanged@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?UserTextUpdateNoChange@TouchEditBase@DirectUI@@SA?AVUID@@XZ +?ValuePattern@Schema@DirectUI@@2HA DATA +?Value_IsReadOnly_Property@Schema@DirectUI@@2HA DATA +?Value_Value_Property@Schema@DirectUI@@2HA DATA +?VerifyParentage@HWNDHost@DirectUI@@IAAHXZ +?VerticalProp@ScrollBar@DirectUI@@SAPBUPropertyInfo@2@XZ +?VerticalScriptProp@RichText@DirectUI@@SAPBUPropertyInfo@2@XZ +?VirtualizedItemPattern@Schema@DirectUI@@2HA DATA +?VisibleProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?VisitedProp@TouchHyperLink@DirectUI@@SAPBUPropertyInfo@2@XZ +?VisualStateProp@TouchSlider@DirectUI@@SAPBUPropertyInfo@2@XZ +?WantEvent@EventManager@DirectUI@@CA_NW4Event@Schema@2@H@Z +?WantEvent@EventManager@DirectUI@@SA_NW4Event@Schema@2@@Z +?WantPropertyEvent@EventManager@DirectUI@@SA_NH@Z +?WantTabsProp@Edit@DirectUI@@SAPBUPropertyInfo@2@XZ +?WidthProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?WinStyleProp@CCBase@DirectUI@@SAPBUPropertyInfo@2@XZ +?WindowAccessGradientColorProp@TouchHWNDElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?WindowActiveProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?WindowControlType@Schema@DirectUI@@2HA DATA +?WindowPattern@Schema@DirectUI@@2HA DATA +?WindowWindowClosedEvent@Schema@DirectUI@@2HA DATA +?WindowWindowOpenedEvent@Schema@DirectUI@@2HA DATA +?WndProc@HWNDElement@DirectUI@@UAAJPAUHWND__@@IIJ@Z +?WndProc@NativeHWNDHost@DirectUI@@SAJPAUHWND__@@IIJ@Z +?WndProc@TouchHWNDElement@DirectUI@@UAAJPAUHWND__@@IIJ@Z +?WndProc@XHost@DirectUI@@SAJPAUHWND__@@IIJ@Z +?WrapKeyboardNavigateProp@HWNDElement@DirectUI@@SAPBUPropertyInfo@2@XZ +?XBarVisibilityProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?XOffsetProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?XOffsetProp@Viewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?XProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?XScrollableProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?XScrollableProp@Viewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?YBarVisibilityProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?YOffsetProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?YOffsetProp@Viewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?YProp@Element@DirectUI@@SAPBUPropertyInfo@2@XZ +?YScrollableProp@BaseScrollViewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?YScrollableProp@Viewer@DirectUI@@SAPBUPropertyInfo@2@XZ +?ZoomToRect@TouchScrollViewer@DirectUI@@QAAJPBUtagRECT@@_N@Z +?ZoomToRectManualVisualSwap@TouchScrollViewer@DirectUI@@QAAJMMMMPBHMMM_N@Z +?_AddDependency@Element@DirectUI@@SAXPAV12@PBUPropertyInfo@2@HPAUDepRecs@2@PAVDeferCycle@2@PAJ@Z +?_BitAccurateFillRect@Macro@DirectUI@@KAXPAUHDC__@@HHHHEEEEK@Z +?_BroadcastEventWorker@Element@DirectUI@@AAAXPAUEvent@2@@Z +?_BuildChildren@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAVElement@2@@Z +?_BuildElement@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAVElement@2@PAPAV42@@Z +?_BuildFromBinary@DUIXmlParser@DirectUI@@IAAJPAVElement@2@0PBGPAKPAPAV32@@Z +?_BuildStyles@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@@Z +?_CachedValueIsEqual@Element@DirectUI@@AAAHPBUPropertyInfo@2@PAV12@@Z +?_CalcTabOrder@ShellBorderLayout@DirectUI@@AAAJPAVElement@2@@Z +?_ClearNeedsLayout@Element@DirectUI@@QAAXXZ +?_ClearTooltipState@TouchHWNDElement@DirectUI@@IAAXXZ +?_CreateAndSetLayout@DirectUI@@YAJPAVElement@1@P6AJHPAHPAPAVValue@1@@ZH1@Z +?_CreateValue@DUIXmlParser@DirectUI@@IAAJPBGPBUPropertyInfo@2@PAPAVValue@2@@Z +?_CtrlWndProc@HWNDHost@DirectUI@@CAHPAXPAUHWND__@@IIJPAJ@Z +?_DeleteCtrlWnd@HWNDHost@DirectUI@@AAAXXZ +?_DestroyTables@DUIXmlParser@DirectUI@@QAAXXZ +?_DestroyTooltip@TouchHWNDElement@DirectUI@@IAAXXZ +?_DisplayNodeCallback@Element@DirectUI@@SAJPAUHGADGET__@@PAXPAUEventMsg@@@Z +?_EndOptimizedLayoutQ@Element@DirectUI@@QAAXXZ +?_EnterOnCurrentThread@DUIXmlParser@DirectUI@@IAAJXZ +?_Fill@Element@DirectUI@@IAAXPAUHDC__@@KHHHH_N@Z +?_FlushDS@Element@DirectUI@@AAAXPAVDeferCycle@2@@Z +?_FlushLayout@Element@DirectUI@@KAXPAV12@PAVDeferCycle@2@@Z +?_GetBitmapSize@Macro@DirectUI@@KA_NPAUHBITMAP__@@PAUtagSIZE@@@Z +?_GetBuriedSheetDependencies@Element@DirectUI@@AAAXPBUPropertyInfo@2@PAV12@PAUDepRecs@2@PAVDeferCycle@2@PAJ@Z +?_GetChangesUpdatePass@Element@DirectUI@@QAAHXZ +?_GetClassForElement@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAPAUIClassInfo@2@@Z +?_GetClassForElementByName@DUIXmlParser@DirectUI@@IAAJPBGPAPAUIClassInfo@2@@Z +?_GetComputedValue@Element@DirectUI@@AAAPAVValue@2@PBUPropertyInfo@2@PAUUpdateCache@2@@Z +?_GetContent@Viewer@DirectUI@@AAAPAVElement@2@XZ +?_GetDependencies@Element@DirectUI@@AAAJPBUPropertyInfo@2@HPAUDepRecs@2@HPAVValue@2@PAVDeferCycle@2@@Z +?_GetLineInfo@DUIXmlParser@DirectUI@@IAA?AULINEINFO@2@PAUIXmlReader@@@Z +?_GetLocalValue@Element@DirectUI@@AAAPAVValue@2@PBUPropertyInfo@2@@Z +?_GetLocalValueFromVM@Element@DirectUI@@AAAPAVValue@2@PBUPropertyInfo@2@@Z +?_GetNeedsLayout@Element@DirectUI@@QAAIXZ +?_GetPropertyForAttribute@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAUIClassInfo@2@PAPBUPropertyInfo@2@@Z +?_GetSpecifiedValue@Element@DirectUI@@AAAPAVValue@2@PBUPropertyInfo@2@PAUUpdateCache@2@@Z +?_GetSpecifiedValueIgnoreCache@Element@DirectUI@@AAAPAVValue@2@PBUPropertyInfo@2@@Z +?_GetValueForStyleSheet@DUIXmlParser@DirectUI@@IAAJPAUIClassInfo@2@PBG1PAPBUPropertyInfo@2@PAPAVValue@2@@Z +?_HandleImmersiveColorSchemeChange@HWNDElement@DirectUI@@IAAXXZ +?_InheritProperties@Element@DirectUI@@AAAXXZ +?_InitializeTables@DUIXmlParser@DirectUI@@QAAJXZ +?_InternalEnsureVisible@Viewer@DirectUI@@AAA_NHHHH@Z +?_InvalidateCachedDSConstraints@Element@DirectUI@@KAXPAV12@@Z +?_IsSemanticZoomControl@ElementProxy@DirectUI@@AAA_NH@Z +?_IsWindowHostUsingDoNotStealFocusFlag@ElementProxy@DirectUI@@AAA_NXZ +?_LeaveOnCurrentThread@DUIXmlParser@DirectUI@@IAAXXZ +?_LoadImage32BitsPerPixel@Macro@DirectUI@@KAPAVValue@2@PBG@Z +?_MarkElementForDS@Element@DirectUI@@SAHPAV12@@Z +?_MarkElementForLayout@Element@DirectUI@@SAHPAV12@I@Z +?_OnFontPropChanged@Element@DirectUI@@IAAXPAVValue@2@@Z +?_OnGetInfoTip@CCTreeView@DirectUI@@MAAJPBUtagNMTVGETINFOTIPW@@@Z +?_OnItemChanged@CCTreeView@DirectUI@@MAAJPBUtagTVITEMCHANGE@@@Z +?_OnUIStateChanged@HWNDElement@DirectUI@@MAAXGG@Z +?_OnUIStateChanged@TouchHWNDElement@DirectUI@@MAAXGG@Z +?_ParseBehavior@DUIXmlParser@DirectUI@@IAAJPAVElement@2@PBG@Z +?_ParseLayout@DUIXmlParser@DirectUI@@IAAJPBGPAPAVValue@2@@Z +?_ParseValue@DUIXmlParser@DirectUI@@IAAJPBUPropertyInfo@2@PBGPAPAVValue@2@@Z +?_PostEvent@Element@DirectUI@@AAAXPAUEvent@2@H@Z +?_PostSourceChange@Element@DirectUI@@AAAJXZ +?_PreSourceChange@Element@DirectUI@@AAAJP6APBUPropertyInfo@2@XZHPAVValue@2@1@Z +?_PreSourceChange@Element@DirectUI@@AAAJPBUPropertyInfo@2@HPAVValue@2@1@Z +?_RecordElementBehaviors@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PBG@Z +?_RecordElementLayout@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PBG@Z +?_RecordElementStyleSheet@DUIXmlParser@DirectUI@@IAAJPBG_N@Z +?_RecordElementTrees@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@@Z +?_RecordElementWithChildren@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@_NPAPAG@Z +?_RecordInstantiateElement@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAPAG@Z +?_RecordSetElementProperties@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@@Z +?_RecordSetValue@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PBG1@Z +?_RemoveLocalValue@Element@DirectUI@@IAAJP6APBUPropertyInfo@2@XZ_N@Z +?_RemoveLocalValue@Element@DirectUI@@IAAJPBUPropertyInfo@2@_N@Z +?_RepeatButtonActionCallback@RepeatButton@DirectUI@@CAXPAUGMA_ACTIONINFO@@@Z +?_Reset@ShellBorderLayout@DirectUI@@AAAXXZ +?_ResolveStyleSheet@DUIXmlParser@DirectUI@@IAAJPBGPAPAVValue@2@PAI@Z +?_ScalePointsToPixels@DUIXmlParser@DirectUI@@ABAHH@Z +?_ScalePointsToPixels@DUIXmlParser@DirectUI@@ABAMM@Z +?_ScaleRelativePixels@DUIXmlParser@DirectUI@@ABAHH@Z +?_ScaleRelativePixels@DUIXmlParser@DirectUI@@ABAMM@Z +?_SelfLayoutDoLayout@Clipper@DirectUI@@UAAXHH@Z +?_SelfLayoutDoLayout@Element@DirectUI@@MAAXHH@Z +?_SelfLayoutDoLayout@ScrollBar@DirectUI@@UAAXHH@Z +?_SelfLayoutDoLayout@TouchScrollBar@DirectUI@@UAAXHH@Z +?_SelfLayoutDoLayout@Viewer@DirectUI@@UAAXHH@Z +?_SelfLayoutUpdateDesiredSize@Clipper@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_SelfLayoutUpdateDesiredSize@Element@DirectUI@@MAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_SelfLayoutUpdateDesiredSize@ScrollBar@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_SelfLayoutUpdateDesiredSize@TouchScrollBar@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_SelfLayoutUpdateDesiredSize@Viewer@DirectUI@@UAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_SetBinaryXml@DUIXmlParser@DirectUI@@IAAJPBEIPAUHINSTANCE__@@@Z +?_SetGroupChanges@Element@DirectUI@@SA_NPAV12@HPAVDeferCycle@2@@Z +?_SetNeedsLayout@Element@DirectUI@@QAAHI@Z +?_SetProperties@DUIXmlParser@DirectUI@@IAAJPAUIXmlReader@@PAUIClassInfo@2@PAVElement@2@@Z +?_SetValue@Element@DirectUI@@IAAJP6APBUPropertyInfo@2@XZHPAVValue@2@_N@Z +?_SetValue@Element@DirectUI@@IAAJPBUPropertyInfo@2@HPAVValue@2@_N@Z +?_SetXMLFromResource@DUIXmlParser@DirectUI@@IAAJPBG0PAUHINSTANCE__@@11@Z +?_SetupParserState@DUIXmlParser@DirectUI@@IAAJPAUHINSTANCE__@@0@Z +?_SinkWndProc@HWNDHost@DirectUI@@CAHPAXPAUHWND__@@IIJPAJ@Z +?_StartOptimizedLayoutQ@Element@DirectUI@@QAAXXZ +?_SyncBackground@Element@DirectUI@@AAAXXZ +?_SyncRedrawStyle@Element@DirectUI@@AAAXXZ +?_SyncVisible@Element@DirectUI@@AAAXXZ +?_TransferGroupFlags@Element@DirectUI@@SAXPAV12@H@Z +?_UpdateDesiredSize@Element@DirectUI@@QAA?AUtagSIZE@@HHPAVSurface@2@@Z +?_UpdateLayoutPosition@Element@DirectUI@@QAAXHH@Z +?_UpdateLayoutSize@Element@DirectUI@@QAAXHH@Z +?_UpdatePropertyInCache@Element@DirectUI@@AAAXPBUPropertyInfo@2@@Z +?_UpdateTileList@NineGridLayout@DirectUI@@AAAXHPAVElement@2@@Z +?_UsesUIAProxies@ElementProxy@DirectUI@@IAAHXZ +?_VoidPCNotifyTree@Element@DirectUI@@CAXHPAVDeferCycle@2@@Z +?_WndProc@InvokeHelper@DirectUI@@CAHPAXPAUHWND__@@IIJPAJ@Z +?_ZeroRelease@Value@DirectUI@@AAAXXZ +?_atmArrow@Expando@DirectUI@@0GA DATA +?_atmClipper@Expando@DirectUI@@0GA DATA +?_roleMapping@Schema@DirectUI@@0QBURoleMap@12@B +?accDoDefaultAction@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@@Z +?accDoDefaultAction@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@@Z +?accHitTest@DuiAccessible@DirectUI@@UAAJJJPAUtagVARIANT@@@Z +?accHitTest@HWNDHostAccessible@DirectUI@@UAAJJJPAUtagVARIANT@@@Z +?accLocation@DuiAccessible@DirectUI@@UAAJPAJ000UtagVARIANT@@@Z +?accLocation@HWNDHostAccessible@DirectUI@@UAAJPAJ000UtagVARIANT@@@Z +?accNavigate@DuiAccessible@DirectUI@@UAAJJUtagVARIANT@@PAU3@@Z +?accNavigate@HWNDHostAccessible@DirectUI@@UAAJJUtagVARIANT@@PAU3@@Z +?accNavigate@HWNDHostClientAccessible@DirectUI@@UAAJJUtagVARIANT@@PAU3@@Z +?accSelect@DuiAccessible@DirectUI@@UAAJJUtagVARIANT@@@Z +?accSelect@HWNDHostAccessible@DirectUI@@UAAJJUtagVARIANT@@@Z +?advanceFrameActionStart@Movie@DirectUI@@AAAXXZ +?advanceFrameActionStop@Movie@DirectUI@@AAAXXZ +?cChangeBulk@EventManager@DirectUI@@0HB +?c_RefCountBitOffset@Value@DirectUI@@0HB +?c_RefCountMask@Value@DirectUI@@0JB +?c_SingleRefCount@Value@DirectUI@@0JB +?c_rgar@AccessibleButton@DirectUI@@0QBUACCESSIBLEROLE@12@B +?doAction@Movie@DirectUI@@QAAXPAUGMA_ACTIONINFO@@@Z +?g_cRefCount@ResourceModuleHandles@DirectUI@@0JC DATA +?g_controlInfoTable@Schema@DirectUI@@0QBUControlInfo@12@B DATA +?g_cs@ElementProviderManager@DirectUI@@2U_RTL_CRITICAL_SECTION@@A DATA +?g_cs@EventManager@DirectUI@@0U_RTL_CRITICAL_SECTION@@A DATA +?g_cs@InvokeManager@DirectUI@@0U_RTL_CRITICAL_SECTION@@A DATA +?g_dwElSlot@DirectUI@@3KA DATA +?g_eventInfoTable@Schema@DirectUI@@0QBUEventInfo@12@B DATA +?g_eventMapping@Schema@DirectUI@@0QBUEventMap@12@B DATA +?g_eventRegisteredMap@EventManager@DirectUI@@0PAIA DATA +?g_fInited@Schema@DirectUI@@0_NA DATA +?g_fWantAnyEvent@EventManager@DirectUI@@0_NA DATA +?g_pArrayInvokeHelper@InvokeManager@DirectUI@@0PAV?$UiaArray@PAVInvokeHelper@DirectUI@@@2@A DATA +?g_pArrayPprv@ElementProviderManager@DirectUI@@0PAV?$UiaArray@PAVElementProvider@DirectUI@@@2@A DATA +?g_pArrayPropertyEvent@EventManager@DirectUI@@0PAV?$UiaArray@H@2@A DATA +?g_patternInfoTable@Schema@DirectUI@@0QBUPatternInfo@12@B DATA +?g_patternMapping@Schema@DirectUI@@0QBUPatternMap@12@B DATA +?g_propertyInfoTable@Schema@DirectUI@@0QBUPropertyInfo@12@B DATA +?g_rgMouseMap@HWNDHost@DirectUI@@0QAY02$$CBIA +?get_BoundingRectangle@ElementProvider@DirectUI@@UAAJPAUUiaRect@@@Z +?get_CanSelectMultiple@SelectionProvider@DirectUI@@UAAJPAH@Z +?get_Column@GridItemProvider@DirectUI@@UAAJPAH@Z +?get_ColumnCount@GridProvider@DirectUI@@UAAJPAH@Z +?get_ColumnSpan@GridItemProvider@DirectUI@@UAAJPAH@Z +?get_ContainingGrid@GridItemProvider@DirectUI@@UAAJPAPAUIRawElementProviderSimple@@@Z +?get_ExpandCollapseState@ExpandCollapseProvider@DirectUI@@UAAJPAW4ExpandCollapseState@@@Z +?get_FragmentRoot@ElementProvider@DirectUI@@UAAJPAPAUIRawElementProviderFragmentRoot@@@Z +?get_HorizontalScrollPercent@ScrollProvider@DirectUI@@UAAJPAN@Z +?get_HorizontalViewSize@ScrollProvider@DirectUI@@UAAJPAN@Z +?get_HorizontallyScrollable@ScrollProvider@DirectUI@@UAAJPAH@Z +?get_HostRawElementProvider@ElementProvider@DirectUI@@UAAJPAPAUIRawElementProviderSimple@@@Z +?get_IsReadOnly@RangeValueProvider@DirectUI@@UAAJPAH@Z +?get_IsReadOnly@ValueProvider@DirectUI@@UAAJPAH@Z +?get_IsSelected@SelectionItemProvider@DirectUI@@UAAJPAH@Z +?get_IsSelectionRequired@SelectionProvider@DirectUI@@UAAJPAH@Z +?get_LargeChange@RangeValueProvider@DirectUI@@UAAJPAN@Z +?get_Maximum@RangeValueProvider@DirectUI@@UAAJPAN@Z +?get_Minimum@RangeValueProvider@DirectUI@@UAAJPAN@Z +?get_ProviderOptions@ElementProvider@DirectUI@@UAAJPAW4ProviderOptions@@@Z +?get_Row@GridItemProvider@DirectUI@@UAAJPAH@Z +?get_RowCount@GridProvider@DirectUI@@UAAJPAH@Z +?get_RowOrColumnMajor@TableProvider@DirectUI@@UAAJPAW4RowOrColumnMajor@@@Z +?get_RowSpan@GridItemProvider@DirectUI@@UAAJPAH@Z +?get_SelectionContainer@SelectionItemProvider@DirectUI@@UAAJPAPAUIRawElementProviderSimple@@@Z +?get_SmallChange@RangeValueProvider@DirectUI@@UAAJPAN@Z +?get_ToggleState@ToggleProvider@DirectUI@@UAAJPAW4ToggleState@@@Z +?get_Value@RangeValueProvider@DirectUI@@UAAJPAN@Z +?get_Value@ValueProvider@DirectUI@@UAAJPAPAG@Z +?get_VerticalScrollPercent@ScrollProvider@DirectUI@@UAAJPAN@Z +?get_VerticalViewSize@ScrollProvider@DirectUI@@UAAJPAN@Z +?get_VerticallyScrollable@ScrollProvider@DirectUI@@UAAJPAH@Z +?get_accChild@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAUIDispatch@@@Z +?get_accChild@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAUIDispatch@@@Z +?get_accChildCount@DuiAccessible@DirectUI@@UAAJPAJ@Z +?get_accChildCount@HWNDHostAccessible@DirectUI@@UAAJPAJ@Z +?get_accDefaultAction@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accDefaultAction@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accDescription@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accDescription@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accFocus@DuiAccessible@DirectUI@@UAAJPAUtagVARIANT@@@Z +?get_accFocus@HWNDHostAccessible@DirectUI@@UAAJPAUtagVARIANT@@@Z +?get_accHelp@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accHelp@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accHelpTopic@DuiAccessible@DirectUI@@UAAJPAPAGUtagVARIANT@@PAJ@Z +?get_accHelpTopic@HWNDHostAccessible@DirectUI@@UAAJPAPAGUtagVARIANT@@PAJ@Z +?get_accKeyboardShortcut@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accKeyboardShortcut@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accName@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accName@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accParent@DuiAccessible@DirectUI@@UAAJPAPAUIDispatch@@@Z +?get_accParent@HWNDElementAccessible@DirectUI@@UAAJPAPAUIDispatch@@@Z +?get_accParent@HWNDHostAccessible@DirectUI@@UAAJPAPAUIDispatch@@@Z +?get_accParent@HWNDHostClientAccessible@DirectUI@@UAAJPAPAUIDispatch@@@Z +?get_accRole@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAU3@@Z +?get_accRole@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAU3@@Z +?get_accRole@HWNDHostClientAccessible@DirectUI@@UAAJUtagVARIANT@@PAU3@@Z +?get_accSelection@DuiAccessible@DirectUI@@UAAJPAUtagVARIANT@@@Z +?get_accSelection@HWNDHostAccessible@DirectUI@@UAAJPAUtagVARIANT@@@Z +?get_accState@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAU3@@Z +?get_accState@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAU3@@Z +?get_accValue@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?get_accValue@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAPAG@Z +?put_accName@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAG@Z +?put_accName@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAG@Z +?put_accValue@DuiAccessible@DirectUI@@UAAJUtagVARIANT@@PAG@Z +?put_accValue@HWNDHostAccessible@DirectUI@@UAAJUtagVARIANT@@PAG@Z +?s_HandleDUIEventMessage@Element@DirectUI@@CA_NPAV12@PAUEventMsg@@@Z +?s_ImageHlpFuncList@CallstackTracker@DirectUI@@0PAUIMGHLPFN_LOAD@12@A DATA +?s_SyncCallback@CSafeElementProxy@@SAJPAUHGADGET__@@PAXPAUEventMsg@@@Z +?s_XMLParseError@DUIFactory@DirectUI@@CAXPBG0HPAX@Z +?s_fdClr@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@K@12@B DATA +?s_fdFill@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@PAVValue@DirectUI@@@12@B DATA +?s_fdGraphic@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@PAVValue@DirectUI@@@12@B DATA +?s_fdInt@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@H@12@B DATA +?s_fdRect@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@UScaledRECT@DirectUI@@@12@B DATA +?s_fdString@DUIXmlParser@DirectUI@@1QBU?$FunctionDefinition@PAVValue@DirectUI@@@12@B DATA +?s_hProcess@CallstackTracker@DirectUI@@0PAXA DATA +?s_hinstImageHlp@CallstackTracker@DirectUI@@0PAUHINSTANCE__@@A DATA +?s_hinstNtDll@CallstackTracker@DirectUI@@0PAUHINSTANCE__@@A DATA +?s_initonceInit@CallstackTracker@DirectUI@@0T_RTL_RUN_ONCE@@A DATA +?s_pClassInfo@AccessibleButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@AnimationStrip@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@AutoButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@BaseScrollViewer@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Bind@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Browser@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Button@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCAVI@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCBase@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCBaseCheckRadioButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCBaseScrollBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCCheckBox@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCCommandLink@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCHScrollBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCListBox@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCListView@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCProgressBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCPushButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCRadioButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCSysLink@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCTrackBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCTreeView@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CCVScrollBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@CheckBoxGlyph@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Clipper@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Combobox@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@DialogElement@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Edit@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Element@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@ElementWithHWND@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Expandable@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Expando@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@ExpandoButtonGlyph@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@HWNDElement@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@HWNDHost@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Macro@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Movie@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Navigator@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@PText@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Page@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Pages@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Progress@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@PushButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@RadioButtonGlyph@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@RefPointElement@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@RepeatButton@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Repeater@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@ScrollBar@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@ScrollViewer@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Selector@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@SelectorNoDefault@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@StyledScrollViewer@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@TextGraphic@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Thumb@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@UnknownElement@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@Viewer@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@XBaby@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pClassInfo@XElement@DirectUI@@0PAUIClassInfo@2@A DATA +?s_pfnImagehlpApiVersionEx@CallstackTracker@DirectUI@@0P6APAUAPI_VERSION@@PAU3@@ZA DATA +?s_pfnRtlCaptureStackBackTrace@CallstackTracker@DirectUI@@0P6AGKKPAPAXPAK@ZA DATA +?s_pfnSymFromAddr@CallstackTracker@DirectUI@@0P6AHPAX_KPA_KPAU_SYMBOL_INFO@@@ZA DATA +?s_pfnSymGetModuleInfo64@CallstackTracker@DirectUI@@0P6AHPAX_KPAU_IMAGEHLP_MODULE64@@@ZA DATA +?s_pfnSymInitialize@CallstackTracker@DirectUI@@0P6AHPAXPBDH@ZA DATA +?s_pfnSymLoadModule64@CallstackTracker@DirectUI@@0P6A_KPAX0PBD1_KK@ZA DATA +?s_pfnSymSetOptions@CallstackTracker@DirectUI@@0P6AKK@ZA DATA +?s_uButtonFocusChangeMsg@XElement@DirectUI@@2IB DATA +?s_uInvokeHelperMsg@InvokeHelper@DirectUI@@0IB DATA +?s_uNavigateOutMsg@XElement@DirectUI@@2IB DATA +?s_uUnhandledSyscharMsg@XElement@DirectUI@@2IB DATA +ARGBColorFromEnumI +BlurBitmap +BrushFromEnumI +ColorFromEnumI +CreateDUIWrapper +CreateDUIWrapperEx +CreateDUIWrapperFromResource +CreateTouchTooltip +DUIDrawShadowText +DisableAnimations +DisableInitCallstackTracking +DrawShadowTextEx +ElementFromGadget +EnableAnimations +FlushThemeHandles +ForceDebugBreak +GetElementDataEntry +GetElementMacro +GetFontCache +GetScaleFactor +GetThemeHandle +HStrDup +HrSysAllocString +InitPreprocessor +InitProcessPriv +InitThread +IsAnimationsEnabled +IsPalette +IsUIAutomationProviderEnabled +MultiByteToUnicode +NotifyAccessibilityEvent +PreprocessBuffer +ProcessAlphaBitmapI +PurgeThemeHandles +RegisterAllControls +RegisterBaseControls +RegisterBrowserControls +RegisterCommonControls +RegisterExtendedControls +RegisterMacroControls +RegisterMiscControls +RegisterPVLBehaviorFactory +RegisterStandardControls +RegisterXControls +SetDefAction +SkipDLLUnloadInitChecks +StartMessagePump +StopMessagePump +StrToID +UiaHideOnGetObject +UiaOnDestroySink +UiaOnGetObject +UiaOnToolTip +UnInitProcessPriv +UnInitThread +UnicodeToMultiByte diff --git a/lib/libc/mingw/libarm32/dwmcore.def b/lib/libc/mingw/libarm32/dwmcore.def new file mode 100644 index 0000000000..8eee2d22df --- /dev/null +++ b/lib/libc/mingw/libarm32/dwmcore.def @@ -0,0 +1,58 @@ +; +; Definition file of dwmcore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dwmcore.dll" +EXPORTS +MIL3DCalcBrushToIdealSampleSpace +MIL3DCalcProjected2DBounds +MilChannel_AppendCommandData +MilChannel_BeginCommand +MilChannel_CommitChannel +MilChannel_EndCommand +MilChannel_FreeSyncCommandReplay +MilChannel_GetMarshalType +MilChannel_SendSyncCommand +MilChannel_SetNotificationWindow +MilChannel_SetReceiveBroadcastMessages +MilCommandTransport_AddRef +MilCommandTransport_Release +MilCompositionEngine_DeinitializePartitionManager +MilCompositionEngine_GetComposedEventId +MilCompositionEngine_GetFeedbackReader +MilCompositionEngine_InitializePartitionManager +MilCompositionEngine_UpdateSchedulerSettings +MilComposition_PeekNextMessage +MilComposition_SyncFlush +MilComposition_WaitForNextMessage +MilConnectionManager_NotifyHostEvent +MilConnection_CreateChannel +MilConnection_DestroyChannel +MilConnection_GetChannelKernelHandle +MilCoreClientIsDwm +MilCrossThreadPacketTransport_Create +MilResource_CreateOrAddRefOnChannel +MilResource_DuplicateHandle +MilResource_DuplicateHandleOnTarget +MilResource_ReleaseOnChannel +MilResource_SendCommand +MilResource_SendCommandBitmapSource +MilResource_SendCommandBitmapSourceEx +MilTransport_AddRef +MilTransport_Close +MilTransport_Create +MilTransport_CreateFromPacketTransport +MilTransport_CreateTransportParameters +MilTransport_DisconnectTransport +MilTransport_InitializeConnectionManager +MilTransport_Open +MilTransport_PostPacket +MilTransport_Release +MilTransport_ShutDownConnectionManager +MilUtility_GetTileBrushMapping +MilVersionCheck +MilVisualTarget_AttachToHwnd +MilVisualTarget_DetachFromHwnd +SetMilPerfInstrumentationFlags +MILCreateFactory diff --git a/lib/libc/mingw/libarm32/dwmredir.def b/lib/libc/mingw/libarm32/dwmredir.def new file mode 100644 index 0000000000..c6549ef495 --- /dev/null +++ b/lib/libc/mingw/libarm32/dwmredir.def @@ -0,0 +1,22 @@ +; +; Definition file of dwmredir.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dwmredir.dll" +EXPORTS +DwmInitializeTransport +DwmRedirectionManagerDispatchMessage +DwmRedirectionManagerEnableMMCSS +DwmRedirectionManagerFailMessage +DwmRedirectionManagerInitialize +DwmRedirectionManagerLockMemoryAllocations +DwmRedirectionManagerPlayingVideo +DwmRedirectionManagerSetClientChannel +DwmRedirectionManagerSetClientRenderTarget +DwmRedirectionManagerShouldRemainOnHibernate +DwmRedirectionManagerShutdown +DwmRedirectionManagerWaitForMultipleObjects +DwmRenderDesktopForDDA +DwmShutdownTransport +DwmVersionCheck diff --git a/lib/libc/mingw/libarm32/dxgwdi.def b/lib/libc/mingw/libarm32/dxgwdi.def new file mode 100644 index 0000000000..6eea40c490 --- /dev/null +++ b/lib/libc/mingw/libarm32/dxgwdi.def @@ -0,0 +1,10 @@ +; +; Definition file of dxgwdi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dxgwdi.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/eapprovp.def b/lib/libc/mingw/libarm32/eapprovp.def new file mode 100644 index 0000000000..4fb8219cd1 --- /dev/null +++ b/lib/libc/mingw/libarm32/eapprovp.def @@ -0,0 +1,14 @@ +; +; Definition file of eapprovp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "eapprovp.dll" +EXPORTS +EapProvPlugGetInfo +EapProvPluginDeinitialize +EapProvPluginInitialize +EapProvPluginTestForAuthenticatingWlanInterfaces +EapProvPluginWlanCloseHandle +EapProvPluginWlanOpenHandle +EapProvPluginWlanRegisterNotification diff --git a/lib/libc/mingw/libarm32/eapqec.def b/lib/libc/mingw/libarm32/eapqec.def new file mode 100644 index 0000000000..a15edc7900 --- /dev/null +++ b/lib/libc/mingw/libarm32/eapqec.def @@ -0,0 +1,9 @@ +; +; Definition file of EapQec.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EapQec.dll" +EXPORTS +InitializeQec +UninitializeQec diff --git a/lib/libc/mingw/libarm32/easwrt.def b/lib/libc/mingw/libarm32/easwrt.def new file mode 100644 index 0000000000..329e6069c1 --- /dev/null +++ b/lib/libc/mingw/libarm32/easwrt.def @@ -0,0 +1,10 @@ +; +; Definition file of easwrt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "easwrt.dll" +EXPORTS +EasClientSecurityPolicyApply +EasClientSecurityPolicyCheckCompliance +EasGetClientDeviceInformation diff --git a/lib/libc/mingw/libarm32/efscore.def b/lib/libc/mingw/libarm32/efscore.def new file mode 100644 index 0000000000..75c46736a7 --- /dev/null +++ b/lib/libc/mingw/libarm32/efscore.def @@ -0,0 +1,43 @@ +; +; Definition file of EFSCORE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EFSCORE.dll" +EXPORTS +EfsDllAddUsersToFileSrv +EfsDllAllocateHeap +EfsDllCloseFileRaw +EfsDllConstructEFS +EfsDllDecryptFek +EfsDllDecryptFileSrv +EfsDllDisabled +EfsDllDuplicateEncryptionInfoFileSrv +EfsDllEncryptFileSrv +EfsDllErrorToNtStatus +EfsDllFileKeyInfoSrv +EfsDllFreeHeap +EfsDllFreeUserInfo +EfsDllGetLocalFileName +EfsDllGetLogFile +EfsDllGetUserInfo +EfsDllGetVolumeRoot +EfsDllIsNonEfsSKU +EfsDllLoadUserProfile +EfsDllMarkFileForDelete +EfsDllOnSessionChange +EfsDllOpenFileRaw +EfsDllQueryProtectorsSrv +EfsDllQueryRecoveryAgentsSrv +EfsDllQueryUsersOnFileSrv +EfsDllReadFileRaw +EfsDllRemoveUsersFromFileSrv +EfsDllSetFileEncryptionKeySrv +EfsDllShareDecline +EfsDllSsoFlushUserCache +EfsDllUnloadUserProfile +EfsDllUsePinForEncryptedFilesSrv +EfsDllValidateEfsStream +EfsDllWriteFileRaw +EfsInitialize +EfsUnInitialize diff --git a/lib/libc/mingw/libarm32/efslsaext.def b/lib/libc/mingw/libarm32/efslsaext.def new file mode 100644 index 0000000000..5349f4acf0 --- /dev/null +++ b/lib/libc/mingw/libarm32/efslsaext.def @@ -0,0 +1,8 @@ +; +; Definition file of efslsaext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "efslsaext.dll" +EXPORTS +InitializeLsaExtension diff --git a/lib/libc/mingw/libarm32/efssvc.def b/lib/libc/mingw/libarm32/efssvc.def new file mode 100644 index 0000000000..d6bb8f337a --- /dev/null +++ b/lib/libc/mingw/libarm32/efssvc.def @@ -0,0 +1,8 @@ +; +; Definition file of efssvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "efssvc.dll" +EXPORTS +EfsServiceMain diff --git a/lib/libc/mingw/libarm32/efsutil.def b/lib/libc/mingw/libarm32/efsutil.def new file mode 100644 index 0000000000..1f39f86f76 --- /dev/null +++ b/lib/libc/mingw/libarm32/efsutil.def @@ -0,0 +1,24 @@ +; +; Definition file of EFSUTIL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EFSUTIL.dll" +EXPORTS +EfsUtilApplyGroupPolicy +EfsUtilCheckCurrentKeyCapabilities +EfsUtilCreateSelfSignedCertificate +EfsUtilGetCertContextFromCertHash +EfsUtilGetCurrentKey +EfsUtilGetCurrentKey_Deprecated +EfsUtilGetCurrentUserInformation +EfsUtilGetProvider +EfsUtilGetSmartcardProviderName +EfsUtilGetUserKey +EfsUtilIsSmartcardKey +EfsUtilIsSmartcardProvider +EfsUtilReleaseProvider +EfsUtilReleaseUserKey +EfsUtilSetCurrentKey +EfsUtilSetSmartcardPin +EfsUtilSmartcardCredsNeededError diff --git a/lib/libc/mingw/libarm32/ehstorpwdmgr.def b/lib/libc/mingw/libarm32/ehstorpwdmgr.def new file mode 100644 index 0000000000..67def1b73c --- /dev/null +++ b/lib/libc/mingw/libarm32/ehstorpwdmgr.def @@ -0,0 +1,9 @@ +; +; Definition file of EhStorPwdMgr.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EhStorPwdMgr.DLL" +EXPORTS +EnhancedStoragePasswordInitDisk +EnhancedStoragePasswordConfig diff --git a/lib/libc/mingw/libarm32/elshyph.def b/lib/libc/mingw/libarm32/elshyph.def new file mode 100644 index 0000000000..540b01689e --- /dev/null +++ b/lib/libc/mingw/libarm32/elshyph.def @@ -0,0 +1,12 @@ +; +; Definition file of elshyph.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "elshyph.dll" +EXPORTS +DoAction +FreePropertyBag +FreeService +InitService +RecognizeText diff --git a/lib/libc/mingw/libarm32/elslad.def b/lib/libc/mingw/libarm32/elslad.def new file mode 100644 index 0000000000..714ea1bb83 --- /dev/null +++ b/lib/libc/mingw/libarm32/elslad.def @@ -0,0 +1,12 @@ +; +; Definition file of elslad.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "elslad.dll" +EXPORTS +DoAction +FreePropertyBag +FreeService +InitService +RecognizeText diff --git a/lib/libc/mingw/libarm32/elstrans.def b/lib/libc/mingw/libarm32/elstrans.def new file mode 100644 index 0000000000..e2789afcac --- /dev/null +++ b/lib/libc/mingw/libarm32/elstrans.def @@ -0,0 +1,13 @@ +; +; Definition file of elstrans.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "elstrans.dll" +EXPORTS +DoAction +EnumServices +FreePropertyBag +FreeService +InitService +RecognizeText diff --git a/lib/libc/mingw/libarm32/embeddedapplauncherconfig.def b/lib/libc/mingw/libarm32/embeddedapplauncherconfig.def new file mode 100644 index 0000000000..6b9d16a527 --- /dev/null +++ b/lib/libc/mingw/libarm32/embeddedapplauncherconfig.def @@ -0,0 +1,11 @@ +; +; Definition file of EmbeddedAppLauncherConfig.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EmbeddedAppLauncherConfig.dll" +EXPORTS +EmbeddedAppLauncherSysprepCleanup +EmbeddedAppLauncherSysprepGeneralize +EmbeddedAppLauncherSysprepSpecialize +ExePassThrough diff --git a/lib/libc/mingw/libarm32/encdump.def b/lib/libc/mingw/libarm32/encdump.def new file mode 100644 index 0000000000..9f099485cb --- /dev/null +++ b/lib/libc/mingw/libarm32/encdump.def @@ -0,0 +1,8 @@ +; +; Definition file of EncDump.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EncDump.dll" +EXPORTS +EncryptDumpFile diff --git a/lib/libc/mingw/libarm32/energy.def b/lib/libc/mingw/libarm32/energy.def new file mode 100644 index 0000000000..a6703909c2 --- /dev/null +++ b/lib/libc/mingw/libarm32/energy.def @@ -0,0 +1,22 @@ +; +; Definition file of ENERGY.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ENERGY.dll" +EXPORTS +SaveBatteryReport +SqmSleepStudyReport +EnergyWizard_Analyze +EnergyWizard_CancelTrace +EnergyWizard_CollectTrace +EnergyWizard_CreateEnergyWizard +EnergyWizard_DefaultTraceDuration +EnergyWizard_DestroyEnergyWizard +EnergyWizard_GetLogEntryCounts +EnergyWizard_SaveReport +EnergyWizard_SqmAnalysis +EnergyWizard_TransformReport +SaveSleepStudyReport +TransformBatteryReport +TransformSleepStudyReport diff --git a/lib/libc/mingw/libarm32/energyprov.def b/lib/libc/mingw/libarm32/energyprov.def new file mode 100644 index 0000000000..0c4693e12e --- /dev/null +++ b/lib/libc/mingw/libarm32/energyprov.def @@ -0,0 +1,9 @@ +; +; Definition file of EnergyProv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EnergyProv.dll" +EXPORTS +SruInitializeProvider +SruUninitializeProvider diff --git a/lib/libc/mingw/libarm32/es.def b/lib/libc/mingw/libarm32/es.def new file mode 100644 index 0000000000..b38e766a5b --- /dev/null +++ b/lib/libc/mingw/libarm32/es.def @@ -0,0 +1,12 @@ +; +; Definition file of ES.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ES.dll" +EXPORTS +SvchostPushServiceGlobals +LCEControlServer +NotifyLogoffUser +NotifyLogonUser +ServiceMain diff --git a/lib/libc/mingw/libarm32/eventaggregation.def b/lib/libc/mingw/libarm32/eventaggregation.def new file mode 100644 index 0000000000..d749d27485 --- /dev/null +++ b/lib/libc/mingw/libarm32/eventaggregation.def @@ -0,0 +1,11 @@ +; +; Definition file of EventAggregation.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "EventAggregation.dll" +EXPORTS +EACreateAggregateEvent +EADeleteAggregateEvent +EAEnumerateAggregateEvents +EAQueryAggregateEventData diff --git a/lib/libc/mingw/libarm32/fdphost.def b/lib/libc/mingw/libarm32/fdphost.def new file mode 100644 index 0000000000..0138e6519b --- /dev/null +++ b/lib/libc/mingw/libarm32/fdphost.def @@ -0,0 +1,9 @@ +; +; Definition file of fdPHost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fdPHost.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/fdprint.def b/lib/libc/mingw/libarm32/fdprint.def new file mode 100644 index 0000000000..dc53d5fb39 --- /dev/null +++ b/lib/libc/mingw/libarm32/fdprint.def @@ -0,0 +1,8 @@ +; +; Definition file of fdprint.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fdprint.dll" +EXPORTS +InvokeTaskW diff --git a/lib/libc/mingw/libarm32/fdrespub.def b/lib/libc/mingw/libarm32/fdrespub.def new file mode 100644 index 0000000000..08092e0b32 --- /dev/null +++ b/lib/libc/mingw/libarm32/fdrespub.def @@ -0,0 +1,10 @@ +; +; Definition file of respub.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "respub.DLL" +EXPORTS +FDResPub_MainHosted +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/fdssdp.def b/lib/libc/mingw/libarm32/fdssdp.def new file mode 100644 index 0000000000..32c5df61fd --- /dev/null +++ b/lib/libc/mingw/libarm32/fdssdp.def @@ -0,0 +1,10 @@ +; +; Definition file of fdSSDP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fdSSDP.dll" +EXPORTS +FdphostSessionChange +FdphostSetComContext +FdphostSetSharedService diff --git a/lib/libc/mingw/libarm32/fdwsd.def b/lib/libc/mingw/libarm32/fdwsd.def new file mode 100644 index 0000000000..4469440f19 --- /dev/null +++ b/lib/libc/mingw/libarm32/fdwsd.def @@ -0,0 +1,10 @@ +; +; Definition file of fdWSD.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fdWSD.dll" +EXPORTS +FdphostSessionChange +FdphostSetComContext +FdphostSetSharedService diff --git a/lib/libc/mingw/libarm32/fhevents.def b/lib/libc/mingw/libarm32/fhevents.def new file mode 100644 index 0000000000..6972c3a348 --- /dev/null +++ b/lib/libc/mingw/libarm32/fhevents.def @@ -0,0 +1,10 @@ +; +; Definition file of FHEVENTS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FHEVENTS.dll" +EXPORTS +DpElGetNextEvent +DpElReleaseObjects +DpElScanEvents diff --git a/lib/libc/mingw/libarm32/fhshl.def b/lib/libc/mingw/libarm32/fhshl.def new file mode 100644 index 0000000000..88fe0ef499 --- /dev/null +++ b/lib/libc/mingw/libarm32/fhshl.def @@ -0,0 +1,13 @@ +; +; Definition file of dll.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dll.dll" +EXPORTS +CreateCatalog +CreateSearchBindCtx +CreateVirtualItem +FreeCatalog +GetBackupPathFromPidl +ParsePIDL diff --git a/lib/libc/mingw/libarm32/fhsvc.def b/lib/libc/mingw/libarm32/fhsvc.def new file mode 100644 index 0000000000..41e8128b99 --- /dev/null +++ b/lib/libc/mingw/libarm32/fhsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of fhsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fhsvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/firewallapi.def b/lib/libc/mingw/libarm32/firewallapi.def new file mode 100644 index 0000000000..b6c7301fc4 --- /dev/null +++ b/lib/libc/mingw/libarm32/firewallapi.def @@ -0,0 +1,274 @@ +; +; Definition file of FirewallAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FirewallAPI.dll" +EXPORTS +CreateDefaultPerInterfaceIcmpRule +CreateDefaultPerInterfaceOpenPortRule +FwAdvPolicyDecodeFirewallRule +FwAdvPolicyEncodeRule +FwBstrToPorts +FwGetCurrentProfile +FwGetVersionField +FwPortsToString +GetDisabledInterfaces +NetworkIsolationEnumerateAppContainerRules +NetworkIsolationFreeAppContainers +CalculateOpenPortOrAuthAppAddrStringSize +FWAddAuthenticationSet +FWAddConnectionSecurityRule +FWAddCryptoSet +FWAddFirewallRule +FWAddMainModeRule +FWChangeNotificationCreate +FWChangeNotificationDestroy +FWChangeTransactionalState +FWClosePolicyStore +FWCopyAuthenticationSet +FWCopyConnectionSecurityRule +FWCopyCryptoSet +FWCopyFirewallRule +FWDeleteAllAuthenticationSets +FWDeleteAllConnectionSecurityRules +FWDeleteAllCryptoSets +FWDeleteAllFirewallRules +FWDeleteAllMainModeRules +FWDeleteAuthenticationSet +FWDeleteConnectionSecurityRule +FWDeleteCryptoSet +FWDeleteFirewallRule +FWDeleteMainModeRule +FWDeletePhase1SAs +FWDeletePhase2SAs +FWDiagGetAppList +FWEnumAdapters +FWEnumAuthenticationSets +FWEnumConnectionSecurityRules +FWEnumCryptoSets +FWEnumFirewallRules +FWEnumMainModeRules +FWEnumNetworks +FWEnumPhase1SAs +FWEnumPhase2SAs +FWEnumProducts +FWExportPolicy +FWFreeAdapters +FWFreeAuthenticationSet +FWFreeAuthenticationSets +FWFreeAuthenticationSetsByHandle +FWFreeConnectionSecurityRule +FWFreeConnectionSecurityRules +FWFreeConnectionSecurityRulesByHandle +FWFreeCryptoSet +FWFreeCryptoSets +FWFreeCryptoSetsByHandle +FWFreeDiagAppList +FWFreeFirewallRule +FWFreeFirewallRules +FWFreeFirewallRulesByHandle +FWFreeFirewallRulesOld +FWFreeMainModeRule +FWFreeMainModeRules +FWFreeMainModeRulesByHandle +FWFreeNetworks +FWFreePhase1SAs +FWFreePhase2SAs +FWFreeProducts +FWGPLock +FWGPUnlock +FWGetConfig +FWGetConfig2 +FWGetGlobalConfig +FWGetGlobalConfig2 +FWGetGlobalConfig3 +FWGetIndicatedPortInUse +FWImportPolicy +FWIndicatePortInUse +FWIndicateProxyForUrl +FWIndicateProxyResolverRefresh +FWIndicateTupleInUse +FWIsTargetAProxy +FWOpenPolicyStore +FWQueryAuthenticationSets +FWQueryConnectionSecurityRules +FWQueryCryptoSets +FWQueryFirewallRules +FWQueryIsolationType +FWQueryMainModeRules +FWRegisterProduct +FWResetIndicatedPortInUse +FWResetIndicatedTupleInUse +FWResolveGPONames +FWRestoreDefaults +FWRestoreGPODefaults +FWRevertTransaction +FWSelectConSecRule +FWSetAuthenticationSet +FWSetConfig +FWSetConnectionSecurityRule +FWSetCryptoSet +FWSetFirewallRule +FWSetGPHelperFnPtrs +FWSetGlobalConfig +FWSetGlobalConfig2 +FWSetMainModeRule +FWStatusMessageFromStatusCode +FWUnregisterProduct +FWVerifyAuthenticationSet +FWVerifyAuthenticationSetQuery +FWVerifyConnectionSecurityRule +FWVerifyConnectionSecurityRuleQuery +FWVerifyCryptoSet +FWVerifyCryptoSetQuery +FWVerifyFirewallRule +FWVerifyFirewallRuleQuery +FWVerifyMainModeRule +FWVerifyMainModeRuleQuery +FreeAbsoluteInterfaces +FwActivate +FwAddRule +FwAddSet +FwAddrChangeSourceInitialize +FwAddrChangeSourceShutdown +FwAddrChangeSourceSignal +FwAlloc +FwAllocCheckSize +FwAnalyzeFirewallPolicy +FwAnalyzeFirewallPolicyOnProfile +FwAppContainerChangeFree +FwAreAllContainedInAddresses +FwBinariesFree +FwCSRuleEmpty +FwCSRuleVerify +FwCanonizeAuthorizedApps +FwChangeSourceInitialize +FwChangeSourceShutdown +FwChangeSourceSignal +FwChangeSourceSignalStart +FwChkBuildSidAndAttributesFree +FwClosePolicyStore +FwConvertIPv6SubNetToRange +FwCopyAuthSet +FwCopyAuthSetListToLowerVersion +FwCopyAuthsetToHigherVersion +FwCopyCSRule +FwCopyCryptoSet +FwCopyICMPTypeCode +FwCopyInterfaceLuids +FwCopyLUID +FwCopyMMRule +FwCopyMainModeRule +FwCopyPlatform +FwCopyPortRange +FwCopyPortsContents +FwCopyRule +FwCopyWFAddressesContents +FwCreateLocalTempStore +FwDeleteAllRules +FwDeleteAllSets +FwDeleteRule +FwDeleteSet +FwDestroyLocalTempStore +FwDoNothingOnObject +FwEmptyWFAddresses +FwEmptyWFRule +FwEnableMemTracing +FwEnumRules +FwEnumSets +FwFree +FwFreeAddresses +FwFreeRules +FwFreeSets +FwFreeWFRule +FwGetAddressesAsString +FwGetAppBlockList +FwGetConfig +FwGetGlobalConfig +FwGetGlobalConfigFromLocalTempStore +FwGetRule +FwICFProfileToWfProfile +FwICFProtocolToWfProtocol +FwIPV4RangeContainsMulticast +FwIPV6RangeContainsMulticast +FwImageListDestroy +FwImageListHasImage +FwIsGroupPolicyEnforced +FwIsRemoteManagementEnabled +FwIsV6AddrLoopback +FwMMRuleVerify +FwMergeAddresses +FwMigrateLegacyAuthenticatedBypassSddl +FwMigrateLegacySettings +FwNegateAddresses +FwOpenAppCDbPolicyStore +FwOpenPolicyStore +FwParseAddressToken +FwReduceObjectsToVersion +FwRemoveDuplicateAddresses +FwResolveIndirectString +FwRuleResolveFlags +FwSddlStringVerify +FwSetConfig +FwSetGlobalConfig +FwSetMemLeakPolicy +FwSetResolveFlags +FwSetRule +FwSetSet +FwSidAndAttributesCopy +FwSidAndAttributesFree +FwSidCopy +FwSidsToString +FwStringToAddresses +FwStringToSids +FwSubtractAddresses +FwUniteWFAddressesContents +FwVerifyNoHeapLeaks +FwVerifyWFRuleSemantics +FwWfProtocolToICFProtocol +GetOpenPortOrAuthAppAddrScope +IcfAddrChangeNotificationCreate +IcfChangeNotificationCreate +IcfChangeNotificationDestroy +IcfConnect +IcfDisconnect +IcfFreeDynamicFwPorts +IcfFreeProfile +IcfFreeTickets +IcfGetCurrentProfileType +IcfGetDynamicFwPorts +IcfGetOperationalMode +IcfGetProfile +IcfGetTickets +IcfIsPortAllowed +IcfOpenDynamicFwPortWithoutSocket +IcfSubNetsGetScope +IsAddressesEmpty +IsEqualAddresses +IsFirewallInCoExistanceMode +IsPortOrICMPAllowed +IsPortsEmpty +IsRuleOldAuthApp +IsRuleOldGlobalOpenPort +IsRuleOpenPortOrAuthApp +IsRulePerInterfaceIcmp +IsRulePerInterfaceOpenPort +IsUnicastExplicitAddressesEmpty +Isv4Orv6AddressesEmpty +LoadGPExtensionDll +MakeAbsoluteInterfaces +NetworkIsolationCreateAppContainer +NetworkIsolationDeleteAppContainer +NetworkIsolationDiagnoseConnectFailure +NetworkIsolationDiagnoseConnectFailureAndGetInfo +NetworkIsolationDiagnoseListen +NetworkIsolationDiagnoseSocketCreation +NetworkIsolationEnumAppContainers +NetworkIsolationGetAppContainerConfig +NetworkIsolationRegisterForAppContainerChanges +NetworkIsolationSetAppContainerConfig +NetworkIsolationSetupAppContainerBinaries +NetworkIsolationUnregisterForAppContainerChanges +OpenPortOrAuthAppAddrToString +ValidatePortOrAppAddressString diff --git a/lib/libc/mingw/libarm32/firewallcontrolpanel.def b/lib/libc/mingw/libarm32/firewallcontrolpanel.def new file mode 100644 index 0000000000..5b8c727a4c --- /dev/null +++ b/lib/libc/mingw/libarm32/firewallcontrolpanel.def @@ -0,0 +1,9 @@ +; +; Definition file of FIREWALLCONTROLPANEL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FIREWALLCONTROLPANEL.dll" +EXPORTS +ShowNotificationDialogW +ShowWarningDialogW diff --git a/lib/libc/mingw/libarm32/fm20.def b/lib/libc/mingw/libarm32/fm20.def new file mode 100644 index 0000000000..b1826b9e54 --- /dev/null +++ b/lib/libc/mingw/libarm32/fm20.def @@ -0,0 +1,36 @@ +; +; Definition file of fm20.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fm20.dll" +EXPORTS +ord_29 @29 +ord_30 @30 +ChooseColorA +ChooseColorW +ChooseFontA +ChooseFontW +CommDlgExtendedError +DllRegisterServerSetup +ExtractIconA +ExtractIconW +FormsCheckUFIControls +FormsCloseParentUnit +FormsOpenParentUnit +FormsSetLCID +GetOpenFileNameA +GetOpenFileNameW +GetSaveFileNameA +ord_50 @50 +ord_51 @51 +ord_52 @52 +GetSaveFileNameW +PrintDlgW +ord_100 @100 +ord_101 @101 +ord_102 @102 +ord_103 @103 +ord_104 @104 +ord_105 @105 +ord_106 @106 diff --git a/lib/libc/mingw/libarm32/fmapi.def b/lib/libc/mingw/libarm32/fmapi.def new file mode 100644 index 0000000000..e85fca3384 --- /dev/null +++ b/lib/libc/mingw/libarm32/fmapi.def @@ -0,0 +1,15 @@ +; +; Definition file of fmapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fmapi.dll" +EXPORTS +CloseFileRestoreContext +CreateFileRestoreContext +DetectBootSector +DetectEncryptedVolume +DetectEncryptedVolumeEx +RestoreFile +ScanRestorableFiles +SupplyDecryptionInfo diff --git a/lib/libc/mingw/libarm32/fms.def b/lib/libc/mingw/libarm32/fms.def new file mode 100644 index 0000000000..588fbd47a8 --- /dev/null +++ b/lib/libc/mingw/libarm32/fms.def @@ -0,0 +1,30 @@ +; +; Definition file of fms.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fms.dll" +EXPORTS +FmsActivateFonts +FmsAddFilter +FmsDeactivateFonts +FmsFreeEnumerator +FmsGetBestMatchInFamily +FmsGetCurrentFilter +FmsGetDirectWriteLogFont +FmsGetFilteredFontList +FmsGetFilteredPropertyList +FmsGetFontAutoActivationMode +FmsGetFontProperty +FmsGetGDILogFont +FmsGetGdiLogicalFont +FmsInitializeEnumerator +FmsMapGdiLogicalFont +FmsMapLogicalFont +FmsResetEnumerator +FmsResetFontsActivationState +FmsSetDefaultFilter +FmsSetFilter +FmsSetFontAutoActivationMode +FmsSetTextFilter +FmsToggleOnDesignAxis diff --git a/lib/libc/mingw/libarm32/fntcache.def b/lib/libc/mingw/libarm32/fntcache.def new file mode 100644 index 0000000000..24d52f5c71 --- /dev/null +++ b/lib/libc/mingw/libarm32/fntcache.def @@ -0,0 +1,9 @@ +; +; Definition file of FntCache.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FntCache.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/fontext.def b/lib/libc/mingw/libarm32/fontext.def new file mode 100644 index 0000000000..902dc35b4d --- /dev/null +++ b/lib/libc/mingw/libarm32/fontext.def @@ -0,0 +1,8 @@ +; +; Definition file of fontext.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "fontext.DLL" +EXPORTS +InstallFontFile diff --git a/lib/libc/mingw/libarm32/framedyn.def b/lib/libc/mingw/libarm32/framedyn.def new file mode 100644 index 0000000000..067783d766 --- /dev/null +++ b/lib/libc/mingw/libarm32/framedyn.def @@ -0,0 +1,619 @@ +; +; Definition file of framedyn.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "framedyn.dll" +EXPORTS +??0CAutoEvent@@QAA@XZ +??0CFrameworkQuery@@QAA@ABV0@@Z +??0CFrameworkQuery@@QAA@XZ +??0CFrameworkQueryEx@@QAA@ABV0@@Z +??0CFrameworkQueryEx@@QAA@XZ +??0CHPtrArray@@QAA@XZ +??0CHString@@QAA@ABV0@@Z +??0CHString@@QAA@GH@Z +??0CHString@@QAA@PBD@Z +??0CHString@@QAA@PBE@Z +??0CHString@@QAA@PBG@Z +??0CHString@@QAA@PBGH@Z +??0CHString@@QAA@XZ +??0CHStringArray@@QAA@XZ +??0CInstance@@QAA@ABV0@@Z +??0CInstance@@QAA@PAUIWbemClassObject@@PAVMethodContext@@@Z +??0CObjectPathParser@@QAA@W4ObjectParserFlags@@@Z +??0CRegistry@@QAA@ABV0@@Z +??0CRegistry@@QAA@XZ +??0CRegistrySearch@@QAA@ABV0@@Z +??0CRegistrySearch@@QAA@XZ +??0CThreadBase@@QAA@ABV0@@Z +??0CThreadBase@@QAA@W4THREAD_SAFETY_MECHANISM@0@@Z +??0CWbemGlueFactory@@QAA@ABV0@@Z +??0CWbemGlueFactory@@QAA@PAJ@Z +??0CWbemGlueFactory@@QAA@XZ +??0CWbemProviderGlue@@QAA@ABV0@@Z +??0CWbemProviderGlue@@QAA@PAJ@Z +??0CWbemProviderGlue@@QAA@XZ +??0CWinMsgEvent@@QAA@ABV0@@Z +??0CWinMsgEvent@@QAA@XZ +??0CreateMutexAsProcess@@QAA@PBG@Z +??0KeyRef@@QAA@PBGPBUtagVARIANT@@@Z +??0KeyRef@@QAA@XZ +??0MethodContext@@QAA@ABV0@@Z +??0MethodContext@@QAA@PAUIWbemContext@@PAVCWbemProviderGlue@@@Z +??0ParsedObjectPath@@QAA@XZ +??0Provider@@QAA@ABV0@@Z +??0Provider@@QAA@PBG0@Z +??0ProviderLog@@QAA@ABV0@@Z +??0ProviderLog@@QAA@XZ +??0WBEMTime@@QAA@ABJ@Z +??0WBEMTime@@QAA@ABU_FILETIME@@@Z +??0WBEMTime@@QAA@ABU_SYSTEMTIME@@@Z +??0WBEMTime@@QAA@ABUtm@@@Z +??0WBEMTime@@QAA@QAG@Z +??0WBEMTime@@QAA@XZ +??0WBEMTimeSpan@@QAA@ABJ@Z +??0WBEMTimeSpan@@QAA@ABU_FILETIME@@@Z +??0WBEMTimeSpan@@QAA@HHHHHHH@Z +??0WBEMTimeSpan@@QAA@QAG@Z +??0WBEMTimeSpan@@QAA@XZ +??0_Lockit@std@@QAA@XZ +??1CAutoEvent@@QAA@XZ +??1CFrameworkQuery@@QAA@XZ +??1CFrameworkQueryEx@@QAA@XZ +??1CHPtrArray@@QAA@XZ +??1CHString@@QAA@XZ +??1CHStringArray@@QAA@XZ +??1CInstance@@UAA@XZ +??1CObjectPathParser@@QAA@XZ +??1CRegistry@@QAA@XZ +??1CRegistrySearch@@QAA@XZ +??1CThreadBase@@UAA@XZ +??1CWbemGlueFactory@@QAA@XZ +??1CWbemProviderGlue@@QAA@XZ +??1CWinMsgEvent@@QAA@XZ +??1CreateMutexAsProcess@@QAA@XZ +??1KeyRef@@QAA@XZ +??1MethodContext@@UAA@XZ +??1ParsedObjectPath@@QAA@XZ +??1Provider@@UAA@XZ +??1ProviderLog@@UAA@XZ +??1_Lockit@std@@QAA@XZ +??4CAutoEvent@@QAAAAV0@ABV0@@Z +??4CFrameworkQuery@@QAAAAV0@ABV0@@Z +??4CFrameworkQueryEx@@QAAAAV0@ABV0@@Z +??4CHPtrArray@@QAAAAV0@ABV0@@Z +??4CHString@@QAAABV0@ABV0@@Z +??4CHString@@QAAABV0@D@Z +??4CHString@@QAAABV0@G@Z +??4CHString@@QAAABV0@PAV0@@Z +??4CHString@@QAAABV0@PBD@Z +??4CHString@@QAAABV0@PBE@Z +??4CHString@@QAAABV0@PBG@Z +??4CHStringArray@@QAAAAV0@ABV0@@Z +??4CInstance@@QAAAAV0@ABV0@@Z +??4CObjectPathParser@@QAAAAV0@ABV0@@Z +??4CRegistry@@QAAAAV0@ABV0@@Z +??4CRegistrySearch@@QAAAAV0@ABV0@@Z +??4CThreadBase@@QAAAAV0@ABV0@@Z +??4CWbemGlueFactory@@QAAAAV0@ABV0@@Z +??4CWbemProviderGlue@@QAAAAV0@ABV0@@Z +??4CWinMsgEvent@@QAAAAV0@ABV0@@Z +??4CreateMutexAsProcess@@QAAAAV0@ABV0@@Z +??4KeyRef@@QAAAAU0@ABU0@@Z +??4MethodContext@@QAAAAV0@ABV0@@Z +??4ParsedObjectPath@@QAAAAU0@ABU0@@Z +??4Provider@@QAAAAV0@ABV0@@Z +??4ProviderLog@@QAAAAV0@ABV0@@Z +??4WBEMTime@@QAAAAV0@ABV0@@Z +??4WBEMTime@@QAAABV0@ABJ@Z +??4WBEMTime@@QAAABV0@ABU_FILETIME@@@Z +??4WBEMTime@@QAAABV0@ABU_SYSTEMTIME@@@Z +??4WBEMTime@@QAAABV0@ABUtm@@@Z +??4WBEMTime@@QAAABV0@QAG@Z +??4WBEMTimeSpan@@QAAAAV0@ABV0@@Z +??4WBEMTimeSpan@@QAAABV0@ABJ@Z +??4WBEMTimeSpan@@QAAABV0@ABU_FILETIME@@@Z +??4WBEMTimeSpan@@QAAABV0@QAG@Z +??8WBEMTime@@QBAHABV0@@Z +??8WBEMTimeSpan@@QBAHABV0@@Z +??9WBEMTime@@QBAHABV0@@Z +??9WBEMTimeSpan@@QBAHABV0@@Z +??ACHPtrArray@@QAAAAPAXH@Z +??ACHPtrArray@@QBAPAXH@Z +??ACHString@@QBAGH@Z +??ACHStringArray@@QAAAAVCHString@@H@Z +??ACHStringArray@@QBA?AVCHString@@H@Z +??BCHString@@QBAPBGXZ +??GWBEMTime@@QAA?AVWBEMTimeSpan@@ABV0@@Z +??GWBEMTime@@QBA?AV0@ABVWBEMTimeSpan@@@Z +??GWBEMTimeSpan@@QBA?AV0@ABV0@@Z +??H@YA?AVCHString@@ABV0@0@Z +??H@YA?AVCHString@@ABV0@G@Z +??H@YA?AVCHString@@ABV0@PBG@Z +??H@YA?AVCHString@@GABV0@@Z +??H@YA?AVCHString@@PBGABV0@@Z +??HWBEMTime@@QBA?AV0@ABVWBEMTimeSpan@@@Z +??HWBEMTimeSpan@@QBA?AV0@ABV0@@Z +??MWBEMTime@@QBAHABV0@@Z +??MWBEMTimeSpan@@QBAHABV0@@Z +??NWBEMTime@@QBAHABV0@@Z +??NWBEMTimeSpan@@QBAHABV0@@Z +??OWBEMTime@@QBAHABV0@@Z +??OWBEMTimeSpan@@QBAHABV0@@Z +??PWBEMTime@@QBAHABV0@@Z +??PWBEMTimeSpan@@QBAHABV0@@Z +??YCHString@@QAAABV0@ABV0@@Z +??YCHString@@QAAABV0@D@Z +??YCHString@@QAAABV0@G@Z +??YCHString@@QAAABV0@PBG@Z +??YWBEMTime@@QAAABV0@ABVWBEMTimeSpan@@@Z +??YWBEMTimeSpan@@QAAABV0@ABV0@@Z +??ZWBEMTime@@QAAABV0@ABVWBEMTimeSpan@@@Z +??ZWBEMTimeSpan@@QAAABV0@ABV0@@Z +??_7CFrameworkQueryEx@@6B@ DATA +??_7CInstance@@6B@ DATA +??_7CThreadBase@@6B@ DATA +??_7CWbemGlueFactory@@6B@ DATA +??_7CWbemProviderGlue@@6BIWbemProviderInit@@@ DATA +??_7CWbemProviderGlue@@6BIWbemServices@@@ DATA +??_7CWinMsgEvent@@6B@ DATA +??_7MethodContext@@6B@ DATA +??_7Provider@@6B@ DATA +??_7ProviderLog@@6B@ DATA +??_FCObjectPathParser@@QAAXXZ +??_FCThreadBase@@QAAXXZ +?Add@CHPtrArray@@QAAHPAX@Z +?Add@CHStringArray@@QAAHPBG@Z +?AddFlushPtr@CWbemProviderGlue@@AAAXPAX@Z +?AddKeyRef@ParsedObjectPath@@QAAHPAUKeyRef@@@Z +?AddKeyRef@ParsedObjectPath@@QAAHPBGPBUtagVARIANT@@@Z +?AddKeyRefEx@ParsedObjectPath@@QAAHPBGPBUtagVARIANT@@@Z +?AddNamespace@ParsedObjectPath@@QAAHPBG@Z +?AddProviderToMap@CWbemProviderGlue@@CAPAVProvider@@PBG0PAV2@@Z +?AddRef@CInstance@@QAAJXZ +?AddRef@CThreadBase@@QAAJXZ +?AddRef@CWbemGlueFactory@@UAAKXZ +?AddRef@CWbemProviderGlue@@UAAKXZ +?AddRef@MethodContext@@QAAJXZ +?AddToFactoryMap@CWbemProviderGlue@@KAXPBVCWbemGlueFactory@@PAJ@Z +?AllPropertiesAreRequired@CFrameworkQuery@@QAA_NXZ +?AllocBeforeWrite@CHString@@IAAXH@Z +?AllocBuffer@CHString@@IAAXH@Z +?AllocCopy@CHString@@IBAXAAV1@HHH@Z +?AllocSysString@CHString@@QBAPAGXZ +?Append@CHPtrArray@@QAAHABV1@@Z +?Append@CHStringArray@@QAAHABV1@@Z +?AssignCopy@CHString@@IAAXHPBG@Z +?BeginRead@CThreadBase@@QAAHK@Z +?BeginWrite@CThreadBase@@QAAHK@Z +?CancelAsyncCall@CWbemProviderGlue@@UAAJPAUIWbemObjectSink@@@Z +?CancelAsyncRequest@CWbemProviderGlue@@UAAJJ@Z +?CheckAndAddToList@CRegistrySearch@@AAAXPAVCRegistry@@VCHString@@1AAVCHPtrArray@@11H@Z +?CheckFileSize@ProviderLog@@AAAXAAT_LARGE_INTEGER@@ABVCHString@@@Z +?CheckImpersonationLevel@CWbemProviderGlue@@CAJXZ +?Clear@WBEMTime@@QAAXXZ +?Clear@WBEMTimeSpan@@QAAXXZ +?ClearKeys@ParsedObjectPath@@QAAXXZ +?Close@CRegistry@@QAAXXZ +?CloseSubKey@CRegistry@@AAAXXZ +?Collate@CHString@@QBAHPBG@Z +?Commit@CInstance@@QAAJXZ +?Commit@Provider@@IAAJPAVCInstance@@_N@Z +?Compare@CHString@@QBAHPBG@Z +?CompareNoCase@CHString@@QBAHPBG@Z +?ConcatCopy@CHString@@IAAXHPBGH0@Z +?ConcatInPlace@CHString@@IAAXHPBG@Z +?Copy@CHPtrArray@@QAAXABV1@@Z +?Copy@CHStringArray@@QAAXABV1@@Z +?CopyBeforeWrite@CHString@@IAAXXZ +?Create@CWbemGlueFactory@@SAPAV1@PAJ@Z +?Create@CWbemGlueFactory@@SAPAV1@XZ +?CreateClassEnum@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?CreateClassEnumAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?CreateInstance@CWbemGlueFactory@@UAAJPAUIUnknown@@ABU_GUID@@PAPAX@Z +?CreateInstanceEnum@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?CreateInstanceEnum@Provider@@AAAJPAVMethodContext@@J@Z +?CreateInstanceEnumAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?CreateMsgProvider@CWinMsgEvent@@CAXXZ +?CreateMsgWindow@CWinMsgEvent@@CAPAUHWND__@@XZ +?CreateNewInstance@Provider@@IAAPAVCInstance@@PAVMethodContext@@@Z +?CreateOpen@CRegistry@@QAAJPAUHKEY__@@PBGPAGKKPAU_SECURITY_ATTRIBUTES@@PAK@Z +?CtrlHandlerRoutine@CWinMsgEvent@@CAHK@Z +?DecrementMapCount@CWbemProviderGlue@@KAJPAJ@Z +?DecrementMapCount@CWbemProviderGlue@@KAJPBVCWbemGlueFactory@@@Z +?DecrementObjectCount@CWbemProviderGlue@@SAJXZ +?DeleteClass@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?DeleteClassAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?DeleteCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBG@Z +?DeleteCurrentKeyValue@CRegistry@@QAAKPBG@Z +?DeleteInstance@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?DeleteInstance@Provider@@AAAJPAUParsedObjectPath@@JPAVMethodContext@@@Z +?DeleteInstance@Provider@@MAAJABVCInstance@@J@Z +?DeleteInstanceAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?DeleteKey@CRegistry@@QAAJPAVCHString@@@Z +?DeleteValue@CRegistry@@QAAJPBG@Z +?Destroy@CWbemGlueFactory@@QAAXXZ +?DestroyMsgWindow@CWinMsgEvent@@CAXXZ +?ElementAt@CHPtrArray@@QAAAAPAXH@Z +?ElementAt@CHStringArray@@QAAAAVCHString@@H@Z +?Empty@CHString@@QAAXXZ +?Empty@CObjectPathParser@@AAAXXZ +?EndRead@CThreadBase@@QAAXXZ +?EndWrite@CThreadBase@@QAAXXZ +?EnumerateAndGetValues@CRegistry@@QAAJAAKAAPAGAAPAE@Z +?EnumerateInstances@Provider@@MAAJPAVMethodContext@@J@Z +?ExecMethod@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemClassObject@@PAPAU3@PAPAUIWbemCallResult@@@Z +?ExecMethod@Provider@@AAAJPAUParsedObjectPath@@PAGJPAVCInstance@@2PAVMethodContext@@@Z +?ExecMethod@Provider@@MAAJABVCInstance@@QAGPAV2@2J@Z +?ExecMethodAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemClassObject@@PAUIWbemObjectSink@@@Z +?ExecNotificationQuery@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?ExecNotificationQueryAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?ExecQuery@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?ExecQuery@Provider@@MAAJPAVMethodContext@@AAVCFrameworkQuery@@J@Z +?ExecQueryAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?ExecuteQuery@Provider@@AAAJPAVMethodContext@@AAVCFrameworkQuery@@J@Z +?FillInstance@CWbemProviderGlue@@SAJPAVCInstance@@PBG@Z +?FillInstance@CWbemProviderGlue@@SAJPAVMethodContext@@PAVCInstance@@@Z +?Find@CHString@@QBAHG@Z +?Find@CHString@@QBAHPBG@Z +?FindOneOf@CHString@@QBAHPBG@Z +?Flush@Provider@@MAAXXZ +?FlushAll@CWbemProviderGlue@@AAAXXZ +?Format@CHString@@QAAXIZZ +?Format@CHString@@QAAXPBGZZ +?FormatMessageW@CHString@@QAAXIZZ +?FormatMessageW@CHString@@QAAXPBGZZ +?FormatV@CHString@@QAAXPBGPAD@Z +?FrameworkLogin@CWbemProviderGlue@@SAXPBGPAVProvider@@0@Z +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPBG@Z +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPBGPAJ@Z +?FrameworkLogoff@CWbemProviderGlue@@SAXPBG0@Z +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPBG@Z +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPBGPAJ@Z +?Free@CObjectPathParser@@QAAXPAUParsedObjectPath@@@Z +?FreeExtra@CHPtrArray@@QAAXXZ +?FreeExtra@CHString@@QAAXXZ +?FreeExtra@CHStringArray@@QAAXXZ +?FreeSearchList@CRegistrySearch@@QAAHHAAVCHPtrArray@@@Z +?GetAllDerivedInstances@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@PAVMethodContext@@0@Z +?GetAllDerivedInstancesAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetAllInstances@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@0PAVMethodContext@@@Z +?GetAllInstancesAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetAllocLength@CHString@@QBAHXZ +?GetAt@CHPtrArray@@QBAPAXH@Z +?GetAt@CHString@@QBAGH@Z +?GetAt@CHStringArray@@QBA?AVCHString@@H@Z +?GetBSTR@WBEMTime@@QBAPAGXZ +?GetBSTR@WBEMTimeSpan@@QBAPAGXZ +?GetBuffer@CHString@@QAAPAGH@Z +?GetBufferSetLength@CHString@@QAAPAGH@Z +?GetByte@CInstance@@QBA_NPBGAAE@Z +?GetCHString@CInstance@@QBA_NPBGAAVCHString@@@Z +?GetCSDVersion@CWbemProviderGlue@@SAPBGXZ +?GetClassNameW@CRegistry@@QAAPAGXZ +?GetClassObjectInterface@CInstance@@QAAPAUIWbemClassObject@@XZ +?GetClassObjectInterface@Provider@@AAAPAUIWbemClassObject@@PAVMethodContext@@@Z +?GetComputerNameW@CWbemProviderGlue@@CAXAAVCHString@@@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGPAEPAK@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPBGPAEPAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHStringArray@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHStringArray@@@Z +?GetCurrentRawKeyValue@CRegistry@@AAAKPAUHKEY__@@PBGPAXPAK3@Z +?GetCurrentRawSubKeyValue@CRegistry@@AAAKPBGPAXPAK2@Z +?GetCurrentSubKeyCount@CRegistry@@QAAKXZ +?GetCurrentSubKeyName@CRegistry@@QAAKAAVCHString@@@Z +?GetCurrentSubKeyPath@CRegistry@@QAAKAAVCHString@@@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGAAK@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGPAXPAK@Z +?GetDMTF@WBEMTime@@QBAPAGH@Z +?GetDMTFNonNtfs@WBEMTime@@QBAPAGXZ +?GetDOUBLE@CInstance@@QBA_NPBGAAN@Z +?GetDWORD@CInstance@@QBA_NPBGAAK@Z +?GetData@CHPtrArray@@QAAPAPAXXZ +?GetData@CHPtrArray@@QBAPAPBXXZ +?GetData@CHString@@IBAPAUCHStringData@@XZ +?GetData@CHStringArray@@QAAPAVCHString@@XZ +?GetData@CHStringArray@@QBAPBVCHString@@XZ +?GetDateTime@CInstance@@QBA_NPBGAAVWBEMTime@@@Z +?GetEmbeddedObject@CInstance@@QBA_NPBGPAPAV1@PAVMethodContext@@@Z +?GetEmptyInstance@CWbemProviderGlue@@SAJPAVMethodContext@@PBGPAPAVCInstance@@1@Z +?GetEmptyInstance@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@0@Z +?GetFILETIME@WBEMTime@@QBAHPAU_FILETIME@@@Z +?GetFILETIME@WBEMTimeSpan@@QBAHPAU_FILETIME@@@Z +?GetIWBEMContext@MethodContext@@UAAPAUIWbemContext@@XZ +?GetInstanceByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@@Z +?GetInstanceFromCIMOM@CWbemProviderGlue@@CAJPBG0PAVMethodContext@@PAPAVCInstance@@@Z +?GetInstanceKeysByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@@Z +?GetInstancePropertiesByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@AAVCHStringArray@@@Z +?GetInstancesByQuery@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@PAVMethodContext@@0@Z +?GetInstancesByQueryAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetKeyString@ParsedObjectPath@@QAAPAGXZ +?GetLength@CHString@@QBAHXZ +?GetLocalComputerName@Provider@@IAAABVCHString@@XZ +?GetLocalInstancePath@Provider@@IAA_NPBVCInstance@@AAVCHString@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJABJ@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBU_FILETIME@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBU_SYSTEMTIME@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBUtm@@@Z +?GetLongestClassStringSize@CRegistry@@QAAKXZ +?GetLongestSubKeySize@CRegistry@@QAAKXZ +?GetLongestValueData@CRegistry@@QAAKXZ +?GetLongestValueName@CRegistry@@QAAKXZ +?GetMapCountPtr@CWbemProviderGlue@@KAPAJPBVCWbemGlueFactory@@@Z +?GetMethodContext@CInstance@@QBAPAVMethodContext@@XZ +?GetNamespace@CFrameworkQuery@@IAAABVCHString@@XZ +?GetNamespace@Provider@@IAAABVCHString@@XZ +?GetNamespaceConnection@CWbemProviderGlue@@SAPAUIWbemServices@@PBG@Z +?GetNamespaceConnection@CWbemProviderGlue@@SAPAUIWbemServices@@PBGPAVMethodContext@@@Z +?GetNamespacePart@ParsedObjectPath@@QAAPAGXZ +?GetOSMajorVersion@CWbemProviderGlue@@SAKXZ +?GetObject@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemClassObject@@PAPAUIWbemCallResult@@@Z +?GetObject@Provider@@AAAJPAUParsedObjectPath@@PAVMethodContext@@J@Z +?GetObject@Provider@@MAAJPAVCInstance@@J@Z +?GetObject@Provider@@MAAJPAVCInstance@@JAAVCFrameworkQuery@@@Z +?GetObjectAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?GetParentNamespacePart@ParsedObjectPath@@QAAPAGXZ +?GetPlatform@CWbemProviderGlue@@SAKXZ +?GetPropertyBitMask@CFrameworkQueryEx@@QAAXABVCHPtrArray@@PAX@Z +?GetProviderGlue@MethodContext@@AAAPAVCWbemProviderGlue@@XZ +?GetProviderName@Provider@@IAAABVCHString@@XZ +?GetQuery@CFrameworkQuery@@QAAABVCHString@@XZ +?GetQueryClassName@CFrameworkQuery@@QAAPAGXZ +?GetRelativePath@CObjectPathParser@@SAPAGPAG@Z +?GetRequiredProperties@CFrameworkQuery@@QAAXAAVCHStringArray@@@Z +?GetSYSTEMTIME@WBEMTime@@QBAHPAU_SYSTEMTIME@@@Z +?GetSize@CHPtrArray@@QBAHXZ +?GetSize@CHStringArray@@QBAHXZ +?GetStatus@CInstance@@QBA_NPBGAA_NAAG@Z +?GetStatusObject@CWbemProviderGlue@@CAPAUIWbemClassObject@@PAVMethodContext@@PBG@Z +?GetStatusObject@MethodContext@@QAAPAUIWbemClassObject@@XZ +?GetStringArray@CInstance@@QBA_NPBGAAPAUtagSAFEARRAY@@@Z +?GetStructtm@WBEMTime@@QBAHPAUtm@@@Z +?GetTime@WBEMTime@@QBA_KXZ +?GetTime@WBEMTimeSpan@@QBA_KXZ +?GetTimeSpan@CInstance@@QBA_NPBGAAVWBEMTimeSpan@@@Z +?GetUpperBound@CHPtrArray@@QBAHXZ +?GetUpperBound@CHStringArray@@QBAHXZ +?GetValueCount@CRegistry@@QAAKXZ +?GetValuesForProp@CFrameworkQuery@@QAAJPBGAAV?$vector@V_bstr_t@@V?$allocator@V_bstr_t@@@std@@@std@@@Z +?GetValuesForProp@CFrameworkQuery@@QAAJPBGAAVCHStringArray@@@Z +?GetValuesForProp@CFrameworkQueryEx@@QAAJPBGAAV?$vector@HV?$allocator@H@std@@@std@@@Z +?GetValuesForProp@CFrameworkQueryEx@@QAAJPBGAAV?$vector@V_variant_t@@V?$allocator@V_variant_t@@@std@@@std@@@Z +?GetVariant@CInstance@@QBA_NPBGAAUtagVARIANT@@@Z +?GetWBEMINT16@CInstance@@QBA_NPBGAAF@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAAVCHString@@@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAA_J@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAA_K@Z +?GetWCHAR@CInstance@@QBA_NPBGPAPAG@Z +?GetWORD@CInstance@@QBA_NPBGAAG@Z +?Getbool@CInstance@@QBA_NPBGAA_N@Z +?GethKey@CRegistry@@QAAPAUHKEY__@@XZ +?Gettime_t@WBEMTime@@QBAHPAJ@Z +?Gettime_t@WBEMTimeSpan@@QBAHPAJ@Z +?IncrementMapCount@CWbemProviderGlue@@KAJPAJ@Z +?IncrementMapCount@CWbemProviderGlue@@KAJPBVCWbemGlueFactory@@@Z +?IncrementObjectCount@CWbemProviderGlue@@SAXXZ +?Init2@CFrameworkQuery@@QAAXPAUIWbemClassObject@@@Z +?Init@CFrameworkQuery@@QAAJPAUParsedObjectPath@@PAUIWbemContext@@PBGAAVCHString@@@Z +?Init@CFrameworkQuery@@QAAJQAG0JAAVCHString@@@Z +?Init@CHString@@IAAXXZ +?Init@CWbemProviderGlue@@CAXXZ +?InitComputerName@Provider@@CAXXZ +?InitEx@CFrameworkQueryEx@@UAAJQAG0JAAVCHString@@@Z +?Initialize@CWbemProviderGlue@@UAAJPAGJ00PAUIWbemServices@@PAUIWbemContext@@PAUIWbemProviderInitSink@@@Z +?InsertAt@CHPtrArray@@QAAXHPAV1@@Z +?InsertAt@CHPtrArray@@QAAXHPAXH@Z +?InsertAt@CHStringArray@@QAAXHPAV1@@Z +?InsertAt@CHStringArray@@QAAXHPBGH@Z +?InternalGetNamespaceConnection@CWbemProviderGlue@@AAAPAUIWbemServices@@PBG@Z +?Is3TokenOR@CFrameworkQueryEx@@QAAHPBG0AAUtagVARIANT@@1@Z +?IsClass@ParsedObjectPath@@QAAHXZ +?IsDerivedFrom@CWbemProviderGlue@@SA_NPBG0PAVMethodContext@@0@Z +?IsEmpty@CHString@@QBAHXZ +?IsExtended@CFrameworkQueryEx@@UAA_NXZ +?IsInList@CFrameworkQuery@@IAAKABVCHStringArray@@PBG@Z +?IsInstance@ParsedObjectPath@@QAAHXZ +?IsLocal@ParsedObjectPath@@QAAHPBG@Z +?IsLoggingOn@ProviderLog@@QAA?AW4LogLevel@1@PAVCHString@@@Z +?IsNTokenAnd@CFrameworkQueryEx@@QAAHAAVCHStringArray@@AAVCHPtrArray@@@Z +?IsNull@CInstance@@QBA_NPBG@Z +?IsObject@ParsedObjectPath@@QAAHXZ +?IsOk@WBEMTime@@QBA_NXZ +?IsOk@WBEMTimeSpan@@QBA_NXZ +?IsPropertyRequired@CFrameworkQuery@@QAA_NPBG@Z +?IsReference@CFrameworkQuery@@IAAHPBG@Z +?IsRelative@ParsedObjectPath@@QAAHPBG0@Z +?KeysOnly@CFrameworkQuery@@QAA_NXZ +?Left@CHString@@QBA?AV1@H@Z +?LoadStringW@CHString@@IAAHIPAGI@Z +?LoadStringW@CHString@@QAAHI@Z +?LocalLogMessage@ProviderLog@@QAAXPBG0HW4LogLevel@1@@Z +?LocalLogMessage@ProviderLog@@QAAXPBGHW4LogLevel@1@0ZZ +?LocateKeyByNameOrValueName@CRegistrySearch@@QAAHPAUHKEY__@@PBG1PAPBGKAAVCHString@@3@Z +?Lock@CThreadBase@@AAAXXZ +?LockBuffer@CHString@@QAAPAGXZ +?LockFactoryMap@CWbemProviderGlue@@CAXXZ +?LockProviderMap@CWbemProviderGlue@@CAXXZ +?LockServer@CWbemGlueFactory@@UAAJH@Z +?LogError@CInstance@@IBAXPBG00J@Z +?MakeLocalPath@Provider@@IAA?AVCHString@@ABV2@@Z +?MakeLower@CHString@@QAAXXZ +?MakeReverse@CHString@@QAAXXZ +?MakeUpper@CHString@@QAAXXZ +?Mid@CHString@@QBA?AV1@H@Z +?Mid@CHString@@QBA?AV1@HH@Z +?MsgWndProc@CWinMsgEvent@@CAJPAUHWND__@@IIJ@Z +?NextSubKey@CRegistry@@QAAKXZ +?NextToken@CObjectPathParser@@AAAHXZ +?NormalizePath@@YAKPBG00KAAVCHString@@@Z +?NullOutUnsetProperties@CWbemProviderGlue@@AAAJPAUIWbemClassObject@@PAPAU2@ABUtagVARIANT@@@Z +?OnFinalRelease@CThreadBase@@MAAXXZ +?Open@CRegistry@@QAAJPAUHKEY__@@PBGK@Z +?OpenAndEnumerateSubKeys@CRegistry@@QAAJPAUHKEY__@@PBGK@Z +?OpenCurrentUser@CRegistry@@QAAKPBGK@Z +?OpenLocalMachineKeyAndReadValue@CRegistry@@QAAJPBG0AAVCHString@@@Z +?OpenNamespace@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemServices@@PAPAUIWbemCallResult@@@Z +?OpenSubKey@CRegistry@@AAAKXZ +?Parse@CObjectPathParser@@QAAHPBGPAPAUParsedObjectPath@@@Z +?PreProcessPutInstanceParms@CWbemProviderGlue@@AAAJPAUIWbemClassObject@@PAPAU2@PAUIWbemContext@@@Z +?PrepareToReOpen@CRegistry@@AAAXXZ +?PutClass@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?PutClassAsync@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?PutInstance@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?PutInstance@Provider@@AAAJPAUIWbemClassObject@@JPAVMethodContext@@@Z +?PutInstance@Provider@@MAAJABVCInstance@@J@Z +?PutInstanceAsync@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?QueryInterface@CWbemGlueFactory@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@CWbemProviderGlue@@UAAJABU_GUID@@PAPAX@Z +?QueryObjectSink@CWbemProviderGlue@@UAAJJPAPAUIWbemObjectSink@@@Z +?QueryPostProcess@MethodContext@@UAAXXZ +?RegisterForMessage@CWinMsgEvent@@IAAXIH@Z +?Release@CHString@@QAAXXZ +?Release@CHString@@SAXPAUCHStringData@@@Z +?Release@CInstance@@QAAJXZ +?Release@CThreadBase@@QAAJXZ +?Release@CWbemGlueFactory@@UAAKXZ +?Release@CWbemProviderGlue@@UAAKXZ +?Release@MethodContext@@QAAJXZ +?ReleaseBuffer@CHString@@QAAXH@Z +?RemoveAll@CHPtrArray@@QAAXXZ +?RemoveAll@CHStringArray@@QAAXXZ +?RemoveAt@CHPtrArray@@QAAXHH@Z +?RemoveAt@CHStringArray@@QAAXHH@Z +?RemoveFromFactoryMap@CWbemProviderGlue@@KAXPBVCWbemGlueFactory@@@Z +?Reset@CFrameworkQuery@@AAAXXZ +?ReverseFind@CHString@@QBAHG@Z +?RewindSubKeys@CRegistry@@QAAXXZ +?Right@CHString@@QBA?AV1@H@Z +?SafeStrlen@CHString@@KAHPBG@Z +?SearchAndBuildList@CRegistrySearch@@QAAHVCHString@@AAVCHPtrArray@@00HPAUHKEY__@@@Z +?SearchMapForProvider@CWbemProviderGlue@@CAPAVProvider@@PBG0@Z +?SetAt@CHPtrArray@@QAAXHPAX@Z +?SetAt@CHString@@QAAXHG@Z +?SetAt@CHStringArray@@QAAXHPBG@Z +?SetAtGrow@CHPtrArray@@QAAXHPAX@Z +?SetAtGrow@CHStringArray@@QAAXHPBG@Z +?SetByte@CInstance@@QAA_NPBGE@Z +?SetCHString@CInstance@@QAA_NPBG0@Z +?SetCHString@CInstance@@QAA_NPBGABVCHString@@@Z +?SetCHString@CInstance@@QAA_NPBGPBD@Z +?SetCHStringResourceHandle@@YAXPAUHINSTANCE__@@@Z +?SetCharSplat@CInstance@@QAA_NPBG0@Z +?SetCharSplat@CInstance@@QAA_NPBGK@Z +?SetCharSplat@CInstance@@QAA_NPBGPBD@Z +?SetClassName@ParsedObjectPath@@QAAHPBG@Z +?SetCreationClassName@Provider@@IAA_NPAVCInstance@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAK@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHStringArray@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAK@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHStringArray@@@Z +?SetCurrentKeyValueExpand@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?SetDMTF@WBEMTime@@QAAHQAG@Z +?SetDOUBLE@CInstance@@QAA_NPBGN@Z +?SetDWORD@CInstance@@QAA_NPBGK@Z +?SetDateTime@CInstance@@QAA_NPBGABVWBEMTime@@@Z +?SetDefaultValues@CRegistry@@AAAXXZ +?SetEmbeddedObject@CInstance@@QAA_NPBGAAV1@@Z +?SetKeyFromParsedObjectPath@Provider@@AAAHPAVCInstance@@PAUParsedObjectPath@@@Z +?SetNull@CInstance@@QAA_NPBG@Z +?SetPlatformID@CRegistry@@CAHXZ +?SetSize@CHPtrArray@@QAAXHH@Z +?SetSize@CHStringArray@@QAAXHH@Z +?SetStatusObject@CWbemProviderGlue@@SA_NPAVMethodContext@@PBG1JPBUtagSAFEARRAY@@2@Z +?SetStatusObject@MethodContext@@QAA_NPAUIWbemClassObject@@@Z +?SetStringArray@CInstance@@QAA_NPBGABUtagSAFEARRAY@@@Z +?SetTimeSpan@CInstance@@QAA_NPBGABVWBEMTimeSpan@@@Z +?SetVariant@CInstance@@QAA_NPBGABUtagVARIANT@@@Z +?SetWBEMINT16@CInstance@@QAA_NPBGABF@Z +?SetWBEMINT64@CInstance@@QAA_NPBGABVCHString@@@Z +?SetWBEMINT64@CInstance@@QAA_NPBG_J@Z +?SetWBEMINT64@CInstance@@QAA_NPBG_K@Z +?SetWCHARSplat@CInstance@@QAA_NPBG0@Z +?SetWORD@CInstance@@QAA_NPBGG@Z +?Setbool@CInstance@@QAA_NPBG_N@Z +?Signal@CAutoEvent@@QAAHXZ +?SpanExcluding@CHString@@QBA?AV1@PBG@Z +?SpanIncluding@CHString@@QBA?AV1@PBG@Z +?TrimLeft@CHString@@QAAXXZ +?TrimRight@CHString@@QAAXXZ +?UnInit@CWbemProviderGlue@@CAXXZ +?UnRegisterAllMessages@CWinMsgEvent@@IAAXXZ +?UnRegisterMessage@CWinMsgEvent@@IAA_NIH@Z +?Unlock@CThreadBase@@AAAXXZ +?UnlockBuffer@CHString@@QAAXXZ +?UnlockFactoryMap@CWbemProviderGlue@@CAXXZ +?UnlockProviderMap@CWbemProviderGlue@@CAXXZ +?Unparse@CObjectPathParser@@SAHPAUParsedObjectPath@@PAPAG@Z +?ValidateDeletionFlags@Provider@@MAAJJ@Z +?ValidateEnumerationFlags@Provider@@MAAJJ@Z +?ValidateFlags@Provider@@IAAJJW4FlagDefs@1@@Z +?ValidateGetObjFlags@Provider@@MAAJJ@Z +?ValidateIMOSPointer@Provider@@AAAHXZ +?ValidateMethodFlags@Provider@@MAAJJ@Z +?ValidatePutInstanceFlags@Provider@@MAAJJ@Z +?ValidateQueryFlags@Provider@@MAAJJ@Z +?Wait@CAutoEvent@@QAAKK@Z +?WindowsDispatch@CWinMsgEvent@@CAXXZ +?Zero@CObjectPathParser@@AAAXXZ +?begin_parse@CObjectPathParser@@AAAHXZ +?captainsLog@@3VProviderLog@@A DATA +?dwThreadProc@CWinMsgEvent@@CAKPAX@Z +?g_cs@@3VCCritSec@@A DATA +?ident_becomes_class@CObjectPathParser@@AAAHXZ +?ident_becomes_ns@CObjectPathParser@@AAAHXZ +?initFailed@Provider@@SAHXZ +?initFailed_@Provider@@0HA DATA +?key_const@CObjectPathParser@@AAAHXZ +?keyref@CObjectPathParser@@AAAHXZ +?keyref_list@CObjectPathParser@@AAAHXZ +?keyref_term@CObjectPathParser@@AAAHXZ +?m_FlushPtrs@CWbemProviderGlue@@0V?$set@PAXU?$less@PAX@std@@V?$allocator@PAX@2@@std@@A DATA +?m_csFlushPtrs@CWbemProviderGlue@@0VCCritSec@@A DATA +?m_csStatusObject@CWbemProviderGlue@@0VCCritSec@@A DATA +?m_pStatusObject@CWbemProviderGlue@@0PAUIWbemClassObject@@A DATA +?mg_aeCreateWindow@CWinMsgEvent@@0VCAutoEvent@@A DATA +?mg_csMapLock@CWinMsgEvent@@0VCCritSec@@A DATA +?mg_csWindowLock@CWinMsgEvent@@0VCCritSec@@A DATA +?mg_hDevNotify@CWinMsgEvent@@0PAXA DATA +?mg_hThreadPumpHandle@CWinMsgEvent@@0PAXA DATA +?mg_hWnd@CWinMsgEvent@@0PAUHWND__@@A DATA +?mg_oSinkMap@CWinMsgEvent@@0V?$multimap@IPAVCWinMsgEvent@@U?$less@I@std@@V?$allocator@PAVCWinMsgEvent@@@3@@std@@A DATA +?myRegCreateKeyEx@CRegistry@@AAAJPAUHKEY__@@PBGKPAGKKQAU_SECURITY_ATTRIBUTES@@PAPAU2@PAK@Z +?myRegDeleteKey@CRegistry@@AAAJPAUHKEY__@@PBG@Z +?myRegDeleteValue@CRegistry@@AAAJPAUHKEY__@@PBG@Z +?myRegEnumKey@CRegistry@@AAAJPAUHKEY__@@KPAGK@Z +?myRegEnumValue@CRegistry@@AAAJPAUHKEY__@@KPAGPAK22PAE2@Z +?myRegOpenKeyEx@CRegistry@@AAAJPAUHKEY__@@PBGKKPAPAU2@@Z +?myRegQueryInfoKey@CRegistry@@AAAJPAUHKEY__@@PAGPAK22222222PAU_FILETIME@@@Z +?myRegQueryValueEx@CRegistry@@AAAJPAUHKEY__@@PBGPAK2PAE2@Z +?myRegSetValueEx@CRegistry@@AAAJPAUHKEY__@@PBGKKPBEK@Z +?ns_list@CObjectPathParser@@AAAHXZ +?ns_list_rest@CObjectPathParser@@AAAHXZ +?ns_or_class@CObjectPathParser@@AAAHXZ +?ns_or_server@CObjectPathParser@@AAAHXZ +?objref@CObjectPathParser@@AAAHXZ +?objref_rest@CObjectPathParser@@AAAHXZ +?optional_objref@CObjectPathParser@@AAAHXZ +?propname@CObjectPathParser@@AAAHXZ +?s_bInitted@CWbemProviderGlue@@0HA DATA +?s_csFactoryMap@CWbemProviderGlue@@0VCCritSec@@A DATA +?s_csProviderMap@CWbemProviderGlue@@0VCCritSec@@A DATA +?s_dwMajorVersion@CWbemProviderGlue@@0KA DATA +?s_dwPlatform@CRegistry@@0KA DATA +?s_dwPlatform@CWbemProviderGlue@@0KA DATA +?s_fPlatformSet@CRegistry@@0HA DATA +?s_factorymap@CWbemProviderGlue@@0V?$map@PBXPAJU?$less@PBX@std@@V?$allocator@PAJ@2@@std@@A DATA +?s_lObjects@CWbemProviderGlue@@0JA DATA +?s_providersmap@CWbemProviderGlue@@0V?$map@VCHString@@PAXU?$less@VCHString@@@std@@V?$allocator@PAX@3@@std@@A DATA +?s_strComputerName@Provider@@0VCHString@@A DATA +?s_wstrCSDVersion@CWbemProviderGlue@@0PAGA DATA +DoCmd diff --git a/lib/libc/mingw/libarm32/framedynos.def b/lib/libc/mingw/libarm32/framedynos.def new file mode 100644 index 0000000000..be1b12b2a9 --- /dev/null +++ b/lib/libc/mingw/libarm32/framedynos.def @@ -0,0 +1,616 @@ +; +; Definition file of framedynos.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "framedynos.dll" +EXPORTS +??0CAutoEvent@@QAA@XZ +??0CFrameworkQuery@@QAA@ABV0@@Z +??0CFrameworkQuery@@QAA@XZ +??0CFrameworkQueryEx@@QAA@ABV0@@Z +??0CFrameworkQueryEx@@QAA@XZ +??0CHPtrArray@@QAA@XZ +??0CHString@@QAA@ABV0@@Z +??0CHString@@QAA@GH@Z +??0CHString@@QAA@PBD@Z +??0CHString@@QAA@PBE@Z +??0CHString@@QAA@PBG@Z +??0CHString@@QAA@PBGH@Z +??0CHString@@QAA@XZ +??0CHStringArray@@QAA@XZ +??0CInstance@@QAA@ABV0@@Z +??0CInstance@@QAA@PAUIWbemClassObject@@PAVMethodContext@@@Z +??0CObjectPathParser@@QAA@W4ObjectParserFlags@@@Z +??0CRegistry@@QAA@ABV0@@Z +??0CRegistry@@QAA@XZ +??0CRegistrySearch@@QAA@ABV0@@Z +??0CRegistrySearch@@QAA@XZ +??0CThreadBase@@QAA@ABV0@@Z +??0CThreadBase@@QAA@W4THREAD_SAFETY_MECHANISM@0@@Z +??0CWbemGlueFactory@@QAA@ABV0@@Z +??0CWbemGlueFactory@@QAA@PAJ@Z +??0CWbemGlueFactory@@QAA@XZ +??0CWbemProviderGlue@@QAA@ABV0@@Z +??0CWbemProviderGlue@@QAA@PAJ@Z +??0CWbemProviderGlue@@QAA@XZ +??0CWinMsgEvent@@QAA@ABV0@@Z +??0CWinMsgEvent@@QAA@XZ +??0CreateMutexAsProcess@@QAA@PBG@Z +??0KeyRef@@QAA@PBGPBUtagVARIANT@@@Z +??0KeyRef@@QAA@XZ +??0MethodContext@@QAA@ABV0@@Z +??0MethodContext@@QAA@PAUIWbemContext@@PAVCWbemProviderGlue@@@Z +??0ParsedObjectPath@@QAA@XZ +??0Provider@@QAA@ABV0@@Z +??0Provider@@QAA@PBG0@Z +??0ProviderLog@@QAA@ABV0@@Z +??0ProviderLog@@QAA@XZ +??0WBEMTime@@QAA@ABJ@Z +??0WBEMTime@@QAA@ABU_FILETIME@@@Z +??0WBEMTime@@QAA@ABU_SYSTEMTIME@@@Z +??0WBEMTime@@QAA@ABUtm@@@Z +??0WBEMTime@@QAA@QAG@Z +??0WBEMTime@@QAA@XZ +??0WBEMTimeSpan@@QAA@ABJ@Z +??0WBEMTimeSpan@@QAA@ABU_FILETIME@@@Z +??0WBEMTimeSpan@@QAA@HHHHHHH@Z +??0WBEMTimeSpan@@QAA@QAG@Z +??0WBEMTimeSpan@@QAA@XZ +??1CAutoEvent@@QAA@XZ +??1CFrameworkQuery@@QAA@XZ +??1CFrameworkQueryEx@@QAA@XZ +??1CHPtrArray@@QAA@XZ +??1CHString@@QAA@XZ +??1CHStringArray@@QAA@XZ +??1CInstance@@UAA@XZ +??1CObjectPathParser@@QAA@XZ +??1CRegistry@@QAA@XZ +??1CRegistrySearch@@QAA@XZ +??1CThreadBase@@UAA@XZ +??1CWbemGlueFactory@@QAA@XZ +??1CWbemProviderGlue@@QAA@XZ +??1CWinMsgEvent@@QAA@XZ +??1CreateMutexAsProcess@@QAA@XZ +??1KeyRef@@QAA@XZ +??1MethodContext@@UAA@XZ +??1ParsedObjectPath@@QAA@XZ +??1Provider@@UAA@XZ +??1ProviderLog@@UAA@XZ +??4CAutoEvent@@QAAAAV0@ABV0@@Z +??4CFrameworkQuery@@QAAAAV0@ABV0@@Z +??4CFrameworkQueryEx@@QAAAAV0@ABV0@@Z +??4CHPtrArray@@QAAAAV0@ABV0@@Z +??4CHString@@QAAABV0@ABV0@@Z +??4CHString@@QAAABV0@D@Z +??4CHString@@QAAABV0@G@Z +??4CHString@@QAAABV0@PAV0@@Z +??4CHString@@QAAABV0@PBD@Z +??4CHString@@QAAABV0@PBE@Z +??4CHString@@QAAABV0@PBG@Z +??4CHStringArray@@QAAAAV0@ABV0@@Z +??4CInstance@@QAAAAV0@ABV0@@Z +??4CObjectPathParser@@QAAAAV0@ABV0@@Z +??4CRegistry@@QAAAAV0@ABV0@@Z +??4CRegistrySearch@@QAAAAV0@ABV0@@Z +??4CThreadBase@@QAAAAV0@ABV0@@Z +??4CWbemGlueFactory@@QAAAAV0@ABV0@@Z +??4CWbemProviderGlue@@QAAAAV0@ABV0@@Z +??4CWinMsgEvent@@QAAAAV0@ABV0@@Z +??4CreateMutexAsProcess@@QAAAAV0@ABV0@@Z +??4KeyRef@@QAAAAU0@ABU0@@Z +??4MethodContext@@QAAAAV0@ABV0@@Z +??4ParsedObjectPath@@QAAAAU0@ABU0@@Z +??4Provider@@QAAAAV0@ABV0@@Z +??4ProviderLog@@QAAAAV0@ABV0@@Z +??4WBEMTime@@QAAAAV0@ABV0@@Z +??4WBEMTime@@QAAABV0@ABJ@Z +??4WBEMTime@@QAAABV0@ABU_FILETIME@@@Z +??4WBEMTime@@QAAABV0@ABU_SYSTEMTIME@@@Z +??4WBEMTime@@QAAABV0@ABUtm@@@Z +??4WBEMTime@@QAAABV0@QAG@Z +??4WBEMTimeSpan@@QAAAAV0@ABV0@@Z +??4WBEMTimeSpan@@QAAABV0@ABJ@Z +??4WBEMTimeSpan@@QAAABV0@ABU_FILETIME@@@Z +??4WBEMTimeSpan@@QAAABV0@QAG@Z +??8WBEMTime@@QBAHABV0@@Z +??8WBEMTimeSpan@@QBAHABV0@@Z +??9WBEMTime@@QBAHABV0@@Z +??9WBEMTimeSpan@@QBAHABV0@@Z +??ACHPtrArray@@QAAAAPAXH@Z +??ACHPtrArray@@QBAPAXH@Z +??ACHString@@QBAGH@Z +??ACHStringArray@@QAAAAVCHString@@H@Z +??ACHStringArray@@QBA?AVCHString@@H@Z +??BCHString@@QBAPBGXZ +??GWBEMTime@@QAA?AVWBEMTimeSpan@@ABV0@@Z +??GWBEMTime@@QBA?AV0@ABVWBEMTimeSpan@@@Z +??GWBEMTimeSpan@@QBA?AV0@ABV0@@Z +??H@YA?AVCHString@@ABV0@0@Z +??H@YA?AVCHString@@ABV0@G@Z +??H@YA?AVCHString@@ABV0@PBG@Z +??H@YA?AVCHString@@GABV0@@Z +??H@YA?AVCHString@@PBGABV0@@Z +??HWBEMTime@@QBA?AV0@ABVWBEMTimeSpan@@@Z +??HWBEMTimeSpan@@QBA?AV0@ABV0@@Z +??MWBEMTime@@QBAHABV0@@Z +??MWBEMTimeSpan@@QBAHABV0@@Z +??NWBEMTime@@QBAHABV0@@Z +??NWBEMTimeSpan@@QBAHABV0@@Z +??OWBEMTime@@QBAHABV0@@Z +??OWBEMTimeSpan@@QBAHABV0@@Z +??PWBEMTime@@QBAHABV0@@Z +??PWBEMTimeSpan@@QBAHABV0@@Z +??YCHString@@QAAABV0@ABV0@@Z +??YCHString@@QAAABV0@D@Z +??YCHString@@QAAABV0@G@Z +??YCHString@@QAAABV0@PBG@Z +??YWBEMTime@@QAAABV0@ABVWBEMTimeSpan@@@Z +??YWBEMTimeSpan@@QAAABV0@ABV0@@Z +??ZWBEMTime@@QAAABV0@ABVWBEMTimeSpan@@@Z +??ZWBEMTimeSpan@@QAAABV0@ABV0@@Z +??_7CFrameworkQueryEx@@6B@ DATA +??_7CInstance@@6B@ DATA +??_7CThreadBase@@6B@ DATA +??_7CWbemGlueFactory@@6B@ DATA +??_7CWbemProviderGlue@@6BIWbemProviderInit@@@ DATA +??_7CWbemProviderGlue@@6BIWbemServices@@@ DATA +??_7CWinMsgEvent@@6B@ DATA +??_7MethodContext@@6B@ DATA +??_7Provider@@6B@ DATA +??_7ProviderLog@@6B@ DATA +??_FCObjectPathParser@@QAAXXZ +??_FCThreadBase@@QAAXXZ +?Add@CHPtrArray@@QAAHPAX@Z +?Add@CHStringArray@@QAAHPBG@Z +?AddFlushPtr@CWbemProviderGlue@@AAAXPAX@Z +?AddKeyRef@ParsedObjectPath@@QAAHPAUKeyRef@@@Z +?AddKeyRef@ParsedObjectPath@@QAAHPBGPBUtagVARIANT@@@Z +?AddKeyRefEx@ParsedObjectPath@@QAAHPBGPBUtagVARIANT@@@Z +?AddNamespace@ParsedObjectPath@@QAAHPBG@Z +?AddProviderToMap@CWbemProviderGlue@@CAPAVProvider@@PBG0PAV2@@Z +?AddRef@CInstance@@QAAJXZ +?AddRef@CThreadBase@@QAAJXZ +?AddRef@CWbemGlueFactory@@UAAKXZ +?AddRef@CWbemProviderGlue@@UAAKXZ +?AddRef@MethodContext@@QAAJXZ +?AddToFactoryMap@CWbemProviderGlue@@KAXPBVCWbemGlueFactory@@PAJ@Z +?AllPropertiesAreRequired@CFrameworkQuery@@QAA_NXZ +?AllocBeforeWrite@CHString@@IAAXH@Z +?AllocBuffer@CHString@@IAAXH@Z +?AllocCopy@CHString@@IBAXAAV1@HHH@Z +?AllocSysString@CHString@@QBAPAGXZ +?Append@CHPtrArray@@QAAHABV1@@Z +?Append@CHStringArray@@QAAHABV1@@Z +?AssignCopy@CHString@@IAAXHPBG@Z +?BeginRead@CThreadBase@@QAAHK@Z +?BeginWrite@CThreadBase@@QAAHK@Z +?CancelAsyncCall@CWbemProviderGlue@@UAAJPAUIWbemObjectSink@@@Z +?CancelAsyncRequest@CWbemProviderGlue@@UAAJJ@Z +?CheckAndAddToList@CRegistrySearch@@AAAXPAVCRegistry@@VCHString@@1AAVCHPtrArray@@11H@Z +?CheckFileSize@ProviderLog@@AAAXAAT_LARGE_INTEGER@@ABVCHString@@@Z +?CheckImpersonationLevel@CWbemProviderGlue@@CAJXZ +?Clear@WBEMTime@@QAAXXZ +?Clear@WBEMTimeSpan@@QAAXXZ +?ClearKeys@ParsedObjectPath@@QAAXXZ +?Close@CRegistry@@QAAXXZ +?CloseSubKey@CRegistry@@AAAXXZ +?Collate@CHString@@QBAHPBG@Z +?Commit@CInstance@@QAAJXZ +?Commit@Provider@@IAAJPAVCInstance@@_N@Z +?Compare@CHString@@QBAHPBG@Z +?CompareNoCase@CHString@@QBAHPBG@Z +?ConcatCopy@CHString@@IAAXHPBGH0@Z +?ConcatInPlace@CHString@@IAAXHPBG@Z +?Copy@CHPtrArray@@QAAXABV1@@Z +?Copy@CHStringArray@@QAAXABV1@@Z +?CopyBeforeWrite@CHString@@IAAXXZ +?Create@CWbemGlueFactory@@SAPAV1@PAJ@Z +?Create@CWbemGlueFactory@@SAPAV1@XZ +?CreateClassEnum@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?CreateClassEnumAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?CreateInstance@CWbemGlueFactory@@UAAJPAUIUnknown@@ABU_GUID@@PAPAX@Z +?CreateInstanceEnum@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?CreateInstanceEnum@Provider@@AAAJPAVMethodContext@@J@Z +?CreateInstanceEnumAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?CreateMsgProvider@CWinMsgEvent@@CAXXZ +?CreateMsgWindow@CWinMsgEvent@@CAPAUHWND__@@XZ +?CreateNewInstance@Provider@@IAAPAVCInstance@@PAVMethodContext@@@Z +?CreateOpen@CRegistry@@QAAJPAUHKEY__@@PBGPAGKKPAU_SECURITY_ATTRIBUTES@@PAK@Z +?CtrlHandlerRoutine@CWinMsgEvent@@CAHK@Z +?DecrementMapCount@CWbemProviderGlue@@KAJPAJ@Z +?DecrementMapCount@CWbemProviderGlue@@KAJPBVCWbemGlueFactory@@@Z +?DecrementObjectCount@CWbemProviderGlue@@SAJXZ +?DeleteClass@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?DeleteClassAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?DeleteCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBG@Z +?DeleteCurrentKeyValue@CRegistry@@QAAKPBG@Z +?DeleteInstance@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?DeleteInstance@Provider@@AAAJPAUParsedObjectPath@@JPAVMethodContext@@@Z +?DeleteInstance@Provider@@MAAJABVCInstance@@J@Z +?DeleteInstanceAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?DeleteKey@CRegistry@@QAAJPAVCHString@@@Z +?DeleteValue@CRegistry@@QAAJPBG@Z +?Destroy@CWbemGlueFactory@@QAAXXZ +?DestroyMsgWindow@CWinMsgEvent@@CAXXZ +?ElementAt@CHPtrArray@@QAAAAPAXH@Z +?ElementAt@CHStringArray@@QAAAAVCHString@@H@Z +?Empty@CHString@@QAAXXZ +?Empty@CObjectPathParser@@AAAXXZ +?EndRead@CThreadBase@@QAAXXZ +?EndWrite@CThreadBase@@QAAXXZ +?EnumerateAndGetValues@CRegistry@@QAAJAAKAAPAGAAPAE@Z +?EnumerateInstances@Provider@@MAAJPAVMethodContext@@J@Z +?ExecMethod@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemClassObject@@PAPAU3@PAPAUIWbemCallResult@@@Z +?ExecMethod@Provider@@AAAJPAUParsedObjectPath@@PAGJPAVCInstance@@2PAVMethodContext@@@Z +?ExecMethod@Provider@@MAAJABVCInstance@@QAGPAV2@2J@Z +?ExecMethodAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemClassObject@@PAUIWbemObjectSink@@@Z +?ExecNotificationQuery@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?ExecNotificationQueryAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?ExecQuery@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAPAUIEnumWbemClassObject@@@Z +?ExecQuery@Provider@@MAAJPAVMethodContext@@AAVCFrameworkQuery@@J@Z +?ExecQueryAsync@CWbemProviderGlue@@UAAJQAG0JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?ExecuteQuery@Provider@@AAAJPAVMethodContext@@AAVCFrameworkQuery@@J@Z +?FillInstance@CWbemProviderGlue@@SAJPAVCInstance@@PBG@Z +?FillInstance@CWbemProviderGlue@@SAJPAVMethodContext@@PAVCInstance@@@Z +?Find@CHString@@QBAHG@Z +?Find@CHString@@QBAHPBG@Z +?FindOneOf@CHString@@QBAHPBG@Z +?Flush@Provider@@MAAXXZ +?FlushAll@CWbemProviderGlue@@AAAXXZ +?Format@CHString@@QAAXIZZ +?Format@CHString@@QAAXPBGZZ +?FormatMessageW@CHString@@QAAXIZZ +?FormatMessageW@CHString@@QAAXPBGZZ +?FormatV@CHString@@QAAXPBGPAD@Z +?FrameworkLogin@CWbemProviderGlue@@SAXPBGPAVProvider@@0@Z +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPBG@Z +?FrameworkLoginDLL@CWbemProviderGlue@@SAHPBGPAJ@Z +?FrameworkLogoff@CWbemProviderGlue@@SAXPBG0@Z +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPBG@Z +?FrameworkLogoffDLL@CWbemProviderGlue@@SAHPBGPAJ@Z +?Free@CObjectPathParser@@QAAXPAUParsedObjectPath@@@Z +?FreeExtra@CHPtrArray@@QAAXXZ +?FreeExtra@CHString@@QAAXXZ +?FreeExtra@CHStringArray@@QAAXXZ +?FreeSearchList@CRegistrySearch@@QAAHHAAVCHPtrArray@@@Z +?GetAllDerivedInstances@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@PAVMethodContext@@0@Z +?GetAllDerivedInstancesAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetAllInstances@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@0PAVMethodContext@@@Z +?GetAllInstancesAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetAllocLength@CHString@@QBAHXZ +?GetAt@CHPtrArray@@QBAPAXH@Z +?GetAt@CHString@@QBAGH@Z +?GetAt@CHStringArray@@QBA?AVCHString@@H@Z +?GetBSTR@WBEMTime@@QBAPAGXZ +?GetBSTR@WBEMTimeSpan@@QBAPAGXZ +?GetBuffer@CHString@@QAAPAGH@Z +?GetBufferSetLength@CHString@@QAAPAGH@Z +?GetByte@CInstance@@QBA_NPBGAAE@Z +?GetCHString@CInstance@@QBA_NPBGAAVCHString@@@Z +?GetCSDVersion@CWbemProviderGlue@@SAPBGXZ +?GetClassNameW@CRegistry@@QAAPAGXZ +?GetClassObjectInterface@CInstance@@QAAPAUIWbemClassObject@@XZ +?GetClassObjectInterface@Provider@@AAAPAUIWbemClassObject@@PAVMethodContext@@@Z +?GetComputerNameW@CWbemProviderGlue@@CAXAAVCHString@@@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGPAEPAK@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentBinaryKeyValue@CRegistry@@QAAKPBGPAEPAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHStringArray@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAK@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHStringArray@@@Z +?GetCurrentRawKeyValue@CRegistry@@AAAKPAUHKEY__@@PBGPAXPAK3@Z +?GetCurrentRawSubKeyValue@CRegistry@@AAAKPBGPAXPAK2@Z +?GetCurrentSubKeyCount@CRegistry@@QAAKXZ +?GetCurrentSubKeyName@CRegistry@@QAAKAAVCHString@@@Z +?GetCurrentSubKeyPath@CRegistry@@QAAKAAVCHString@@@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGAAK@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?GetCurrentSubKeyValue@CRegistry@@QAAKPBGPAXPAK@Z +?GetDMTF@WBEMTime@@QBAPAGH@Z +?GetDMTFNonNtfs@WBEMTime@@QBAPAGXZ +?GetDOUBLE@CInstance@@QBA_NPBGAAN@Z +?GetDWORD@CInstance@@QBA_NPBGAAK@Z +?GetData@CHPtrArray@@QAAPAPAXXZ +?GetData@CHPtrArray@@QBAPAPBXXZ +?GetData@CHString@@IBAPAUCHStringData@@XZ +?GetData@CHStringArray@@QAAPAVCHString@@XZ +?GetData@CHStringArray@@QBAPBVCHString@@XZ +?GetDateTime@CInstance@@QBA_NPBGAAVWBEMTime@@@Z +?GetEmbeddedObject@CInstance@@QBA_NPBGPAPAV1@PAVMethodContext@@@Z +?GetEmptyInstance@CWbemProviderGlue@@SAJPAVMethodContext@@PBGPAPAVCInstance@@1@Z +?GetEmptyInstance@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@0@Z +?GetFILETIME@WBEMTime@@QBAHPAU_FILETIME@@@Z +?GetFILETIME@WBEMTimeSpan@@QBAHPAU_FILETIME@@@Z +?GetIWBEMContext@MethodContext@@UAAPAUIWbemContext@@XZ +?GetInstanceByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@@Z +?GetInstanceFromCIMOM@CWbemProviderGlue@@CAJPBG0PAVMethodContext@@PAPAVCInstance@@@Z +?GetInstanceKeysByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@@Z +?GetInstancePropertiesByPath@CWbemProviderGlue@@SAJPBGPAPAVCInstance@@PAVMethodContext@@AAVCHStringArray@@@Z +?GetInstancesByQuery@CWbemProviderGlue@@SAJPBGPAV?$TRefPointerCollection@VCInstance@@@@PAVMethodContext@@0@Z +?GetInstancesByQueryAsynch@CWbemProviderGlue@@SAJPBGPAVProvider@@P6AJ1PAVCInstance@@PAVMethodContext@@PAX@Z034@Z +?GetKeyString@ParsedObjectPath@@QAAPAGXZ +?GetLength@CHString@@QBAHXZ +?GetLocalComputerName@Provider@@IAAABVCHString@@XZ +?GetLocalInstancePath@Provider@@IAA_NPBVCInstance@@AAVCHString@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJABJ@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBU_FILETIME@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBU_SYSTEMTIME@@@Z +?GetLocalOffsetForDate@WBEMTime@@SAJPBUtm@@@Z +?GetLongestClassStringSize@CRegistry@@QAAKXZ +?GetLongestSubKeySize@CRegistry@@QAAKXZ +?GetLongestValueData@CRegistry@@QAAKXZ +?GetLongestValueName@CRegistry@@QAAKXZ +?GetMapCountPtr@CWbemProviderGlue@@KAPAJPBVCWbemGlueFactory@@@Z +?GetMethodContext@CInstance@@QBAPAVMethodContext@@XZ +?GetNamespace@CFrameworkQuery@@IAAABVCHString@@XZ +?GetNamespace@Provider@@IAAABVCHString@@XZ +?GetNamespaceConnection@CWbemProviderGlue@@SAPAUIWbemServices@@PBG@Z +?GetNamespaceConnection@CWbemProviderGlue@@SAPAUIWbemServices@@PBGPAVMethodContext@@@Z +?GetNamespacePart@ParsedObjectPath@@QAAPAGXZ +?GetOSMajorVersion@CWbemProviderGlue@@SAKXZ +?GetObject@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemClassObject@@PAPAUIWbemCallResult@@@Z +?GetObject@Provider@@AAAJPAUParsedObjectPath@@PAVMethodContext@@J@Z +?GetObject@Provider@@MAAJPAVCInstance@@J@Z +?GetObject@Provider@@MAAJPAVCInstance@@JAAVCFrameworkQuery@@@Z +?GetObjectAsync@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?GetParentNamespacePart@ParsedObjectPath@@QAAPAGXZ +?GetPlatform@CWbemProviderGlue@@SAKXZ +?GetPropertyBitMask@CFrameworkQueryEx@@QAAXABVCHPtrArray@@PAX@Z +?GetProviderGlue@MethodContext@@AAAPAVCWbemProviderGlue@@XZ +?GetProviderName@Provider@@IAAABVCHString@@XZ +?GetQuery@CFrameworkQuery@@QAAABVCHString@@XZ +?GetQueryClassName@CFrameworkQuery@@QAAPAGXZ +?GetRelativePath@CObjectPathParser@@SAPAGPAG@Z +?GetRequiredProperties@CFrameworkQuery@@QAAXAAVCHStringArray@@@Z +?GetSYSTEMTIME@WBEMTime@@QBAHPAU_SYSTEMTIME@@@Z +?GetSize@CHPtrArray@@QBAHXZ +?GetSize@CHStringArray@@QBAHXZ +?GetStatus@CInstance@@QBA_NPBGAA_NAAG@Z +?GetStatusObject@CWbemProviderGlue@@CAPAUIWbemClassObject@@PAVMethodContext@@PBG@Z +?GetStatusObject@MethodContext@@QAAPAUIWbemClassObject@@XZ +?GetStringArray@CInstance@@QBA_NPBGAAPAUtagSAFEARRAY@@@Z +?GetStructtm@WBEMTime@@QBAHPAUtm@@@Z +?GetTime@WBEMTime@@QBA_KXZ +?GetTime@WBEMTimeSpan@@QBA_KXZ +?GetTimeSpan@CInstance@@QBA_NPBGAAVWBEMTimeSpan@@@Z +?GetUpperBound@CHPtrArray@@QBAHXZ +?GetUpperBound@CHStringArray@@QBAHXZ +?GetValueCount@CRegistry@@QAAKXZ +?GetValuesForProp@CFrameworkQuery@@QAAJPBGAAV?$vector@V_bstr_t@@V?$allocator@V_bstr_t@@@std@@@std@@@Z +?GetValuesForProp@CFrameworkQuery@@QAAJPBGAAVCHStringArray@@@Z +?GetValuesForProp@CFrameworkQueryEx@@QAAJPBGAAV?$vector@HV?$allocator@H@std@@@std@@@Z +?GetValuesForProp@CFrameworkQueryEx@@QAAJPBGAAV?$vector@V_variant_t@@V?$allocator@V_variant_t@@@std@@@std@@@Z +?GetVariant@CInstance@@QBA_NPBGAAUtagVARIANT@@@Z +?GetWBEMINT16@CInstance@@QBA_NPBGAAF@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAAVCHString@@@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAA_J@Z +?GetWBEMINT64@CInstance@@QBA_NPBGAA_K@Z +?GetWCHAR@CInstance@@QBA_NPBGPAPAG@Z +?GetWORD@CInstance@@QBA_NPBGAAG@Z +?Getbool@CInstance@@QBA_NPBGAA_N@Z +?GethKey@CRegistry@@QAAPAUHKEY__@@XZ +?Gettime_t@WBEMTime@@QBAHPAJ@Z +?Gettime_t@WBEMTimeSpan@@QBAHPAJ@Z +?IncrementMapCount@CWbemProviderGlue@@KAJPAJ@Z +?IncrementMapCount@CWbemProviderGlue@@KAJPBVCWbemGlueFactory@@@Z +?IncrementObjectCount@CWbemProviderGlue@@SAXXZ +?Init2@CFrameworkQuery@@QAAXPAUIWbemClassObject@@@Z +?Init@CFrameworkQuery@@QAAJPAUParsedObjectPath@@PAUIWbemContext@@PBGAAVCHString@@@Z +?Init@CFrameworkQuery@@QAAJQAG0JAAVCHString@@@Z +?Init@CHString@@IAAXXZ +?Init@CWbemProviderGlue@@CAXXZ +?InitComputerName@Provider@@CAXXZ +?InitEx@CFrameworkQueryEx@@UAAJQAG0JAAVCHString@@@Z +?Initialize@CWbemProviderGlue@@UAAJPAGJ00PAUIWbemServices@@PAUIWbemContext@@PAUIWbemProviderInitSink@@@Z +?InsertAt@CHPtrArray@@QAAXHPAV1@@Z +?InsertAt@CHPtrArray@@QAAXHPAXH@Z +?InsertAt@CHStringArray@@QAAXHPAV1@@Z +?InsertAt@CHStringArray@@QAAXHPBGH@Z +?InternalGetNamespaceConnection@CWbemProviderGlue@@AAAPAUIWbemServices@@PBG@Z +?Is3TokenOR@CFrameworkQueryEx@@QAAHPBG0AAUtagVARIANT@@1@Z +?IsClass@ParsedObjectPath@@QAAHXZ +?IsDerivedFrom@CWbemProviderGlue@@SA_NPBG0PAVMethodContext@@0@Z +?IsEmpty@CHString@@QBAHXZ +?IsExtended@CFrameworkQueryEx@@UAA_NXZ +?IsInList@CFrameworkQuery@@IAAKABVCHStringArray@@PBG@Z +?IsInstance@ParsedObjectPath@@QAAHXZ +?IsLocal@ParsedObjectPath@@QAAHPBG@Z +?IsLoggingOn@ProviderLog@@QAA?AW4LogLevel@1@PAVCHString@@@Z +?IsNTokenAnd@CFrameworkQueryEx@@QAAHAAVCHStringArray@@AAVCHPtrArray@@@Z +?IsNull@CInstance@@QBA_NPBG@Z +?IsObject@ParsedObjectPath@@QAAHXZ +?IsOk@WBEMTime@@QBA_NXZ +?IsOk@WBEMTimeSpan@@QBA_NXZ +?IsPropertyRequired@CFrameworkQuery@@QAA_NPBG@Z +?IsReference@CFrameworkQuery@@IAAHPBG@Z +?IsRelative@ParsedObjectPath@@QAAHPBG0@Z +?KeysOnly@CFrameworkQuery@@QAA_NXZ +?Left@CHString@@QBA?AV1@H@Z +?LoadStringW@CHString@@IAAHIPAGI@Z +?LoadStringW@CHString@@QAAHI@Z +?LocalLogMessage@ProviderLog@@QAAXPBG0HW4LogLevel@1@@Z +?LocalLogMessage@ProviderLog@@QAAXPBGHW4LogLevel@1@0ZZ +?LocateKeyByNameOrValueName@CRegistrySearch@@QAAHPAUHKEY__@@PBG1PAPBGKAAVCHString@@3@Z +?Lock@CThreadBase@@AAAXXZ +?LockBuffer@CHString@@QAAPAGXZ +?LockFactoryMap@CWbemProviderGlue@@CAXXZ +?LockProviderMap@CWbemProviderGlue@@CAXXZ +?LockServer@CWbemGlueFactory@@UAAJH@Z +?LogError@CInstance@@IBAXPBG00J@Z +?MakeLocalPath@Provider@@IAA?AVCHString@@ABV2@@Z +?MakeLower@CHString@@QAAXXZ +?MakeReverse@CHString@@QAAXXZ +?MakeUpper@CHString@@QAAXXZ +?Mid@CHString@@QBA?AV1@H@Z +?Mid@CHString@@QBA?AV1@HH@Z +?MsgWndProc@CWinMsgEvent@@CAJPAUHWND__@@IIJ@Z +?NextSubKey@CRegistry@@QAAKXZ +?NextToken@CObjectPathParser@@AAAHXZ +?NormalizePath@@YAKPBG00KAAVCHString@@@Z +?NullOutUnsetProperties@CWbemProviderGlue@@AAAJPAUIWbemClassObject@@PAPAU2@ABUtagVARIANT@@@Z +?OnFinalRelease@CThreadBase@@MAAXXZ +?Open@CRegistry@@QAAJPAUHKEY__@@PBGK@Z +?OpenAndEnumerateSubKeys@CRegistry@@QAAJPAUHKEY__@@PBGK@Z +?OpenCurrentUser@CRegistry@@QAAKPBGK@Z +?OpenLocalMachineKeyAndReadValue@CRegistry@@QAAJPBG0AAVCHString@@@Z +?OpenNamespace@CWbemProviderGlue@@UAAJQAGJPAUIWbemContext@@PAPAUIWbemServices@@PAPAUIWbemCallResult@@@Z +?OpenSubKey@CRegistry@@AAAKXZ +?Parse@CObjectPathParser@@QAAHPBGPAPAUParsedObjectPath@@@Z +?PreProcessPutInstanceParms@CWbemProviderGlue@@AAAJPAUIWbemClassObject@@PAPAU2@PAUIWbemContext@@@Z +?PrepareToReOpen@CRegistry@@AAAXXZ +?PutClass@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?PutClassAsync@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?PutInstance@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAPAUIWbemCallResult@@@Z +?PutInstance@Provider@@AAAJPAUIWbemClassObject@@JPAVMethodContext@@@Z +?PutInstance@Provider@@MAAJABVCInstance@@J@Z +?PutInstanceAsync@CWbemProviderGlue@@UAAJPAUIWbemClassObject@@JPAUIWbemContext@@PAUIWbemObjectSink@@@Z +?QueryInterface@CWbemGlueFactory@@UAAJABU_GUID@@PAPAX@Z +?QueryInterface@CWbemProviderGlue@@UAAJABU_GUID@@PAPAX@Z +?QueryObjectSink@CWbemProviderGlue@@UAAJJPAPAUIWbemObjectSink@@@Z +?QueryPostProcess@MethodContext@@UAAXXZ +?RegisterForMessage@CWinMsgEvent@@IAAXIH@Z +?Release@CHString@@QAAXXZ +?Release@CHString@@SAXPAUCHStringData@@@Z +?Release@CInstance@@QAAJXZ +?Release@CThreadBase@@QAAJXZ +?Release@CWbemGlueFactory@@UAAKXZ +?Release@CWbemProviderGlue@@UAAKXZ +?Release@MethodContext@@QAAJXZ +?ReleaseBuffer@CHString@@QAAXH@Z +?RemoveAll@CHPtrArray@@QAAXXZ +?RemoveAll@CHStringArray@@QAAXXZ +?RemoveAt@CHPtrArray@@QAAXHH@Z +?RemoveAt@CHStringArray@@QAAXHH@Z +?RemoveFromFactoryMap@CWbemProviderGlue@@KAXPBVCWbemGlueFactory@@@Z +?Reset@CFrameworkQuery@@AAAXXZ +?ReverseFind@CHString@@QBAHG@Z +?RewindSubKeys@CRegistry@@QAAXXZ +?Right@CHString@@QBA?AV1@H@Z +?SafeStrlen@CHString@@KAHPBG@Z +?SearchAndBuildList@CRegistrySearch@@QAAHVCHString@@AAVCHPtrArray@@00HPAUHKEY__@@@Z +?SearchMapForProvider@CWbemProviderGlue@@CAPAVProvider@@PBG0@Z +?SetAt@CHPtrArray@@QAAXHPAX@Z +?SetAt@CHString@@QAAXHG@Z +?SetAt@CHStringArray@@QAAXHPBG@Z +?SetAtGrow@CHPtrArray@@QAAXHPAX@Z +?SetAtGrow@CHStringArray@@QAAXHPBG@Z +?SetByte@CInstance@@QAA_NPBGE@Z +?SetCHString@CInstance@@QAA_NPBG0@Z +?SetCHString@CInstance@@QAA_NPBGABVCHString@@@Z +?SetCHString@CInstance@@QAA_NPBGPBD@Z +?SetCHStringResourceHandle@@YAXPAUHINSTANCE__@@@Z +?SetCharSplat@CInstance@@QAA_NPBG0@Z +?SetCharSplat@CInstance@@QAA_NPBGK@Z +?SetCharSplat@CInstance@@QAA_NPBGPBD@Z +?SetClassName@ParsedObjectPath@@QAAHPBG@Z +?SetCreationClassName@Provider@@IAA_NPAVCInstance@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAK@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHStringArray@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAK@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHString@@@Z +?SetCurrentKeyValue@CRegistry@@QAAKPBGAAVCHStringArray@@@Z +?SetCurrentKeyValueExpand@CRegistry@@QAAKPAUHKEY__@@PBGAAVCHString@@@Z +?SetDMTF@WBEMTime@@QAAHQAG@Z +?SetDOUBLE@CInstance@@QAA_NPBGN@Z +?SetDWORD@CInstance@@QAA_NPBGK@Z +?SetDateTime@CInstance@@QAA_NPBGABVWBEMTime@@@Z +?SetDefaultValues@CRegistry@@AAAXXZ +?SetEmbeddedObject@CInstance@@QAA_NPBGAAV1@@Z +?SetKeyFromParsedObjectPath@Provider@@AAAHPAVCInstance@@PAUParsedObjectPath@@@Z +?SetNull@CInstance@@QAA_NPBG@Z +?SetPlatformID@CRegistry@@CAHXZ +?SetSize@CHPtrArray@@QAAXHH@Z +?SetSize@CHStringArray@@QAAXHH@Z +?SetStatusObject@CWbemProviderGlue@@SA_NPAVMethodContext@@PBG1JPBUtagSAFEARRAY@@2@Z +?SetStatusObject@MethodContext@@QAA_NPAUIWbemClassObject@@@Z +?SetStringArray@CInstance@@QAA_NPBGABUtagSAFEARRAY@@@Z +?SetTimeSpan@CInstance@@QAA_NPBGABVWBEMTimeSpan@@@Z +?SetVariant@CInstance@@QAA_NPBGABUtagVARIANT@@@Z +?SetWBEMINT16@CInstance@@QAA_NPBGABF@Z +?SetWBEMINT64@CInstance@@QAA_NPBGABVCHString@@@Z +?SetWBEMINT64@CInstance@@QAA_NPBG_J@Z +?SetWBEMINT64@CInstance@@QAA_NPBG_K@Z +?SetWCHARSplat@CInstance@@QAA_NPBG0@Z +?SetWORD@CInstance@@QAA_NPBGG@Z +?Setbool@CInstance@@QAA_NPBG_N@Z +?Signal@CAutoEvent@@QAAHXZ +?SpanExcluding@CHString@@QBA?AV1@PBG@Z +?SpanIncluding@CHString@@QBA?AV1@PBG@Z +?TrimLeft@CHString@@QAAXXZ +?TrimRight@CHString@@QAAXXZ +?UnInit@CWbemProviderGlue@@CAXXZ +?UnRegisterAllMessages@CWinMsgEvent@@IAAXXZ +?UnRegisterMessage@CWinMsgEvent@@IAA_NIH@Z +?Unlock@CThreadBase@@AAAXXZ +?UnlockBuffer@CHString@@QAAXXZ +?UnlockFactoryMap@CWbemProviderGlue@@CAXXZ +?UnlockProviderMap@CWbemProviderGlue@@CAXXZ +?Unparse@CObjectPathParser@@SAHPAUParsedObjectPath@@PAPAG@Z +?ValidateDeletionFlags@Provider@@MAAJJ@Z +?ValidateEnumerationFlags@Provider@@MAAJJ@Z +?ValidateFlags@Provider@@IAAJJW4FlagDefs@1@@Z +?ValidateGetObjFlags@Provider@@MAAJJ@Z +?ValidateIMOSPointer@Provider@@AAAHXZ +?ValidateMethodFlags@Provider@@MAAJJ@Z +?ValidatePutInstanceFlags@Provider@@MAAJJ@Z +?ValidateQueryFlags@Provider@@MAAJJ@Z +?Wait@CAutoEvent@@QAAKK@Z +?WindowsDispatch@CWinMsgEvent@@CAXXZ +?Zero@CObjectPathParser@@AAAXXZ +?begin_parse@CObjectPathParser@@AAAHXZ +?captainsLog@@3VProviderLog@@A DATA +?dwThreadProc@CWinMsgEvent@@CAKPAX@Z +?ident_becomes_class@CObjectPathParser@@AAAHXZ +?ident_becomes_ns@CObjectPathParser@@AAAHXZ +?initFailed@Provider@@SAHXZ +?initFailed_@Provider@@0HA DATA +?key_const@CObjectPathParser@@AAAHXZ +?keyref@CObjectPathParser@@AAAHXZ +?keyref_list@CObjectPathParser@@AAAHXZ +?keyref_term@CObjectPathParser@@AAAHXZ +?m_FlushPtrs@CWbemProviderGlue@@0V?$set@PAXU?$less@PAX@std@@V?$allocator@PAX@2@@std@@A DATA +?m_csFlushPtrs@CWbemProviderGlue@@0VCCritSec@@A DATA +?m_csStatusObject@CWbemProviderGlue@@0VCCritSec@@A DATA +?m_pStatusObject@CWbemProviderGlue@@0PAUIWbemClassObject@@A DATA +?mg_aeCreateWindow@CWinMsgEvent@@0VCAutoEvent@@A DATA +?mg_csMapLock@CWinMsgEvent@@0VCCritSec@@A DATA +?mg_csWindowLock@CWinMsgEvent@@0VCCritSec@@A DATA +?mg_hDevNotify@CWinMsgEvent@@0PAXA DATA +?mg_hThreadPumpHandle@CWinMsgEvent@@0PAXA DATA +?mg_hWnd@CWinMsgEvent@@0PAUHWND__@@A DATA +?mg_oSinkMap@CWinMsgEvent@@0V?$multimap@IPAVCWinMsgEvent@@U?$less@I@std@@V?$allocator@U?$pair@$$CBIPAVCWinMsgEvent@@@std@@@3@@std@@A DATA +?myRegCreateKeyEx@CRegistry@@AAAJPAUHKEY__@@PBGKPAGKKQAU_SECURITY_ATTRIBUTES@@PAPAU2@PAK@Z +?myRegDeleteKey@CRegistry@@AAAJPAUHKEY__@@PBG@Z +?myRegDeleteValue@CRegistry@@AAAJPAUHKEY__@@PBG@Z +?myRegEnumKey@CRegistry@@AAAJPAUHKEY__@@KPAGK@Z +?myRegEnumValue@CRegistry@@AAAJPAUHKEY__@@KPAGPAK22PAE2@Z +?myRegOpenKeyEx@CRegistry@@AAAJPAUHKEY__@@PBGKKPAPAU2@@Z +?myRegQueryInfoKey@CRegistry@@AAAJPAUHKEY__@@PAGPAK22222222PAU_FILETIME@@@Z +?myRegQueryValueEx@CRegistry@@AAAJPAUHKEY__@@PBGPAK2PAE2@Z +?myRegSetValueEx@CRegistry@@AAAJPAUHKEY__@@PBGKKPBEK@Z +?ns_list@CObjectPathParser@@AAAHXZ +?ns_list_rest@CObjectPathParser@@AAAHXZ +?ns_or_class@CObjectPathParser@@AAAHXZ +?ns_or_server@CObjectPathParser@@AAAHXZ +?objref@CObjectPathParser@@AAAHXZ +?objref_rest@CObjectPathParser@@AAAHXZ +?optional_objref@CObjectPathParser@@AAAHXZ +?propname@CObjectPathParser@@AAAHXZ +?s_bInitted@CWbemProviderGlue@@0HA DATA +?s_csFactoryMap@CWbemProviderGlue@@0VCCritSec@@A DATA +?s_csProviderMap@CWbemProviderGlue@@0VCCritSec@@A DATA +?s_dwMajorVersion@CWbemProviderGlue@@0KA DATA +?s_dwPlatform@CRegistry@@0KA DATA +?s_dwPlatform@CWbemProviderGlue@@0KA DATA +?s_fPlatformSet@CRegistry@@0HA DATA +?s_factorymap@CWbemProviderGlue@@0V?$map@PBXPAJU?$less@PBX@std@@V?$allocator@U?$pair@QBXPAJ@std@@@2@@std@@A DATA +?s_lObjects@CWbemProviderGlue@@0JA DATA +?s_providersmap@CWbemProviderGlue@@0V?$map@VCHString@@PAXU?$less@VCHString@@@std@@V?$allocator@U?$pair@$$CBVCHString@@PAX@std@@@3@@std@@A DATA +?s_strComputerName@Provider@@0VCHString@@A DATA +?s_wstrCSDVersion@CWbemProviderGlue@@0PAGA DATA +DoCmd diff --git a/lib/libc/mingw/libarm32/fsutilext.def b/lib/libc/mingw/libarm32/fsutilext.def new file mode 100644 index 0000000000..0ae61ed55c --- /dev/null +++ b/lib/libc/mingw/libarm32/fsutilext.def @@ -0,0 +1,21 @@ +; +; Definition file of FSUTILEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FSUTILEXT.dll" +EXPORTS +CheckSonyMSWorker +DeviceInstIsRemovableWorker +FindFirstVolumeMountPointWStub +FindNextVolumeMountPointWStub +FindVolumeMountPointCloseStub +GetDeviceIDDiskFromDeviceIDVolumeWorker +GetDeviceInstanceWorker +GetRemovableDeviceInstRecursWorker +GetWidgetWorker +InvalidateFveWorker +SendWithSenseParseWorker +SetThreadUILanguageStub +SystemParametersInfoWStub +WaitForUnitAndReportProgressWorker diff --git a/lib/libc/mingw/libarm32/fveapi.def b/lib/libc/mingw/libarm32/fveapi.def new file mode 100644 index 0000000000..ab8953657f --- /dev/null +++ b/lib/libc/mingw/libarm32/fveapi.def @@ -0,0 +1,128 @@ +; +; Definition file of FVEAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVEAPI.dll" +EXPORTS +InternalFveIsVolumeEncrypted +FveAddAuthMethodInformation +FveAddAuthMethodSid +FveApplyGroupPolicy +FveApplyNkpCertChanges +FveAttemptAutoUnlock +FveAuthElementFromPassPhraseW +FveAuthElementFromPinW +FveAuthElementFromRecoveryPasswordW +FveAuthElementGetKeyFileNameW +FveAuthElementReadExternalKeyW +FveAuthElementToRecoveryPasswordW +FveAuthElementWriteExternalKeyW +FveBackupRecoveryInformationToAD +FveBindDataVolume +FveCanStandardUsersChangePassphraseByProxy +FveCanStandardUsersChangePin +FveCheckPassphrasePolicy +FveCheckTpmCapability +FveClearUserFlags +FveCloseHandle +FveCloseVolume +FveCommitChanges +FveConversionDecrypt +FveConversionDecryptEx +FveConversionEncrypt +FveConversionEncryptEx +FveConversionEncryptPendingReboot +FveConversionEncryptPendingRebootEx +FveConversionPause +FveConversionResume +FveConversionStop +FveConversionStopEx +FveDecrementClearKeyCounter +FveDeleteAuthMethod +FveDisableDeviceLockoutState +FveDiscardChanges +FveDraCertPresentInRegistry +FveEnableRawAccess +FveEnableRawAccessEx +FveEnableRawAccessW +FveEraseDrive +FveFindFirstVolume +FveFindNextVolume +FveFlagsToProtectorType +FveGenerateNkpSessionKeys +FveGetAllowKeyExport +FveGetAuthMethodGuids +FveGetAuthMethodInformation +FveGetAuthMethodSid +FveGetAuthMethodSidInformation +FveGetClearKeyCounter +FveGetDataSet +FveGetDescriptionW +FveGetDeviceLockoutData +FveGetFipsAllowDisabled +FveGetFveMethod +FveGetFveMethodEDrv +FveGetIdentificationFieldW +FveGetIdentity +FveGetKeyPackage +FveGetSecureBootBindingState +FveGetStatus +FveGetStatusW +FveGetUserFlags +FveGetVolumeNameW +FveInitVolume +FveInitVolumeEx +FveInitializeDeviceEncryption +FveInitializeDeviceEncryption2 +FveIsAnyDataVolumeBoundToOSVolume +FveIsBoundDataVolume +FveIsBoundDataVolumeToOSVolume +FveIsDeviceLockable +FveIsDeviceLockedOut +FveIsHardwareReadyForConversion +FveIsHybridVolume +FveIsHybridVolumeW +FveIsPassphraseCompatibleW +FveIsRecoveryPasswordGroupValidW +FveIsRecoveryPasswordValidW +FveIsSchemaExtInstalled +FveIsVolumeEncryptable +FveKeyManagement +FveLockDevice +FveLockVolume +FveLogRecoveryReason +FveNeedsDiscoveryVolumeUpdate +FveNotifyVolumeAfterFormat +FveOpenVolumeByHandle +FveOpenVolumeExW +FveOpenVolumeW +FveProtectorTypeToFlags +FveQuery +FveQueryDeviceEncryptionSupport +FveRevertVolume +FveServiceDiscoveryVolume +FveSetAllowKeyExport +FveSetDescriptionW +FveSetFipsAllowDisabled +FveSetFveMethod +FveSetIdentificationFieldW +FveSetUserFlags +FveSysClearUserFlags +FveSysCloseVolume +FveSysGetUserFlags +FveSysOpenVolumeW +FveSysSetUserFlags +FveUnbindAllDataVolumeFromOSVolume +FveUnbindDataVolume +FveUnlockVolume +FveUnlockVolumeAuthMethodSid +FveUnlockVolumeWithAccessMode +FveUpdateBandIdBcd +FveUpdateDeviceLockoutState +FveUpdateDeviceLockoutStateEx +FveUpdatePinW +FveUpgradeVolume +FveValidateDeviceLockoutState +FveValidateExistingPassphraseW +FveValidateExistingPinW diff --git a/lib/libc/mingw/libarm32/fveapibase.def b/lib/libc/mingw/libarm32/fveapibase.def new file mode 100644 index 0000000000..28f095a742 --- /dev/null +++ b/lib/libc/mingw/libarm32/fveapibase.def @@ -0,0 +1,59 @@ +; +; Definition file of FVEAPIBASE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVEAPIBASE.dll" +EXPORTS +InternalFveIsVolumeEncrypted +FveAuthElementFromPassPhraseW +FveAuthElementFromPinW +FveAuthElementFromRecoveryPasswordW +FveAuthElementGetKeyFileNameW +FveAuthElementReadExternalKeyW +FveAuthElementToRecoveryPasswordW +FveAuthElementWriteExternalKeyW +FveClearUserFlags +FveCloseHandle +FveCloseVolume +FveCommitChanges +FveConversionDecrypt +FveConversionDecryptEx +FveConversionPause +FveConversionResume +FveConversionStop +FveConversionStopEx +FveDiscardChanges +FveEnableRawAccess +FveEraseDrive +FveFindFirstVolume +FveFindNextVolume +FveGetAllowKeyExport +FveGetAuthMethodGuids +FveGetAuthMethodInformation +FveGetDataSet +FveGetFipsAllowDisabled +FveGetFveMethod +FveGetFveMethodEDrv +FveGetIdentity +FveGetKeyPackage +FveGetStatus +FveGetStatusW +FveGetUserFlags +FveGetVolumeNameW +FveIsHardwareReadyForConversion +FveIsRecoveryPasswordGroupValidW +FveIsRecoveryPasswordValidW +FveIsVolumeEncryptable +FveLockVolume +FveNotifyVolumeAfterFormat +FveOpenVolumeByHandle +FveOpenVolumeExW +FveOpenVolumeW +FveQuery +FveRevertVolume +FveSetAllowKeyExport +FveSetFipsAllowDisabled +FveSetFveMethod +FveSetUserFlags +FveUpgradeVolume diff --git a/lib/libc/mingw/libarm32/fvecerts.def b/lib/libc/mingw/libarm32/fvecerts.def new file mode 100644 index 0000000000..9b9e196371 --- /dev/null +++ b/lib/libc/mingw/libarm32/fvecerts.def @@ -0,0 +1,22 @@ +; +; Definition file of FVECERTS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVECERTS.dll" +EXPORTS +FveCertCanCertificateBeAdded +FveCertCreateCertInfo +FveCertCreateSelfSignedCertificate +FveCertFilterForValidCertificates +FveCertFindValidCertificates +FveCertFreeCertInfo +FveCertGetCertContextFromCert +FveCertGetCertContextFromPfx +FveCertGetCertHashFromCertContext +FveCertGetPrivateKeyHandle +FveCertGetPublicKeyHandle +FveCertIsAlternateCert +FveCertIsValidCertInfo +FveCertSignData +FveCertWritePfxFromCertContext diff --git a/lib/libc/mingw/libarm32/fveskybackup.def b/lib/libc/mingw/libarm32/fveskybackup.def new file mode 100644 index 0000000000..d7639a4787 --- /dev/null +++ b/lib/libc/mingw/libarm32/fveskybackup.def @@ -0,0 +1,8 @@ +; +; Definition file of FVESKYBACKUP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVESKYBACKUP.dll" +EXPORTS +FveBackupRecoveryPasswordToSkyDrive diff --git a/lib/libc/mingw/libarm32/fveui.def b/lib/libc/mingw/libarm32/fveui.def new file mode 100644 index 0000000000..5e038cc74f --- /dev/null +++ b/lib/libc/mingw/libarm32/fveui.def @@ -0,0 +1,48 @@ +; +; Definition file of FVEUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVEUI.dll" +EXPORTS +??0VolumeFveStatus@@IAA@XZ +??0VolumeFveStatus@@QAA@K_KJW4_FVE_WIPING_STATE@@@Z +??4BuiVolume@@QAAAAV0@ABV0@@Z +??4VolumeFveStatus@@QAAAAV0@ABV0@@Z +?FailedDryRun@VolumeFveStatus@@QBA_NXZ +?GetExtendedFlags@VolumeFveStatus@@QBA_KXZ +?GetLastConvertStatus@VolumeFveStatus@@QBAJXZ +?GetStatusFlags@VolumeFveStatus@@QBAKXZ +?HasExternalKey@VolumeFveStatus@@QBA_NXZ +?HasPBKDF2RecoveryPassword@VolumeFveStatus@@QBA_NXZ +?HasPassphraseProtector@VolumeFveStatus@@QBA_NXZ +?HasPinProtector@VolumeFveStatus@@QBA_NXZ +?HasRecoveryData@VolumeFveStatus@@QBA_NXZ +?HasRecoveryPassword@VolumeFveStatus@@QBA_NXZ +?HasSmartCardProtector@VolumeFveStatus@@QBA_NXZ +?HasStartupKeyProtector@VolumeFveStatus@@QBA_NXZ +?HasTpmProtector@VolumeFveStatus@@QBA_NXZ +?IsConverting@VolumeFveStatus@@QBA_NXZ +?IsCsvMetadataVolume@VolumeFveStatus@@QBA_NXZ +?IsDEAutoProvisioned@VolumeFveStatus@@QBA_NXZ +?IsDecrypted@VolumeFveStatus@@QBA_NXZ +?IsDecrypting@VolumeFveStatus@@QBA_NXZ +?IsDisabled@VolumeFveStatus@@QBA_NXZ +?IsEDriveVolume@VolumeFveStatus@@QBA_NXZ +?IsEncrypted@VolumeFveStatus@@QBA_NXZ +?IsEncrypting@VolumeFveStatus@@QBA_NXZ +?IsLocked@VolumeFveStatus@@QBA_NXZ +?IsOn@VolumeFveStatus@@QBA_NXZ +?IsOsVolume@VolumeFveStatus@@QBA_NXZ +?IsPartiallyConverted@VolumeFveStatus@@QBA_NXZ +?IsPaused@VolumeFveStatus@@QBA_NXZ +?IsPreProvisioned@VolumeFveStatus@@QBA_NXZ +?IsRoamingDevice@VolumeFveStatus@@QBA_NXZ +?IsSecure@VolumeFveStatus@@QBA_NXZ +?IsUnknownFveVersion@VolumeFveStatus@@QBA_NXZ +?IsWiping@VolumeFveStatus@@QBA_NXZ +?NO_DRIVE_LETTER@BuiVolume@@2IB +?NeedsRestart@VolumeFveStatus@@QBA_NXZ +FveuiEnumSmartCardCerts +FveuiUserSelectCert +FveuiUserSelectSmartCard diff --git a/lib/libc/mingw/libarm32/fvewiz.def b/lib/libc/mingw/libarm32/fvewiz.def new file mode 100644 index 0000000000..cbe7dec8bb --- /dev/null +++ b/lib/libc/mingw/libarm32/fvewiz.def @@ -0,0 +1,47 @@ +; +; Definition file of FVEWIZ.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FVEWIZ.dll" +EXPORTS +??0VolumeFveStatus@@IAA@XZ +??0VolumeFveStatus@@QAA@K_KJW4_FVE_WIPING_STATE@@@Z +??4BuiVolume@@QAAAAV0@ABV0@@Z +??4VolumeFveStatus@@QAAAAV0@ABV0@@Z +?FailedDryRun@VolumeFveStatus@@QBA_NXZ +?GetExtendedFlags@VolumeFveStatus@@QBA_KXZ +?GetLastConvertStatus@VolumeFveStatus@@QBAJXZ +?GetStatusFlags@VolumeFveStatus@@QBAKXZ +?HasExternalKey@VolumeFveStatus@@QBA_NXZ +?HasPBKDF2RecoveryPassword@VolumeFveStatus@@QBA_NXZ +?HasPassphraseProtector@VolumeFveStatus@@QBA_NXZ +?HasPinProtector@VolumeFveStatus@@QBA_NXZ +?HasRecoveryData@VolumeFveStatus@@QBA_NXZ +?HasRecoveryPassword@VolumeFveStatus@@QBA_NXZ +?HasSmartCardProtector@VolumeFveStatus@@QBA_NXZ +?HasStartupKeyProtector@VolumeFveStatus@@QBA_NXZ +?HasTpmProtector@VolumeFveStatus@@QBA_NXZ +?IsConverting@VolumeFveStatus@@QBA_NXZ +?IsCsvMetadataVolume@VolumeFveStatus@@QBA_NXZ +?IsDEAutoProvisioned@VolumeFveStatus@@QBA_NXZ +?IsDecrypted@VolumeFveStatus@@QBA_NXZ +?IsDecrypting@VolumeFveStatus@@QBA_NXZ +?IsDisabled@VolumeFveStatus@@QBA_NXZ +?IsEDriveVolume@VolumeFveStatus@@QBA_NXZ +?IsEncrypted@VolumeFveStatus@@QBA_NXZ +?IsEncrypting@VolumeFveStatus@@QBA_NXZ +?IsLocked@VolumeFveStatus@@QBA_NXZ +?IsOn@VolumeFveStatus@@QBA_NXZ +?IsOsVolume@VolumeFveStatus@@QBA_NXZ +?IsPartiallyConverted@VolumeFveStatus@@QBA_NXZ +?IsPaused@VolumeFveStatus@@QBA_NXZ +?IsPreProvisioned@VolumeFveStatus@@QBA_NXZ +?IsRoamingDevice@VolumeFveStatus@@QBA_NXZ +?IsSecure@VolumeFveStatus@@QBA_NXZ +?IsUnknownFveVersion@VolumeFveStatus@@QBA_NXZ +?IsWiping@VolumeFveStatus@@QBA_NXZ +?NO_DRIVE_LETTER@BuiVolume@@2IB +?NeedsRestart@VolumeFveStatus@@QBA_NXZ +FveuiWizard +FveuipClearFveWizOnStartup diff --git a/lib/libc/mingw/libarm32/fwremotesvr.def b/lib/libc/mingw/libarm32/fwremotesvr.def new file mode 100644 index 0000000000..f2c96c9638 --- /dev/null +++ b/lib/libc/mingw/libarm32/fwremotesvr.def @@ -0,0 +1,9 @@ +; +; Definition file of FwRemoteSvr.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "FwRemoteSvr.DLL" +EXPORTS +FwRpcAPIsInitialize +FwRpcAPIsShutdown diff --git a/lib/libc/mingw/libarm32/gameux.def b/lib/libc/mingw/libarm32/gameux.def new file mode 100644 index 0000000000..5757c0b378 --- /dev/null +++ b/lib/libc/mingw/libarm32/gameux.def @@ -0,0 +1,8 @@ +; +; Definition file of gameux.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "gameux.dll" +EXPORTS +GameUXShimW diff --git a/lib/libc/mingw/libarm32/geofencemonitorservice.def b/lib/libc/mingw/libarm32/geofencemonitorservice.def new file mode 100644 index 0000000000..fa8e5850da --- /dev/null +++ b/lib/libc/mingw/libarm32/geofencemonitorservice.def @@ -0,0 +1,9 @@ +; +; Definition file of GeofenceMonitorService.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "GeofenceMonitorService.dll" +EXPORTS +GeofenceSettingsIsSimulator +ServiceMain diff --git a/lib/libc/mingw/libarm32/globcollationhost.def b/lib/libc/mingw/libarm32/globcollationhost.def new file mode 100644 index 0000000000..644e6b5898 --- /dev/null +++ b/lib/libc/mingw/libarm32/globcollationhost.def @@ -0,0 +1,10 @@ +; +; Definition file of globcollationhost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "globcollationhost.dll" +EXPORTS +WGCGetCharacterGroupDisplayName +WGCGetDefaultGroupingLetters +WGCGetGroupingLetter diff --git a/lib/libc/mingw/libarm32/globinputhost.def b/lib/libc/mingw/libarm32/globinputhost.def new file mode 100644 index 0000000000..4426a5b376 --- /dev/null +++ b/lib/libc/mingw/libarm32/globinputhost.def @@ -0,0 +1,21 @@ +; +; Definition file of globinputhost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "globinputhost.dll" +EXPORTS +WGIEnsureLanguageProfileExists +WGIGetCompatibleInputMethodsForLanguage +WGIGetCurrentInputLanguage +WGIGetDefaultInputMethodForLanguage +WGIGetInputMethodDescription +WGIGetInputMethodProperties +WGIGetInputMethodTileName +WGIIsImeInputMethod +WGIIsImeScript +WGIIsImmersiveInputMethod +WGIIsTouchEnabledInputMethod +WGITransformInputMethodsForLanguage +WGITransformInputMethodsForLanguageId +WGIUpdateGlobalSpellerKey diff --git a/lib/libc/mingw/libarm32/gpapi.def b/lib/libc/mingw/libarm32/gpapi.def new file mode 100644 index 0000000000..e2a06d7df4 --- /dev/null +++ b/lib/libc/mingw/libarm32/gpapi.def @@ -0,0 +1,60 @@ +; +; Definition file of GPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "GPAPI.dll" +EXPORTS +ord_107 @107 +AreThereVisibleLogoffScriptsInternalWorker +ord_109 @109 +ord_110 @110 +AreThereVisibleShutdownScriptsInternalWorker +EnterCriticalPolicySectionExStub +ord_113 @113 +ord_114 @114 +ord_115 @115 +ord_116 @116 +EnterCriticalPolicySectionInternalWorker +FreeGPOListInternalAWorker +GenerateGPNotificationInternalWorker +GetAppliedGPOListInternalAWorker +GetAppliedGPOListInternalWWorker +GetGPOListInternalAWorker +GetGPOListInternalWWorker +HasPolicyForegroundProcessingCompletedInternalWorker +LeaveCriticalPolicySectionInternalWorker +RefreshPolicyExInternalWorker +RefreshPolicyInternalWorker +RegisterGPNotificationInternalWorker +RsopLoggingEnabledInternalWorker +UnregisterGPNotificationInternalWorker +AreThereVisibleLogoffScriptsInternal +AreThereVisibleShutdownScriptsInternal +EnterCriticalPolicySectionInternal +ForceSyncFgPolicyInternal +ForceSyncFgPolicyInternalWorker +FreeGPOListInternalA +FreeGPOListInternalW +FreeGPOListInternalWWorker +GenerateGPNotificationInternal +GetAppliedGPOListInternalA +GetAppliedGPOListInternalW +GetGPOListInternalA +GetGPOListInternalW +GetNextFgPolicyRefreshInfoInternal +GetNextFgPolicyRefreshInfoInternalWorker +GetPreviousFgPolicyRefreshInfoInternal +GetPreviousFgPolicyRefreshInfoInternalWorker +HasPolicyForegroundProcessingCompletedInternal +IsSyncForegroundPolicyRefreshWorker +LeaveCriticalPolicySectionInternal +RefreshPolicyExInternal +RefreshPolicyInternal +RegisterGPNotificationInternal +RsopLoggingEnabledInternal +UnregisterGPNotificationInternal +WaitForMachinePolicyForegroundProcessingInternal +WaitForMachinePolicyForegroundProcessingInternalWorker +WaitForUserPolicyForegroundProcessingInternal +WaitForUserPolicyForegroundProcessingInternalWorker diff --git a/lib/libc/mingw/libarm32/gpprefcl.def b/lib/libc/mingw/libarm32/gpprefcl.def new file mode 100644 index 0000000000..f119649427 --- /dev/null +++ b/lib/libc/mingw/libarm32/gpprefcl.def @@ -0,0 +1,70 @@ +; +; Definition file of polprocl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "polprocl.dll" +EXPORTS +GenerateGroupPolicyApplications +GenerateGroupPolicyDataSources +GenerateGroupPolicyDevices +GenerateGroupPolicyDrives +GenerateGroupPolicyEnviron +GenerateGroupPolicyFiles +GenerateGroupPolicyFolderOptions +GenerateGroupPolicyFolders +GenerateGroupPolicyIniFile +GenerateGroupPolicyInternet +GenerateGroupPolicyLocUsAndGroups +GenerateGroupPolicyNetShares +GenerateGroupPolicyNetworkOptions +GenerateGroupPolicyPowerOptions +GenerateGroupPolicyPrinters +GenerateGroupPolicyRegionOptions +GenerateGroupPolicyRegistry +GenerateGroupPolicySchedTasks +GenerateGroupPolicyServices +GenerateGroupPolicyShortcuts +GenerateGroupPolicyStartMenu +ProcessGroupPolicyApplications +ProcessGroupPolicyDataSources +ProcessGroupPolicyDevices +ProcessGroupPolicyDrives +ProcessGroupPolicyEnviron +ProcessGroupPolicyExApplications +ProcessGroupPolicyExDataSources +ProcessGroupPolicyExDevices +ProcessGroupPolicyExDrives +ProcessGroupPolicyExEnviron +ProcessGroupPolicyExFiles +ProcessGroupPolicyExFolderOptions +ProcessGroupPolicyExFolders +ProcessGroupPolicyExIniFile +ProcessGroupPolicyExInternet +ProcessGroupPolicyExLocUsAndGroups +ProcessGroupPolicyExNetShares +ProcessGroupPolicyExNetworkOptions +ProcessGroupPolicyExPowerOptions +ProcessGroupPolicyExPrinters +ProcessGroupPolicyExRegionOptions +ProcessGroupPolicyExRegistry +ProcessGroupPolicyExSchedTasks +ProcessGroupPolicyExServices +ProcessGroupPolicyExShortcuts +ProcessGroupPolicyExStartMenu +ProcessGroupPolicyFiles +ProcessGroupPolicyFolderOptions +ProcessGroupPolicyFolders +ProcessGroupPolicyIniFile +ProcessGroupPolicyInternet +ProcessGroupPolicyLocUsAndGroups +ProcessGroupPolicyNetShares +ProcessGroupPolicyNetworkOptions +ProcessGroupPolicyPowerOptions +ProcessGroupPolicyPrinters +ProcessGroupPolicyRegionOptions +ProcessGroupPolicyRegistry +ProcessGroupPolicySchedTasks +ProcessGroupPolicyServices +ProcessGroupPolicyShortcuts +ProcessGroupPolicyStartMenu diff --git a/lib/libc/mingw/libarm32/gpprnext.def b/lib/libc/mingw/libarm32/gpprnext.def new file mode 100644 index 0000000000..65f5dc499a --- /dev/null +++ b/lib/libc/mingw/libarm32/gpprnext.def @@ -0,0 +1,10 @@ +; +; Definition file of gpprnext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "gpprnext.dll" +EXPORTS +PrinterGenerateGroupPolicy +PrinterProcessGroupPolicy +PrinterProcessGroupPolicyEx diff --git a/lib/libc/mingw/libarm32/gpscript.def b/lib/libc/mingw/libarm32/gpscript.def new file mode 100644 index 0000000000..9d3bdd21db --- /dev/null +++ b/lib/libc/mingw/libarm32/gpscript.def @@ -0,0 +1,11 @@ +; +; Definition file of GPSCRIPT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "GPSCRIPT.DLL" +EXPORTS +GenerateScriptsGroupPolicy +ProcessScriptsGroupPolicy +ProcessScriptsGroupPolicyEx +ScrRegGPOListToWbem diff --git a/lib/libc/mingw/libarm32/gpsvc.def b/lib/libc/mingw/libarm32/gpsvc.def new file mode 100644 index 0000000000..f23a026b4c --- /dev/null +++ b/lib/libc/mingw/libarm32/gpsvc.def @@ -0,0 +1,17 @@ +; +; Definition file of GPSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "GPSVC.dll" +EXPORTS +ord_106 @106 +GroupPolicyClientServiceMain +SvchostPushServiceGlobals +GenerateRsopPolicy +ProcessGroupPolicyCompletedExInternal +ProcessGroupPolicyCompletedInternal +RsopAccessCheckByTypeInternal +RsopFileAccessCheckInternal +RsopResetPolicySettingStatusInternal +RsopSetPolicySettingStatusInternal diff --git a/lib/libc/mingw/libarm32/gptext.def b/lib/libc/mingw/libarm32/gptext.def new file mode 100644 index 0000000000..4ec21f97af --- /dev/null +++ b/lib/libc/mingw/libarm32/gptext.def @@ -0,0 +1,11 @@ +; +; Definition file of GPTEXT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "GPTEXT.DLL" +EXPORTS +ProcessConnectivityPlatformPolicy +ProcessEQoSPolicy +ProcessPSCHEDPolicy +ProcessTCPIPPolicy diff --git a/lib/libc/mingw/libarm32/hal.def b/lib/libc/mingw/libarm32/hal.def new file mode 100644 index 0000000000..7b7ecd5656 --- /dev/null +++ b/lib/libc/mingw/libarm32/hal.def @@ -0,0 +1,77 @@ +; +; Definition file of HAL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "HAL.dll" +EXPORTS +HalAcpiGetTableEx +HalAllProcessorsStarted +HalAllocateCrashDumpRegisters +HalAllocateHardwareCounters +HalBeginSystemInterruptUnspecified +HalBugCheckSystem +HalCalibratePerformanceCounter +HalConvertDeviceIdtToIrql +HalDisableInterrupt +HalDmaAllocateCrashDumpRegistersEx +HalDmaFreeCrashDumpRegistersEx +HalEnableInterrupt +HalEndSystemInterrupt +HalEnumerateEnvironmentVariablesEx +HalEnumerateProcessors +HalFreeHardwareCounters +HalGetBusDataByOffset +HalGetEnvironmentVariable +HalGetEnvironmentVariableEx +HalGetInterruptTargetInformation +HalGetMemoryCachingRequirements +HalGetMessageRoutingInfo +HalGetProcessorIdByNtNumber +HalGetVectorInput +HalInitSystem +HalInitializeOnResume +HalInitializeProcessor +HalProcessorIdle +HalQueryEnvironmentVariableInfoEx +HalQueryMaximumProcessorCount +HalQueryRealTimeClock +HalRegisterDynamicProcessor +HalRegisterErrataCallbacks +HalReportResourceUsage +HalRequestClockInterrupt +HalRequestIpi +HalRequestIpiSpecifyVector +HalRequestSoftwareInterrupt +HalReturnToFirmware +HalSendSoftwareInterrupt +HalSetBusDataByOffset +HalSetEnvironmentVariable +HalSetEnvironmentVariableEx +HalSetProfileInterval +HalSetRealTimeClock +HalStartDynamicProcessor +HalStartNextProcessor +HalStartProfileInterrupt +HalStopProfileInterrupt +HalTranslateBusAddress +KdComPortInUse DATA +KdHvComPortInUse DATA +KeFlushWriteBuffer +KeGetCurrentIrql +KeQueryPerformanceCounter +KeStallExecutionProcessor +KfLowerIrql +KfRaiseIrql +READ_PORT_BUFFER_UCHAR +READ_PORT_BUFFER_ULONG +READ_PORT_BUFFER_USHORT +READ_PORT_UCHAR +READ_PORT_ULONG +READ_PORT_USHORT +WRITE_PORT_BUFFER_UCHAR +WRITE_PORT_BUFFER_ULONG +WRITE_PORT_BUFFER_USHORT +WRITE_PORT_UCHAR +WRITE_PORT_ULONG +WRITE_PORT_USHORT diff --git a/lib/libc/mingw/libarm32/hidserv.def b/lib/libc/mingw/libarm32/hidserv.def new file mode 100644 index 0000000000..d681361207 --- /dev/null +++ b/lib/libc/mingw/libarm32/hidserv.def @@ -0,0 +1,9 @@ +; +; Definition file of HIDSERV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "HIDSERV.dll" +EXPORTS +InstallHidserv +ServiceMain diff --git a/lib/libc/mingw/libarm32/hnetcfg.def b/lib/libc/mingw/libarm32/hnetcfg.def new file mode 100644 index 0000000000..20847ff543 --- /dev/null +++ b/lib/libc/mingw/libarm32/hnetcfg.def @@ -0,0 +1,17 @@ +; +; Definition file of HNetCfg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "HNetCfg.dll" +EXPORTS +HNetDeleteRasConnection +HNetFreeSharingServicesPage +HNetGetSharingServicesPage +HNetGetFirewallSettingsPage +HNetSharedAccessSettingsDlg +HNetSharingAndFirewallSettingsDlg +RegisterClassObjects +ReleaseSingletons +RevokeClassObjects +WinBomConfigureWindowsFirewall diff --git a/lib/libc/mingw/libarm32/httpprxm.def b/lib/libc/mingw/libarm32/httpprxm.def new file mode 100644 index 0000000000..7a69477046 --- /dev/null +++ b/lib/libc/mingw/libarm32/httpprxm.def @@ -0,0 +1,10 @@ +; +; Definition file of httpprxm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "httpprxm.dll" +EXPORTS +SubServiceScmNotification +SubServiceStart +SubServiceStop diff --git a/lib/libc/mingw/libarm32/httpprxp.def b/lib/libc/mingw/libarm32/httpprxp.def new file mode 100644 index 0000000000..d913ddeb1a --- /dev/null +++ b/lib/libc/mingw/libarm32/httpprxp.def @@ -0,0 +1,15 @@ +; +; Definition file of httpprxp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "httpprxp.dll" +EXPORTS +ProxyHelperGetProxyEventInformation +ProxyHelperProviderConnectToServer +ProxyHelperProviderDisconnectFromServer +ProxyHelperProviderFreeMemory +ProxyHelperProviderRegisterForEventNotification +ProxyHelperProviderSetProxyConfiguration +ProxyHelperProviderSetProxyCredentials +ProxyHelperProviderUnregisterEventNotification diff --git a/lib/libc/mingw/libarm32/icfupgd.def b/lib/libc/mingw/libarm32/icfupgd.def new file mode 100644 index 0000000000..b737c8867c --- /dev/null +++ b/lib/libc/mingw/libarm32/icfupgd.def @@ -0,0 +1,8 @@ +; +; Definition file of IcfUpgd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IcfUpgd.dll" +EXPORTS +MigrateSettingsW diff --git a/lib/libc/mingw/libarm32/idndl.def b/lib/libc/mingw/libarm32/idndl.def new file mode 100644 index 0000000000..617b52e387 --- /dev/null +++ b/lib/libc/mingw/libarm32/idndl.def @@ -0,0 +1,10 @@ +; +; Definition file of IdnDl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IdnDl.dll" +EXPORTS +DownlevelGetLocaleScripts +DownlevelGetStringScripts +DownlevelVerifyScripts diff --git a/lib/libc/mingw/libarm32/ieadvpack.def b/lib/libc/mingw/libarm32/ieadvpack.def new file mode 100644 index 0000000000..618cdfeb2f --- /dev/null +++ b/lib/libc/mingw/libarm32/ieadvpack.def @@ -0,0 +1,91 @@ +; +; Definition file of IEADVPACK.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IEADVPACK.dll" +EXPORTS +DelNodeRunDLL32 +DelNodeRunDLL32A +DoInfInstall +DoInfInstallA +DoInfInstallW +FileSaveRestore +FileSaveRestoreA +LaunchINFSectionA +LaunchINFSectionEx +LaunchINFSectionExA +RegisterOCX +RegisterOCXW +AddDelBackupEntry +AddDelBackupEntryA +AddDelBackupEntryW +AdvInstallFile +AdvInstallFileA +AdvInstallFileW +CloseINFEngine +DelNode +DelNodeA +DelNodeRunDLL32W +DelNodeW +ExecuteCab +ExecuteCabA +ExecuteCabW +ExtractFiles +ExtractFilesA +ExtractFilesW +FileSaveMarkNotExist +FileSaveMarkNotExistA +FileSaveMarkNotExistW +FileSaveRestoreOnINF +FileSaveRestoreOnINFA +FileSaveRestoreOnINFW +FileSaveRestoreW +GetVersionFromFile +GetVersionFromFileA +GetVersionFromFileEx +GetVersionFromFileExA +GetVersionFromFileExW +GetVersionFromFileW +IsNTAdmin +LaunchINFSection +LaunchINFSectionExW +LaunchINFSectionW +NeedReboot +NeedRebootInit +OpenINFEngine +OpenINFEngineA +OpenINFEngineW +RebootCheckOnInstall +RebootCheckOnInstallA +RebootCheckOnInstallW +RegInstall +RegInstallA +RegInstallW +RegRestoreAll +RegRestoreAllA +RegRestoreAllW +RegSaveRestore +RegSaveRestoreA +RegSaveRestoreOnINF +RegSaveRestoreOnINFA +RegSaveRestoreOnINFW +RegSaveRestoreW +RunSetupCommand +RunSetupCommandA +RunSetupCommandW +SetPerUserSecValues +SetPerUserSecValuesA +SetPerUserSecValuesW +TranslateInfString +TranslateInfStringA +TranslateInfStringEx +TranslateInfStringExA +TranslateInfStringExW +TranslateInfStringW +UserInstStubWrapper +UserInstStubWrapperA +UserInstStubWrapperW +UserUnInstStubWrapper +UserUnInstStubWrapperA +UserUnInstStubWrapperW diff --git a/lib/libc/mingw/libarm32/iedkcs32.def b/lib/libc/mingw/libarm32/iedkcs32.def new file mode 100644 index 0000000000..10072512d7 --- /dev/null +++ b/lib/libc/mingw/libarm32/iedkcs32.def @@ -0,0 +1,21 @@ +; +; Definition file of iedkcs32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iedkcs32.dll" +EXPORTS +CloseRASConnections +ProcessGroupPolicyForActivities +ProcessGroupPolicyForActivitiesEx +ProcessGroupPolicyForZoneMap +BrandCleanInstallStubs +BrandICW +BrandICW2 +BrandIE4 +BrandIEActiveSetup +BrandInternetExplorer +BrandIntra +BrandMe +Clear +InternetInitializeAutoProxyDll diff --git a/lib/libc/mingw/libarm32/ieframe.def b/lib/libc/mingw/libarm32/ieframe.def new file mode 100644 index 0000000000..8008655c9a --- /dev/null +++ b/lib/libc/mingw/libarm32/ieframe.def @@ -0,0 +1,142 @@ +; +; Definition file of IEFRAME.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IEFRAME.dll" +EXPORTS +ord_91 @91 +ord_92 @92 +ord_93 @93 +ord_94 @94 +ord_95 @95 +CreateExtensionGuidEnumerator +ExportCookieFileByProcessW +IECreateDirectory +IECreateFile +IEDeleteFile +ord_101 @101 +ord_102 @102 +ord_103 @103 +IEFindFirstFile +ord_105 @105 +IEGetFileAttributesEx +IEInPrivateFilteringEnabled +IEIsInPrivateBrowsing +IELaunchManageAddOnsUI +IEMoveFileEx +IERemoveDirectory +IETrackingProtectionEnabled +ImportCookieFileByProcessW +SetQueryNetSessionCount +AddUrlToFavorites +CORLockDownProvider +DoAddToFavDlg +DoAddToFavDlgW +DoBlobDownload +DoFileDownload +DoFileDownloadEx +DoOrganizeFavDlg +DoOrganizeFavDlgW +DoPrivacyDlg +HlinkFindFrame +HlinkFrameNavigate +HlinkFrameNavigateNHL +IEAssociateThreadWithTab +ord_135 @135 +IECancelSaveFile +ord_137 @137 +IEDisassociateThreadWithTab +IEGetProtectedModeCookie +IEGetWriteableFolderPath +ord_141 @141 +ord_142 @142 +ord_143 @143 +IEGetWriteableHKCU +IEIsProtectedModeProcess +IEIsProtectedModeURL +IELaunchURL +IERefreshElevationPolicy +IERegCreateKeyEx +ord_150 @150 +ord_151 @151 +ord_152 @152 +ord_153 @153 +IERegSetValueEx +IERegisterWritableRegistryKey +IERegisterWritableRegistryValue +IESaveFile +ord_158 @158 +ord_159 @159 +ord_160 @160 +IESetProtectedModeCookie +ord_162 @162 +SHAddSubscribeFavorite +IESetProtectedModeCookieEx +ord_165 @165 +ord_166 @166 +ord_167 @167 +ord_168 @168 +IEShowOpenFileDialog +ord_170 @170 +IEShowSaveFileDialog +ord_172 @172 +IEUnregisterWritableRegistry +ImportPrivacySettings +OpenURL +SoftwareUpdateMessageBox +TriggerFileDownload +URLQualifyA +URLQualifyW +ord_199 @199 +ord_211 @211 +ord_212 @212 +ord_218 @218 +ord_222 @222 +ord_223 @223 +ord_224 @224 +ord_231 @231 +ord_232 @232 +ord_233 @233 +ord_234 @234 +ord_235 @235 +ord_236 @236 +ord_238 @238 +ord_240 @240 +ord_241 @241 +ord_242 @242 +ord_243 @243 +ord_244 @244 +ord_245 @245 +ord_246 @246 +ord_247 @247 +ord_251 @251 +ord_252 @252 +ord_253 @253 +ord_254 @254 +ord_255 @255 +ord_256 @256 +ord_257 @257 +ord_258 @258 +ord_259 @259 +ord_260 @260 +ord_261 @261 +ord_262 @262 +ord_263 @263 +ord_264 @264 +ord_265 @265 +ord_303 @303 +ord_315 @315 +ord_316 @316 +ord_317 @317 +ord_318 @318 +ord_319 @319 +ord_320 @320 +ord_321 @321 +ord_322 @322 +ord_324 @324 +ord_325 @325 +ord_326 @326 +ord_327 @327 +ord_328 @328 +ord_329 @329 diff --git a/lib/libc/mingw/libarm32/iertutil.def b/lib/libc/mingw/libarm32/iertutil.def new file mode 100644 index 0000000000..cb26822121 --- /dev/null +++ b/lib/libc/mingw/libarm32/iertutil.def @@ -0,0 +1,491 @@ +; +; Definition file of iertutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iertutil.dll" +EXPORTS +IERT_DelayLoadFailureHook +CreateStringHashN +GetIDNSettingsForIE +IEGetFrameUtilExports +IEGetProcessModule +IEGetTabWindowExports +IUriBuilderInternalCreateDomain +ord_16 @16 +ord_17 @17 +ord_18 @18 +ord_19 @19 +ord_20 @20 +ord_21 @21 +ResetIDNLanguageData +ResetIEExtensibility +ord_24 @24 +ord_25 @25 +ord_26 @26 +ResetIERegistrySettings +ord_28 @28 +ord_29 @29 +ord_30 @30 +ord_31 @31 +ord_32 @32 +ord_33 @33 +ord_34 @34 +ord_35 @35 +ord_36 @36 +ord_37 @37 +ord_38 @38 +ord_39 @39 +ord_40 @40 +ord_41 @41 +ord_42 @42 +ord_43 @43 +ord_44 @44 +ord_45 @45 +ord_46 @46 +UriFromHostAndScheme +ord_48 @48 +ord_49 @49 +ord_50 @50 +ord_51 @51 +ord_52 @52 +ord_53 @53 +ord_54 @54 +ord_55 @55 +ord_56 @56 +ord_57 @57 +ord_58 @58 +ord_59 @59 +ord_60 @60 +ord_61 @61 +ord_62 @62 +ord_63 @63 +ord_64 @64 +ord_65 @65 +ord_66 @66 +ord_67 @67 +ord_68 @68 +ord_69 @69 +ord_70 @70 +ord_71 @71 +ord_72 @72 +ord_73 @73 +ord_74 @74 +ord_75 @75 +ord_76 @76 +ord_77 @77 +ord_78 @78 +ord_79 @79 +ord_80 @80 +ord_81 @81 +ord_82 @82 +ord_83 @83 +ord_84 @84 +ord_85 @85 +ord_86 @86 +ord_87 @87 +ord_88 @88 +ord_89 @89 +ord_90 @90 +ord_91 @91 +ord_92 @92 +ord_93 @93 +ord_94 @94 +ord_95 @95 +ord_96 @96 +ord_97 @97 +ord_98 @98 +ord_99 @99 +ord_100 @100 +ord_101 @101 +CreateIUriBuilder +CreateUri +CreateUriFromMultiByteString +CreateUriPriv +CreateUriWithFragment +ord_110 @110 +ord_111 @111 +ord_112 @112 +FastMimeGetFileExtension +FastMimeGetIsMimeFilterEnabled +FastMimeLookupKnownType +FastMimeSetIsMimeFilterEnabled +GetIUriPriv +GetIUriPriv2 +GetPortFromUrlScheme +GetPropertyFromName +GetPropertyName +IEDllLoader +ord_123 @123 +ord_124 @124 +ord_125 @125 +ord_126 @126 +ord_127 @127 +ord_128 @128 +ord_129 @129 +ord_130 @130 +ord_131 @131 +ord_132 @132 +ord_133 @133 +ord_134 @134 +ord_135 @135 +ord_136 @136 +ord_137 @137 +ord_138 @138 +ord_139 @139 +ord_140 @140 +ord_141 @141 +ord_142 @142 +ord_143 @143 +ImpersonateUser +IntlPercentEncodeNormalize +IsDWORDProperty +IsStringProperty +PrivateCoInternetCanonicalizeIUri +PrivateCoInternetCombineIUri +ord_150 @150 +ord_151 @151 +ord_152 @152 +ord_153 @153 +ord_154 @154 +ord_155 @155 +ord_156 @156 +ord_157 @157 +ord_158 @158 +ord_159 @159 +ord_160 @160 +ord_161 @161 +ord_162 @162 +ord_163 @163 +ord_164 @164 +ord_165 @165 +ord_166 @166 +ord_167 @167 +ord_168 @168 +ord_169 @169 +ord_170 @170 +ord_171 @171 +ord_172 @172 +ord_173 @173 +ord_174 @174 +ord_175 @175 +ord_176 @176 +ord_177 @177 +PrivateCoInternetParseIUri +RevertImpersonate +ord_200 @200 +ord_201 @201 +ord_202 @202 +ord_203 @203 +ord_204 @204 +ord_205 @205 +ord_206 @206 +ord_207 @207 +ord_208 @208 +ord_209 @209 +ord_210 @210 +ord_211 @211 +ord_220 @220 +ord_221 @221 +ord_222 @222 +ord_223 @223 +ord_224 @224 +ord_225 @225 +ord_230 @230 +ord_231 @231 +ord_232 @232 +ord_280 @280 +ord_281 @281 +ord_282 @282 +ord_300 @300 +ord_301 @301 +ord_302 @302 +ord_303 @303 +ord_311 @311 +ord_312 @312 +ord_314 @314 +ord_325 @325 +ord_326 @326 +ord_327 @327 +ord_328 @328 +ord_329 @329 +ord_330 @330 +ord_331 @331 +ord_332 @332 +ord_334 @334 +ord_335 @335 +ord_336 @336 +ord_337 @337 +ord_338 @338 +ord_340 @340 +ord_341 @341 +ord_342 @342 +ord_343 @343 +ord_345 @345 +ord_346 @346 +ord_347 @347 +ord_350 @350 +ord_351 @351 +ord_352 @352 +ord_353 @353 +ord_354 @354 +ord_355 @355 +ord_356 @356 +ord_357 @357 +ord_358 @358 +ord_359 @359 +ord_364 @364 +ord_365 @365 +ord_366 @366 +ord_367 @367 +ord_368 @368 +ord_369 @369 +ord_370 @370 +ord_371 @371 +ord_372 @372 +ord_375 @375 +ord_376 @376 +ord_377 @377 +ord_378 @378 +ord_379 @379 +ord_380 @380 +ord_381 @381 +ord_382 @382 +ord_384 @384 +ord_385 @385 +ord_386 @386 +ord_387 @387 +ord_388 @388 +ord_389 @389 +ord_390 @390 +ord_391 @391 +ord_392 @392 +ord_393 @393 +LCIECalculatePackedStringSize +LCIEPackString +LCIEUnpackString +ord_397 @397 +ord_398 @398 +ord_399 @399 +ord_400 @400 +ord_401 @401 +ord_402 @402 +ord_403 @403 +ord_404 @404 +ord_405 @405 +ord_406 @406 +ord_410 @410 +ord_411 @411 +ord_412 @412 +ord_413 @413 +ord_414 @414 +ord_415 @415 +ord_416 @416 +ord_417 @417 +ord_420 @420 +ord_421 @421 +ord_422 @422 +ord_423 @423 +ord_424 @424 +ord_425 @425 +ord_430 @430 +ord_431 @431 +ord_432 @432 +ord_433 @433 +ord_434 @434 +ord_435 @435 +ord_436 @436 +ord_437 @437 +ord_438 @438 +ord_440 @440 +ord_441 @441 +ord_442 @442 +ord_443 @443 +ord_444 @444 +ord_445 @445 +ord_450 @450 +ord_451 @451 +ord_452 @452 +ord_453 @453 +ord_454 @454 +ord_455 @455 +ord_456 @456 +ord_457 @457 +ord_458 @458 +ord_459 @459 +ord_460 @460 +ord_461 @461 +ord_462 @462 +ord_463 @463 +ord_464 @464 +ord_465 @465 +ord_466 @466 +ord_467 @467 +ord_470 @470 +ord_471 @471 +ord_472 @472 +ord_473 @473 +ord_474 @474 +ord_475 @475 +ord_476 @476 +ord_477 @477 +ord_478 @478 +ord_480 @480 +ord_481 @481 +ord_482 @482 +ord_500 @500 +ord_501 @501 +ord_502 @502 +ord_503 @503 +ord_504 @504 +ord_505 @505 +ord_506 @506 +ord_507 @507 +ord_508 @508 +ord_509 @509 +ord_510 @510 +ord_511 @511 +ord_512 @512 +ord_514 @514 +ord_515 @515 +ord_516 @516 +ord_517 @517 +ord_518 @518 +ord_519 @519 +ord_520 @520 +ord_521 @521 +ord_525 @525 +ord_526 @526 +ord_527 @527 +ord_528 @528 +ord_529 @529 +ord_530 @530 +ord_531 @531 +ord_533 @533 +ord_534 @534 +ord_535 @535 +ord_536 @536 +ord_537 @537 +ord_538 @538 +ord_539 @539 +ord_540 @540 +ord_541 @541 +ord_550 @550 +ord_551 @551 +ord_552 @552 +ord_553 @553 +ord_554 @554 +ord_555 @555 +ord_556 @556 +ord_557 @557 +ord_558 @558 +ord_559 @559 +ord_560 @560 +ord_561 @561 +ord_562 @562 +ord_563 @563 +ord_564 @564 +ord_565 @565 +ord_566 @566 +ord_567 @567 +ord_568 @568 +ord_569 @569 +ord_570 @570 +ord_574 @574 +ord_575 @575 +ord_576 @576 +ord_577 @577 +ord_578 @578 +ord_579 @579 +ord_580 @580 +ord_581 @581 +ord_582 @582 +ord_583 @583 +ord_584 @584 +ord_590 @590 +ord_591 @591 +ord_592 @592 +ord_593 @593 +ord_594 @594 +ord_600 @600 +ord_601 @601 +ord_602 @602 +ord_603 @603 +ord_604 @604 +ord_605 @605 +ord_606 @606 +ord_607 @607 +ord_608 @608 +ord_609 @609 +ord_650 @650 +ord_651 @651 +ord_652 @652 +ord_653 @653 +ord_654 @654 +ord_655 @655 +ord_656 @656 +ord_657 @657 +ord_658 @658 +ord_659 @659 +ord_660 @660 +ord_661 @661 +ord_662 @662 +ord_663 @663 +ord_664 @664 +ord_665 @665 +ord_666 @666 +ord_667 @667 +ord_668 @668 +ord_669 @669 +ord_670 @670 +ord_671 @671 +ord_672 @672 +ord_673 @673 +ord_674 @674 +ord_675 @675 +ord_676 @676 +ord_677 @677 +ord_678 @678 +ord_679 @679 +ord_680 @680 +ord_681 @681 +ord_682 @682 +ord_683 @683 +ord_684 @684 +ord_685 @685 +ord_686 @686 +ord_687 @687 +ord_688 @688 +ord_689 @689 +ord_700 @700 +ord_701 @701 +ord_702 @702 +ord_703 @703 +ord_705 @705 +ord_706 @706 +ord_707 @707 +ord_750 @750 +ord_751 @751 +ord_752 @752 +ord_753 @753 +ord_754 @754 +ord_763 @763 +ord_764 @764 +ord_765 @765 +ord_771 @771 +ord_772 @772 +ord_774 @774 +ord_775 @775 +ord_776 @776 +ord_779 @779 +ord_780 @780 +ord_781 @781 +ord_782 @782 +ord_783 @783 +ord_790 @790 +ord_791 @791 +ord_792 @792 +ord_793 @793 +ord_794 @794 +ord_795 @795 +ord_796 @796 diff --git a/lib/libc/mingw/libarm32/iesetup.def b/lib/libc/mingw/libarm32/iesetup.def new file mode 100644 index 0000000000..83fcd77324 --- /dev/null +++ b/lib/libc/mingw/libarm32/iesetup.def @@ -0,0 +1,14 @@ +; +; Definition file of iesetup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iesetup.dll" +EXPORTS +IEApplyCurrentHardening +IEHardenAdmin +IEHardenAdminNow +IEHardenLMSettings +IEHardenMachineNow +IEHardenUser +IEShowHardeningDialog diff --git a/lib/libc/mingw/libarm32/iesysprep.def b/lib/libc/mingw/libarm32/iesysprep.def new file mode 100644 index 0000000000..13ba7522cd --- /dev/null +++ b/lib/libc/mingw/libarm32/iesysprep.def @@ -0,0 +1,10 @@ +; +; Definition file of iesysprep.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iesysprep.dll" +EXPORTS +Sysprep_Cleanup_IE +Sysprep_Generalize_IE +Sysprep_Specialize_IE diff --git a/lib/libc/mingw/libarm32/ieui.def b/lib/libc/mingw/libarm32/ieui.def new file mode 100644 index 0000000000..4ca7f5b40b --- /dev/null +++ b/lib/libc/mingw/libarm32/ieui.def @@ -0,0 +1,155 @@ +; +; Definition file of IEUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IEUI.dll" +EXPORTS +DUserCastHandle +DUserDeleteGadget +GetStdColorBrushF +GetStdColorF +GetStdColorPenF +UtilDrawOutlineRect +AddGadgetMessageHandler +AddLayeredRef +AdjustClipInsideRef +AttachWndProcA +AttachWndProcW +AutoTrace +BeginHideInputPaneAnimation +BeginShowInputPaneAnimation +BuildAnimation +BuildDropTarget +BuildInterpolation +CacheDWriteRenderTarget +ChangeCurrentAnimationScenario +ClearPushedOpacitiesFromGadgetTree +ClearTopmostVisual +CreateAction +CreateGadget +CustomGadgetHitTestQuery +DUserBuildGadget +DUserCastClass +DUserCastDirect +DUserFindClass +DUserFlushDeferredMessages +DUserFlushMessages +DUserGetAlphaPRID +DUserGetGutsData +DUserGetRectPRID +DUserGetRotatePRID +DUserGetScalePRID +DUserInstanceOf +DUserPostEvent +DUserPostMethod +DUserRegisterGuts +DUserRegisterStub +DUserRegisterSuper +DUserSendEvent +DUserSendMethod +DUserStopAnimation +DUserStopPVLAnimation +DeleteHandle +DestroyPendingDCVisuals +DetachGadgetVisuals +DetachWndProc +DisableContainerHwnd +DrawGadgetTree +EndInputPaneAnimation +EnsureAnimationsEnabled +EnsureGadgetTransInitialized +EnumGadgets +FindGadgetFromPoint +FindGadgetMessages +FindGadgetTargetingInfo +FindStdColor +FireGadgetMessages +ForwardGadgetMessage +GadgetTransCompositionChanged +GadgetTransSettingChanged +GetActionTimeslice +GetCachedDWriteRenderTarget +GetDUserModule +GetDebug +GetFinalAnimatingPosition +GetGadget +GetGadgetAnimation +GetGadgetBitmap +GetGadgetBufferInfo +GetGadgetCenterPoint +GetGadgetFlags +GetGadgetFocus +GetGadgetLayerInfo +GetGadgetMessageFilter +GetGadgetProperty +GetGadgetRect +GetGadgetRgn +GetGadgetRootInfo +GetGadgetRotation +GetGadgetScale +GetGadgetSize +GetGadgetStyle +GetGadgetTicket +GetGadgetVisual +GetMessageExA +GetMessageExW +GetStdColorBrushI +GetStdColorI +GetStdColorName +GetStdColorPenI +GetStdPalette +InitGadgetComponent +InitGadgets +InvalidateGadget +InvalidateLayeredDescendants +IsGadgetParentChainStyle +IsInsideContext +IsStartDelete +LookupGadgetTicket +MapGadgetPoints +PeekMessageExA +PeekMessageExW +RegisterGadgetMessage +RegisterGadgetMessageString +RegisterGadgetProperty +ReleaseDetachedObjects +ReleaseLayeredRef +ReleaseMouseCapture +RemoveClippingImmunityFromVisual +RemoveGadgetMessageHandler +RemoveGadgetProperty +ResetDUserDevice +ScheduleGadgetTransitions +SetActionTimeslice +SetAtlasingHints +SetGadgetBufferInfo +SetGadgetCenterPoint +SetGadgetFillF +SetGadgetFillI +SetGadgetFlags +SetGadgetFocus +SetGadgetFocusEx +SetGadgetLayerInfo +SetGadgetMessageFilter +SetGadgetOrder +SetGadgetParent +SetGadgetProperty +SetGadgetRect +SetGadgetRootInfo +SetGadgetRotation +SetGadgetScale +SetGadgetStyle +SetHardwareDeviceUsage +SetMinimumDCompVersion +SetRestoreCachedLayeredRefFlag +SetTransitionVisualProperties +SetWindowResizeFlag +UnregisterGadgetMessage +UnregisterGadgetMessageString +UnregisterGadgetProperty +UtilBuildFont +UtilDrawBlendRect +UtilGetColor +UtilSetBackground +WaitMessageEx diff --git a/lib/libc/mingw/libarm32/igddiag.def b/lib/libc/mingw/libarm32/igddiag.def new file mode 100644 index 0000000000..8432039469 --- /dev/null +++ b/lib/libc/mingw/libarm32/igddiag.def @@ -0,0 +1,8 @@ +; +; Definition file of igdDiag.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "igdDiag.DLL" +EXPORTS +DetectNAT diff --git a/lib/libc/mingw/libarm32/ikeext.def b/lib/libc/mingw/libarm32/ikeext.def new file mode 100644 index 0000000000..703ca8d8a3 --- /dev/null +++ b/lib/libc/mingw/libarm32/ikeext.def @@ -0,0 +1,9 @@ +; +; Definition file of ikeext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ikeext.dll" +EXPORTS +IkeServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/iphlpsvc.def b/lib/libc/mingw/libarm32/iphlpsvc.def new file mode 100644 index 0000000000..13c412c95a --- /dev/null +++ b/lib/libc/mingw/libarm32/iphlpsvc.def @@ -0,0 +1,10 @@ +; +; Definition file of iphlpsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iphlpsvc.dll" +EXPORTS +IphlpsvcSysprepGeneralize +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/ipsecsvc.def b/lib/libc/mingw/libarm32/ipsecsvc.def new file mode 100644 index 0000000000..b35fd6cd7f --- /dev/null +++ b/lib/libc/mingw/libarm32/ipsecsvc.def @@ -0,0 +1,8 @@ +; +; Definition file of IPSECSVC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "IPSECSVC.DLL" +EXPORTS +SpdServiceMain diff --git a/lib/libc/mingw/libarm32/iuilp.def b/lib/libc/mingw/libarm32/iuilp.def new file mode 100644 index 0000000000..25e60908db --- /dev/null +++ b/lib/libc/mingw/libarm32/iuilp.def @@ -0,0 +1,16 @@ +; +; Definition file of iuilp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iuilp.dll" +EXPORTS +GetDefaultLauncherLayout +GetDefaultAppsList +GetLayoutPolicyCheckerInstance +GetLayoutPolicy +CloseLayoutPolicyCheckerInstance +GetAllDefaultApps +GetCategoryForAppUserModelID +GetUpgradeHighlightStatusForAppID +GetWindows8UpgradeReplacementAppID diff --git a/lib/libc/mingw/libarm32/jscript9.def b/lib/libc/mingw/libarm32/jscript9.def new file mode 100644 index 0000000000..3668e6d34a --- /dev/null +++ b/lib/libc/mingw/libarm32/jscript9.def @@ -0,0 +1,100 @@ +; +; Definition file of JSCRIPT9.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "JSCRIPT9.dll" +EXPORTS +JsAddRef +JsBoolToBoolean +JsBooleanToBool +JsCallFunction +JsCollectGarbage +JsConstructObject +JsConvertValueToBoolean +JsConvertValueToNumber +JsConvertValueToObject +JsConvertValueToString +JsCreateArray +JsCreateContext +JsCreateError +JsCreateExternalObject +JsCreateExternalType +JsCreateFunction +JsCreateObject +JsCreateRangeError +JsCreateReferenceError +JsCreateRuntime +JsCreateSyntaxError +JsCreateTypeError +JsCreateTypedExternalObject +JsCreateURIError +JsDefineProperty +JsDeleteIndexedProperty +JsDeleteProperty +JsDisableRuntimeExecution +JsDisposeRuntime +JsDoubleToNumber +JsEnableRuntimeExecution +JsEnumerateHeap +JsEquals +JsGetAndClearException +JsGetCurrentContext +JsGetDefaultTypeDescription +JsGetExtensionAllowed +JsGetExternalData +JsGetExternalType +JsGetFalseValue +JsGetGlobalObject +JsGetIndexedProperty +JsGetNullValue +JsGetOwnPropertyDescriptor +JsGetOwnPropertyNames +JsGetProperty +JsGetPropertyIdFromName +JsGetPropertyNameFromId +JsGetPrototype +JsGetRuntime +JsGetRuntimeMemoryLimit +JsGetRuntimeMemoryUsage +JsGetStringLength +JsGetTrueValue +JsGetUndefinedValue +JsGetValueType +JsHasException +JsHasExternalData +JsHasIndexedProperty +JsHasProperty +JsIdle +JsIntToNumber +JsIsEnumeratingHeap +JsIsRuntimeExecutionDisabled +JsNumberToDouble +JsParseScript +JsParseSerializedScript +JsPointerToString +JsPreventExtension +JsRelease +JsRunScript +JsRunSerializedScript +JsSerializeScript +JsSetCurrentContext +JsSetException +JsSetExternalData +JsSetIndexedProperty +JsSetProperty +JsSetPrototype +JsSetRuntimeBeforeCollectCallback +JsSetRuntimeMemoryAllocationCallback +JsSetRuntimeMemoryLimit +JsStartDebugging +JsStartProfiling +JsStopProfiling +JsStrictEquals +JsStringToPointer +JsValueToVariant +JsVarAddRef +JsVarRelease +JsVarToExtension +JsVarToScriptDirect +JsVariantToValue diff --git a/lib/libc/mingw/libarm32/jscript9diag.def b/lib/libc/mingw/libarm32/jscript9diag.def new file mode 100644 index 0000000000..96a3685ff7 --- /dev/null +++ b/lib/libc/mingw/libarm32/jscript9diag.def @@ -0,0 +1,9 @@ +; +; Definition file of JSCRIPT9DIAG.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "JSCRIPT9DIAG.dll" +EXPORTS +FreeDumpStreams +GetDumpStreams diff --git a/lib/libc/mingw/libarm32/kd.def b/lib/libc/mingw/libarm32/kd.def new file mode 100644 index 0000000000..bbb527888e --- /dev/null +++ b/lib/libc/mingw/libarm32/kd.def @@ -0,0 +1,16 @@ +; +; Definition file of KD.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KD.dll" +EXPORTS +KdD0Transition +KdD3Transition +KdDebuggerInitialize0 +KdDebuggerInitialize1 +KdReceivePacket +KdRestore +KdSave +KdSendPacket +KdSetHiberRange diff --git a/lib/libc/mingw/libarm32/kdscli.def b/lib/libc/mingw/libarm32/kdscli.def new file mode 100644 index 0000000000..c422365e65 --- /dev/null +++ b/lib/libc/mingw/libarm32/kdscli.def @@ -0,0 +1,55 @@ +; +; Definition file of KdsCli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KdsCli.dll" +EXPORTS +CreateRootKey +DeleteAllCachedKeys +FindAndReadSIDKeyInCache +FindKeyForOfflineUsage +FreeRootKey +FreeRootKeyConfig +FreeRootKeyMetaDataList +FreeServerConfig +GenerateDerivedKey +GenerateEphemeralKeyPair +GenerateKDFContext +GenerateSIDPublicKeyBlob +GenerateSecretAgreementPrivateKey +GetAllRootKeys +GetAllRootKeysMetaData +GetAndLockCachedRPCBinding +GetCachedMachineDomainInfo +GetCurrentIntervalID +GetCurrentL0ID +GetCurrentTimeInULL +GetDCInfo +GetDefaultServerConfig +GetFullDCName +GetIntervalStartTime +GetKDSSrvConfigPath +GetKdsKeyCycleDuration +GetKey +GetLdapBinding +GetMRKPath +GetRootKey +GetSIDKeyCacheFolder +GetSIDKeyFileName +GetServerConfig +GetUserSidStr +KdsCreateClientBinding +KdsGetEpochLength +KdsGetGmsaPasswordBasedOnKeyId +KdsGetGmsaPasswordBasedOnTimestamp +KdsGetKeyStartTime +SIDKeyProtect +SIDKeyProvAlloc +SIDKeyProvFree +SIDKeyUnprotect +SetServerConfig +TestServerConfig +UnlockRpcCache +ValidateSrvConfig +WriteSIDKeyInCache diff --git a/lib/libc/mingw/libarm32/kdusb.def b/lib/libc/mingw/libarm32/kdusb.def new file mode 100644 index 0000000000..b0515291d4 --- /dev/null +++ b/lib/libc/mingw/libarm32/kdusb.def @@ -0,0 +1,16 @@ +; +; Definition file of KDUSB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KDUSB.dll" +EXPORTS +KdD0Transition +KdD3Transition +KdDebuggerInitialize0 +KdDebuggerInitialize1 +KdReceivePacket +KdRestore +KdSave +KdSendPacket +KdSetHiberRange diff --git a/lib/libc/mingw/libarm32/keepaliveprovider.def b/lib/libc/mingw/libarm32/keepaliveprovider.def new file mode 100644 index 0000000000..4ee07f6da9 --- /dev/null +++ b/lib/libc/mingw/libarm32/keepaliveprovider.def @@ -0,0 +1,9 @@ +; +; Definition file of KEEPALIVEPROVIDER.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KEEPALIVEPROVIDER.DLL" +EXPORTS +KAMSS_DeregisterProvider +KAMSS_RegisterProvider diff --git a/lib/libc/mingw/libarm32/kerberos.def b/lib/libc/mingw/libarm32/kerberos.def new file mode 100644 index 0000000000..e3488242c4 --- /dev/null +++ b/lib/libc/mingw/libarm32/kerberos.def @@ -0,0 +1,17 @@ +; +; Definition file of Kerberos.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Kerberos.dll" +EXPORTS +SpInitialize +KerbDomainChangeCallback +SpLsaModeInitialize +SpUserModeInitialize +KerbCreateTokenFromTicket +KerbIsInitialized +KerbKdcCallBack +KerbMakeKdcCall +Kerberos +SpInstanceInit diff --git a/lib/libc/mingw/libarm32/kernel.appcore.def b/lib/libc/mingw/libarm32/kernel.appcore.def new file mode 100644 index 0000000000..7c7e48e022 --- /dev/null +++ b/lib/libc/mingw/libarm32/kernel.appcore.def @@ -0,0 +1,126 @@ +; +; Definition file of AppCore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "AppCore.dll" +EXPORTS +AcquireStateLock +AppContainerDeriveSidFromMoniker +AppContainerFreeMemory +AppContainerLookupDisplayNameMrtReference +AppContainerLookupMoniker +AppContainerRegisterSid +AppContainerUnregisterSid +AppXFreeMemory +AppXGetApplicationData +AppXGetDevelopmentMode +AppXGetOSMaxVersionTested +AppXGetOSMinVersion +AppXGetPackageCapabilities +AppXGetPackageSid +AppXGetPackageState +AppXLookupDisplayName +AppXLookupMoniker +AppXSetPackageState +CheckIfStateChangeNotificationExists +ClosePackageInfo +CloseState +CloseStateAtom +CloseStateChangeNotification +CloseStateContainer +CloseStateLock +CommitStateAtom +CreateStateAtom +CreateStateChangeNotification +CreateStateContainer +CreateStateLock +CreateStateSubcontainer +DeleteStateAtomValue +DeleteStateContainer +DeleteStateContainerValue +DuplicateStateContainerHandle +EnumerateStateAtomValues +EnumerateStateContainerItems +FindPackagesByPackageFamily +FormatApplicationUserModelId +GetAppModelVersion +GetApplicationUserModelId +GetCurrentApplicationUserModelId +GetCurrentPackageApplicationContext +GetCurrentPackageApplicationResourcesContext +GetCurrentPackageContext +GetCurrentPackageFamilyName +GetCurrentPackageFullName +GetCurrentPackageId +GetCurrentPackageInfo +GetCurrentPackagePath +GetCurrentPackageResourcesContext +GetCurrentPackageSecurityContext +GetHivePath +GetPackageApplicationContext +GetPackageApplicationIds +GetPackageApplicationProperty +GetPackageApplicationPropertyString +GetPackageApplicationResourcesContext +GetPackageContext +GetPackageFamilyName +GetPackageFullName +GetPackageId +GetPackageInfo +GetPackageInstallTime +GetPackageOSMaxVersionTested +GetPackagePath +GetPackagePathByFullName +GetPackageProperty +GetPackagePropertyString +GetPackageResourcesContext +GetPackageResourcesProperty +GetPackageSecurityContext +GetPackageSecurityProperty +GetPackagesByPackageFamily +GetRoamingLastObservedChangeTime +GetSerializedAtomBytes +GetStagedPackageOrigin +GetStagedPackagePathByFullName +GetStateContainerDepth +GetStateFolder +GetStateRootFolder +GetStateSettingsFolder +GetStateVersion +GetSystemAppDataFolder +GetSystemAppDataKey +InvalidateAppModelVersionCache +OpenPackageInfoByFullName +OpenState +OpenStateAtom +OpenStateExplicit +OverrideRoamingDataModificationTimesInRange +PackageFamilyNameFromFullName +PackageFamilyNameFromId +PackageFullNameFromId +PackageIdFromFullName +PackageNameAndPublisherIdFromFamilyName +ParseApplicationUserModelId +PsmActivateApplicationByToken +PsmAdjustActivationToken +PsmCreateMatchToken +PsmQueryBackgroundActivationType +PsmRegisterApplicationProcess +PublishStateChangeNotification +QueryStateAtomValueInfo +QueryStateContainerItemInfo +ReadStateAtomValue +ReadStateContainerValue +RegisterStateChangeNotification +RegisterStateLock +ReleaseStateLock +ResetState +SetRoamingLastObservedChangeTime +SetStateVersion +SubscribeStateChangeNotification +UnregisterStateChangeNotification +UnregisterStateLock +UnsubscribeStateChangeNotification +WriteStateAtomValue +WriteStateContainerValue diff --git a/lib/libc/mingw/libarm32/kernelbase.def b/lib/libc/mingw/libarm32/kernelbase.def new file mode 100644 index 0000000000..954ea2dc11 --- /dev/null +++ b/lib/libc/mingw/libarm32/kernelbase.def @@ -0,0 +1,1909 @@ +; +; Definition file of KERNELBASE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KERNELBASE.dll" +EXPORTS +PackageSidFromProductId +AccessCheck +AccessCheckAndAuditAlarmW +AccessCheckByType +AccessCheckByTypeAndAuditAlarmW +AccessCheckByTypeResultList +AccessCheckByTypeResultListAndAuditAlarmByHandleW +AccessCheckByTypeResultListAndAuditAlarmW +AcquireSRWLockExclusive +AcquireSRWLockShared +AcquireStateLock +ActivateActCtx +AddAccessAllowedAce +AddAccessAllowedAceEx +AddAccessAllowedObjectAce +AddAccessDeniedAce +AddAccessDeniedAceEx +AddAccessDeniedObjectAce +AddAce +AddAuditAccessAce +AddAuditAccessAceEx +AddAuditAccessObjectAce +AddConsoleAliasA +AddConsoleAliasW +AddDllDirectory +AddExtensionProgId +AddMandatoryAce +AddPackageToFamilyXref +AddRefActCtx +AddResourceAttributeAce +AddSIDToBoundaryDescriptor +AddScopedPolicyIDAce +AddVectoredContinueHandler +AddVectoredExceptionHandler +AdjustTokenGroups +AdjustTokenPrivileges +AllocConsole +AllocateAndInitializeSid +AllocateLocallyUniqueId +AllocateUserPhysicalPages +AllocateUserPhysicalPagesNuma +AppContainerDeriveSidFromMoniker +AppContainerFreeMemory +AppContainerLookupDisplayNameMrtReference +AppContainerLookupMoniker +AppContainerRegisterSid +AppContainerUnregisterSid +AppPolicyGetClrCompat +AppPolicyGetCreateFileAccess +AppPolicyGetLifecycleManagement +AppPolicyGetMediaFoundationCodecLoading +AppPolicyGetProcessTerminationMethod +AppPolicyGetShowDeveloperDiagnostic +AppPolicyGetThreadInitializationType +AppPolicyGetWindowingModel +AppXFreeMemory +AppXGetApplicationData +AppXGetDevelopmentMode +AppXGetOSMaxVersionTested +AppXGetOSMinVersion +AppXGetPackageCapabilities +AppXGetPackageSid +AppXGetPackageState +AppXLookupDisplayName +AppXLookupMoniker +AppXPostSuccessExtension +AppXPreCreationExtension +AppXReleaseAppXContext +AppXSetPackageState +AppXUpdatePackageCapabilities +ApplicationUserModelIdFromProductId +AreAllAccessesGranted +AreAnyAccessesGranted +AreFileApisANSI +AreThereVisibleLogoffScriptsInternal +AreThereVisibleShutdownScriptsInternal +AttachConsole +BaseCheckAppcompatCache +BaseCheckAppcompatCacheEx +BaseCleanupAppcompatCacheSupport +BaseDllFreeResourceId +BaseDllMapResourceIdW +BaseDumpAppcompatCache +BaseFlushAppcompatCache +BaseFormatObjectAttributes +BaseFreeAppCompatDataForProcess +BaseGetConsoleReference +BaseGetNamedObjectDirectory +BaseInitAppcompatCacheSupport +BaseIsAppcompatInfrastructureDisabled +BaseMarkFileForDelete +BaseReadAppCompatDataForProcess +BaseUpdateAppcompatCache +BasepAdjustObjectAttributesForPrivateNamespace +BasepCopyFileCallback +BasepCopyFileExW +BasepNotifyTrackingService +Beep +BemCopyReference +BemCreateContractFrom +BemCreateReference +BemFreeContract +BemFreeReference +CLOSE_LOCAL_HANDLE_INTERNAL +CallEnclave +CallNamedPipeW +CallbackMayRunLong +CancelIo +CancelIoEx +CancelSynchronousIo +CancelThreadpoolIo +CancelWaitableTimer +CeipIsOptedIn +ChangeTimerQueueTimer +CharLowerA +CharLowerBuffA +CharLowerBuffW +CharLowerW +CharNextA +CharNextExA +CharNextW +CharPrevA +CharPrevExA +CharPrevW +CharUpperA +CharUpperBuffA +CharUpperBuffW +CharUpperW +CheckAllowDecryptedRemoteDestinationPolicy +CheckGroupPolicyEnabled +CheckIfStateChangeNotificationExists +CheckRemoteDebuggerPresent +CheckTokenCapability +CheckTokenMembership +CheckTokenMembershipEx +ChrCmpIA +ChrCmpIW +ClearCommBreak +ClearCommError +CloseHandle +ClosePackageInfo +ClosePrivateNamespace +ClosePseudoConsole +CloseState +CloseStateAtom +CloseStateChangeNotification +CloseStateContainer +CloseStateLock +CloseThreadpool +CloseThreadpoolCleanupGroup +CloseThreadpoolCleanupGroupMembers +CloseThreadpoolIo +CloseThreadpoolTimer +CloseThreadpoolWait +CloseThreadpoolWork +CommitStateAtom +CompareFileTime +CompareObjectHandles +CompareStringA +CompareStringEx +CompareStringOrdinal +CompareStringW +ConnectNamedPipe +ContinueDebugEvent +ConvertAuxiliaryCounterToPerformanceCounter +ConvertDefaultLocale +ConvertFiberToThread +ConvertPerformanceCounterToAuxiliaryCounter +ConvertThreadToFiber +ConvertThreadToFiberEx +ConvertToAutoInheritPrivateObjectSecurity +CopyContext +CopyFile2 +CopyFileExW +CopyFileW +CopySid +CouldMultiUserAppsBehaviorBePossibleForPackage +CreateActCtxW +CreateAppContainerToken +CreateBoundaryDescriptorW +CreateConsoleScreenBuffer +CreateDirectoryA +CreateDirectoryExW +CreateDirectoryW +CreateEnclave +CreateEventA +CreateEventExA +CreateEventExW +CreateEventW +CreateFiber +CreateFiberEx +CreateFile2 +CreateFileA +CreateFileMapping2 +CreateFileMappingFromApp +CreateFileMappingNumaW +CreateFileMappingW +CreateFileW +CreateHardLinkA +CreateHardLinkW +CreateIoCompletionPort +CreateMemoryResourceNotification +CreateMutexA +CreateMutexExA +CreateMutexExW +CreateMutexW +CreateNamedPipeW +CreatePipe +CreatePrivateNamespaceW +CreatePrivateObjectSecurity +CreatePrivateObjectSecurityEx +CreatePrivateObjectSecurityWithMultipleInheritance +CreateProcessA +CreateProcessAsUserA +CreateProcessAsUserW +CreateProcessInternalA +CreateProcessInternalW +CreateProcessW +CreatePseudoConsole +CreatePseudoConsoleAsUser +CreateRemoteThread +CreateRemoteThreadEx +CreateRestrictedToken +CreateSemaphoreExW +CreateSemaphoreW +CreateStateAtom +CreateStateChangeNotification +CreateStateContainer +CreateStateLock +CreateStateSubcontainer +CreateSymbolicLinkW +CreateThread +CreateThreadpool +CreateThreadpoolCleanupGroup +CreateThreadpoolIo +CreateThreadpoolTimer +CreateThreadpoolWait +CreateThreadpoolWork +CreateTimerQueue +CreateTimerQueueTimer +CreateWaitableTimerExW +CreateWaitableTimerW +CreateWellKnownSid +CtrlRoutine +CveEventWrite +DeactivateActCtx +DebugActiveProcess +DebugActiveProcessStop +DebugBreak +DecodePointer +DecodeRemotePointer +DecodeSystemPointer +DefineDosDeviceW +DelayLoadFailureHook +DelayLoadFailureHookLookup +DeleteAce +DeleteBoundaryDescriptor +DeleteCriticalSection +DeleteEnclave +DeleteFiber +DeleteFileA +DeleteFileW +DeleteProcThreadAttributeList +DeleteStateAtomValue +DeleteStateContainer +DeleteStateContainerValue +DeleteSynchronizationBarrier +DeleteTimerQueueEx +DeleteTimerQueueTimer +DeleteVolumeMountPointW +DeriveCapabilitySidsFromName +DestroyPrivateObjectSecurity +DeviceIoControl +DisablePredefinedHandleTableInternal +DisableThreadLibraryCalls +DisassociateCurrentThreadFromCallback +DiscardVirtualMemory +DisconnectNamedPipe +DnsHostnameToComputerNameExW +DsBindWithSpnExW +DsCrackNamesW +DsFreeDomainControllerInfoW +DsFreeNameResultW +DsFreeNgcKey +DsFreePasswordCredentials +DsGetDomainControllerInfoW +DsMakePasswordCredentialsW +DsReadNgcKeyW +DsUnBindW +DsWriteNgcKeyW +DuplicateHandle +DuplicateStateContainerHandle +DuplicateToken +DuplicateTokenEx +EmptyWorkingSet +EncodePointer +EncodeRemotePointer +EncodeSystemPointer +EnterCriticalPolicySectionInternal +EnterCriticalSection +EnterSynchronizationBarrier +EnumCalendarInfoExEx +EnumCalendarInfoExW +EnumCalendarInfoW +EnumDateFormatsExEx +EnumDateFormatsExW +EnumDateFormatsW +EnumDeviceDrivers +EnumDynamicTimeZoneInformation +EnumLanguageGroupLocalesW +EnumPageFilesA +EnumPageFilesW +EnumProcessModules +EnumProcessModulesEx +EnumProcesses +EnumResourceLanguagesExA +EnumResourceLanguagesExW +EnumResourceNamesExA +EnumResourceNamesExW +EnumResourceNamesW +EnumResourceTypesExA +EnumResourceTypesExW +EnumSystemCodePagesW +EnumSystemFirmwareTables +EnumSystemGeoID +EnumSystemGeoNames +EnumSystemLanguageGroupsW +EnumSystemLocalesA +EnumSystemLocalesEx +EnumSystemLocalesW +EnumTimeFormatsEx +EnumTimeFormatsW +EnumUILanguagesW +EnumerateExtensionNames +EnumerateStateAtomValues +EnumerateStateContainerItems +EqualDomainSid +EqualPrefixSid +EqualSid +EscapeCommFunction +EventActivityIdControl +EventEnabled +EventProviderEnabled +EventRegister +EventSetInformation +EventUnregister +EventWrite +EventWriteEx +EventWriteString +EventWriteTransfer +ExitProcess +ExitThread +ExpandEnvironmentStringsA +ExpandEnvironmentStringsW +ExpungeConsoleCommandHistoryA +ExpungeConsoleCommandHistoryW +ExtensionProgIdExists +FatalAppExitA +FatalAppExitW +FileTimeToLocalFileTime +FileTimeToSystemTime +FillConsoleOutputAttribute +FillConsoleOutputCharacterA +FillConsoleOutputCharacterW +FindActCtxSectionGuid +FindActCtxSectionStringW +FindClose +FindCloseChangeNotification +FindFirstChangeNotificationA +FindFirstChangeNotificationW +FindFirstFileA +FindFirstFileExA +FindFirstFileExW +FindFirstFileNameW +FindFirstFileW +FindFirstFreeAce +FindFirstStreamW +FindFirstVolumeW +FindNLSString +FindNLSStringEx +FindNextChangeNotification +FindNextFileA +FindNextFileNameW +FindNextFileW +FindNextStreamW +FindNextVolumeW +FindPackagesByPackageFamily +FindResourceExW +FindResourceW +FindStringOrdinal +FindVolumeClose +FlsAlloc +FlsFree +FlsGetValue +FlsSetValue +FlushConsoleInputBuffer +FlushFileBuffers +FlushInstructionCache +FlushProcessWriteBuffers +FlushViewOfFile +FoldStringW +ForceSyncFgPolicyInternal +FormatApplicationUserModelId +FormatApplicationUserModelIdA +FormatMessageA +FormatMessageW +FreeConsole +FreeEnvironmentStringsA +FreeEnvironmentStringsW +FreeGPOListInternalA +FreeGPOListInternalW +FreeLibrary +FreeLibraryAndExitThread +FreeLibraryWhenCallbackReturns +FreeResource +FreeSid +FreeUserPhysicalPages +GenerateConsoleCtrlEvent +GenerateGPNotificationInternal +GetACP +GetAcceptLanguagesA +GetAcceptLanguagesW +GetAce +GetAclInformation +GetAdjustObjectAttributesForPrivateNamespaceRoutine +GetAlternatePackageRoots +GetAppContainerAce +GetAppContainerNamedObjectPath +GetAppDataFolder +GetAppModelVersion +GetApplicationRecoveryCallback +GetApplicationRestartSettings +GetApplicationUserModelId +GetApplicationUserModelIdFromToken +GetAppliedGPOListInternalA +GetAppliedGPOListInternalW +GetCPFileNameFromRegistry +GetCPHashNode +GetCPInfo +GetCPInfoExW +GetCachedSigningLevel +GetCalendar +GetCalendarInfoEx +GetCalendarInfoW +GetCommConfig +GetCommMask +GetCommModemStatus +GetCommPorts +GetCommProperties +GetCommState +GetCommTimeouts +GetCommandLineA +GetCommandLineW +GetCompressedFileSizeA +GetCompressedFileSizeW +GetComputerNameExA +GetComputerNameExW +GetConsoleAliasA +GetConsoleAliasExesA +GetConsoleAliasExesLengthA +GetConsoleAliasExesLengthW +GetConsoleAliasExesW +GetConsoleAliasW +GetConsoleAliasesA +GetConsoleAliasesLengthA +GetConsoleAliasesLengthW +GetConsoleAliasesW +GetConsoleCP +GetConsoleCommandHistoryA +GetConsoleCommandHistoryLengthA +GetConsoleCommandHistoryLengthW +GetConsoleCommandHistoryW +GetConsoleCursorInfo +GetConsoleDisplayMode +GetConsoleFontSize +GetConsoleHistoryInfo +GetConsoleInputExeNameA +GetConsoleInputExeNameW +GetConsoleMode +GetConsoleOriginalTitleA +GetConsoleOriginalTitleW +GetConsoleOutputCP +GetConsoleProcessList +GetConsoleScreenBufferInfo +GetConsoleScreenBufferInfoEx +GetConsoleSelectionInfo +GetConsoleTitleA +GetConsoleTitleW +GetConsoleWindow +GetCurrencyFormatEx +GetCurrencyFormatW +GetCurrentActCtx +GetCurrentApplicationUserModelId +GetCurrentConsoleFont +GetCurrentConsoleFontEx +GetCurrentDirectoryA +GetCurrentDirectoryW +GetCurrentPackageApplicationContext +GetCurrentPackageApplicationResourcesContext +GetCurrentPackageContext +GetCurrentPackageFamilyName +GetCurrentPackageFullName +GetCurrentPackageId +GetCurrentPackageInfo +GetCurrentPackageInfo2 +GetCurrentPackagePath +GetCurrentPackagePath2 +GetCurrentPackageResourcesContext +GetCurrentPackageSecurityContext +GetCurrentProcess +GetCurrentProcessId +GetCurrentProcessorNumber +GetCurrentProcessorNumberEx +GetCurrentTargetPlatformContext +GetCurrentThread +GetCurrentThreadId +GetCurrentThreadStackLimits +GetDateFormatA +GetDateFormatEx +GetDateFormatW +GetDeviceDriverBaseNameA +GetDeviceDriverBaseNameW +GetDeviceDriverFileNameA +GetDeviceDriverFileNameW +GetDiskFreeSpaceA +GetDiskFreeSpaceExA +GetDiskFreeSpaceExW +GetDiskFreeSpaceW +GetDiskSpaceInformationA +GetDiskSpaceInformationW +GetDriveTypeA +GetDriveTypeW +GetDurationFormatEx +GetDynamicTimeZoneInformation +GetDynamicTimeZoneInformationEffectiveYears +GetEffectivePackageStatusForUser +GetEffectivePackageStatusForUserSid +GetEightBitStringToUnicodeSizeRoutine +GetEightBitStringToUnicodeStringRoutine +GetEnvironmentStrings +GetEnvironmentStringsA +GetEnvironmentStringsW +GetEnvironmentVariableA +GetEnvironmentVariableW +GetEraNameCountedString +GetErrorMode +GetExitCodeProcess +GetExitCodeThread +GetExtensionApplicationUserModelId +GetExtensionProgIds +GetExtensionProperty +GetExtensionProperty2 +GetFallbackDisplayName +GetFileAttributesA +GetFileAttributesExA +GetFileAttributesExW +GetFileAttributesW +GetFileInformationByHandle +GetFileInformationByHandleEx +GetFileMUIInfo +GetFileMUIPath +GetFileSecurityW +GetFileSize +GetFileSizeEx +GetFileTime +GetFileType +GetFileVersionInfoA +GetFileVersionInfoByHandle +GetFileVersionInfoExA +GetFileVersionInfoExW +GetFileVersionInfoSizeA +GetFileVersionInfoSizeExA +GetFileVersionInfoSizeExW +GetFileVersionInfoSizeW +GetFileVersionInfoW +GetFinalPathNameByHandleA +GetFinalPathNameByHandleW +GetFullPathNameA +GetFullPathNameW +GetGPOListInternalA +GetGPOListInternalW +GetGamingDeviceModelInformation +GetGeoInfoEx +GetGeoInfoW +GetHandleInformation +GetHivePath +GetIntegratedDisplaySize +GetIsEdpEnabled +GetIsWdagEnabled +GetKernelObjectSecurity +GetLargePageMinimum +GetLargestConsoleWindowSize +GetLastError +GetLengthSid +GetLocalTime +GetLocaleInfoA +GetLocaleInfoEx +GetLocaleInfoHelper +GetLocaleInfoW +GetLogicalDriveStringsW +GetLogicalDrives +GetLogicalProcessorInformation +GetLogicalProcessorInformationEx +GetLongPathNameA +GetLongPathNameW +GetMappedFileNameA +GetMappedFileNameW +GetMemoryErrorHandlingCapabilities +GetModuleBaseNameA +GetModuleBaseNameW +GetModuleFileNameA +GetModuleFileNameExA +GetModuleFileNameExW +GetModuleFileNameW +GetModuleHandleA +GetModuleHandleExA +GetModuleHandleExW +GetModuleHandleW +GetModuleInformation +GetNLSVersion +GetNLSVersionEx +GetNamedLocaleHashNode +GetNamedPipeAttribute +GetNamedPipeClientComputerNameW +GetNamedPipeHandleStateW +GetNamedPipeInfo +GetNativeSystemInfo +GetNextFgPolicyRefreshInfoInternal +GetNumaHighestNodeNumber +GetNumaNodeProcessorMaskEx +GetNumaProximityNodeEx +GetNumberFormatEx +GetNumberFormatW +GetNumberOfConsoleInputEvents +GetNumberOfConsoleMouseButtons +GetOEMCP +GetOsManufacturingMode +GetOsSafeBootMode +GetOverlappedResult +GetOverlappedResultEx +GetPackageApplicationContext +GetPackageApplicationIds +GetPackageApplicationProperty +GetPackageApplicationPropertyString +GetPackageApplicationResourcesContext +GetPackageContext +GetPackageFamilyName +GetPackageFamilyNameFromProgId +GetPackageFamilyNameFromToken +GetPackageFullName +GetPackageFullNameFromToken +GetPackageId +GetPackageInfo +GetPackageInfo2 +GetPackageInstallTime +GetPackageOSMaxVersionTested +GetPackagePath +GetPackagePathByFullName +GetPackagePathByFullName2 +GetPackagePathOnVolume +GetPackageProperty +GetPackagePropertyString +GetPackageResourcesContext +GetPackageResourcesProperty +GetPackageSecurityContext +GetPackageSecurityProperty +GetPackageStatus +GetPackageStatusForUser +GetPackageStatusForUserSid +GetPackageTargetPlatformProperty +GetPackageVolumeSisPath +GetPackagesByPackageFamily +GetPerformanceInfo +GetPersistedFileLocationW +GetPersistedRegistryLocationW +GetPersistedRegistryValueW +GetPhysicallyInstalledSystemMemory +GetPreviousFgPolicyRefreshInfoInternal +GetPriorityClass +GetPrivateObjectSecurity +GetProcAddress +GetProcAddressForCaller +GetProcessDefaultCpuSets +GetProcessGroupAffinity +GetProcessHandleCount +GetProcessHeap +GetProcessHeaps +GetProcessId +GetProcessIdOfThread +GetProcessImageFileNameA +GetProcessImageFileNameW +GetProcessInformation +GetProcessMemoryInfo +GetProcessMitigationPolicy +GetProcessPreferredUILanguages +GetProcessPriorityBoost +GetProcessShutdownParameters +GetProcessTimes +GetProcessVersion +GetProcessWorkingSetSizeEx +GetProcessorSystemCycleTime +GetProductInfo +GetProtocolAumid +GetProtocolProperty +GetPtrCalData +GetPtrCalDataArray +GetPublisherCacheFolder +GetPublisherRootFolder +GetQueuedCompletionStatus +GetQueuedCompletionStatusEx +GetRegistryExtensionFlags +GetRegistryValueWithFallbackW +GetRoamingLastObservedChangeTime +GetSecureSystemAppDataFolder +GetSecurityDescriptorControl +GetSecurityDescriptorDacl +GetSecurityDescriptorGroup +GetSecurityDescriptorLength +GetSecurityDescriptorOwner +GetSecurityDescriptorRMControl +GetSecurityDescriptorSacl +GetSerializedAtomBytes +GetSharedLocalFolder +GetShortPathNameW +GetSidIdentifierAuthority +GetSidLengthRequired +GetSidSubAuthority +GetSidSubAuthorityCount +GetStagedPackageOrigin +GetStagedPackagePathByFullName +GetStagedPackagePathByFullName2 +GetStartupInfoW +GetStateContainerDepth +GetStateFolder +GetStateRootFolder +GetStateRootFolderBase +GetStateSettingsFolder +GetStateVersion +GetStdHandle +GetStringScripts +GetStringTableEntry +GetStringTypeA +GetStringTypeExW +GetStringTypeW +GetSystemAppDataFolder +GetSystemAppDataKey +GetSystemCpuSetInformation +GetSystemDefaultLCID +GetSystemDefaultLangID +GetSystemDefaultLocaleName +GetSystemDefaultUILanguage +GetSystemDirectoryA +GetSystemDirectoryW +GetSystemFileCacheSize +GetSystemFirmwareTable +GetSystemInfo +GetSystemLeapSecondInformation +GetSystemMetadataPath +GetSystemMetadataPathForPackage +GetSystemMetadataPathForPackageFamily +GetSystemPreferredUILanguages +GetSystemStateRootFolder +GetSystemTime +GetSystemTimeAdjustment +GetSystemTimeAdjustmentPrecise +GetSystemTimeAsFileTime +GetSystemTimePreciseAsFileTime +GetSystemTimes +GetSystemWindowsDirectoryA +GetSystemWindowsDirectoryW +GetSystemWow64Directory2A +GetSystemWow64Directory2W +GetSystemWow64DirectoryA +GetSystemWow64DirectoryW +GetTargetPlatformContext +GetTempFileNameA +GetTempFileNameW +GetTempPathA +GetTempPathW +GetThreadContext +GetThreadDescription +GetThreadErrorMode +GetThreadGroupAffinity +GetThreadIOPendingFlag +GetThreadId +GetThreadIdealProcessorEx +GetThreadInformation +GetThreadLocale +GetThreadPreferredUILanguages +GetThreadPriority +GetThreadPriorityBoost +GetThreadSelectedCpuSets +GetThreadTimes +GetThreadUILanguage +GetTickCount +GetTickCount64 +GetTimeFormatA +GetTimeFormatEx +GetTimeFormatW +GetTimeZoneInformation +GetTimeZoneInformationForYear +GetTokenInformation +GetTraceEnableFlags +GetTraceEnableLevel +GetTraceLoggerHandle +GetUILanguageInfo +GetUnicodeStringToEightBitSizeRoutine +GetUnicodeStringToEightBitStringRoutine +GetUserDefaultGeoName +GetUserDefaultLCID +GetUserDefaultLangID +GetUserDefaultLocaleName +GetUserDefaultUILanguage +GetUserGeoID +GetUserInfo +GetUserInfoWord +GetUserOverrideString +GetUserOverrideWord +GetUserPreferredUILanguages +GetVersion +GetVersionExA +GetVersionExW +GetVolumeInformationA +GetVolumeInformationByHandleW +GetVolumeInformationW +GetVolumeNameForVolumeMountPointW +GetVolumePathNameW +GetVolumePathNamesForVolumeNameW +GetWindowsAccountDomainSid +GetWindowsDirectoryA +GetWindowsDirectoryW +GetWriteWatch +GetWsChanges +GetWsChangesEx +GlobalAlloc +GlobalFree +GlobalMemoryStatusEx +GuardCheckLongJumpTarget +HasPolicyForegroundProcessingCompletedInternal +HashData +HeapAlloc +HeapCompact +HeapCreate +HeapDestroy +HeapFree +HeapLock +HeapQueryInformation +HeapReAlloc +HeapSetInformation +HeapSize +HeapSummary +HeapUnlock +HeapValidate +HeapWalk +IdnToAscii +IdnToNameprepUnicode +IdnToUnicode +ImpersonateAnonymousToken +ImpersonateLoggedOnUser +ImpersonateNamedPipeClient +ImpersonateSelf +IncrementPackageStatusVersion +InitOnceBeginInitialize +InitOnceComplete +InitOnceExecuteOnce +InitOnceInitialize +InitializeAcl +InitializeConditionVariable +InitializeContext +InitializeContext2 +InitializeCriticalSection +InitializeCriticalSectionAndSpinCount +InitializeCriticalSectionEx +InitializeEnclave +InitializeProcThreadAttributeList +InitializeProcessForWsWatch +InitializeSListHead +InitializeSRWLock +InitializeSecurityDescriptor +InitializeSid +InitializeSynchronizationBarrier +InstallELAMCertificateInfo +InterlockedFlushSList +InterlockedPopEntrySList +InterlockedPushEntrySList +InterlockedPushListSList +InterlockedPushListSListEx +InternalLcidToName +Internal_EnumCalendarInfo +Internal_EnumDateFormats +Internal_EnumLanguageGroupLocales +Internal_EnumSystemCodePages +Internal_EnumSystemLanguageGroups +Internal_EnumSystemLocales +Internal_EnumTimeFormats +Internal_EnumUILanguages +InternetTimeFromSystemTimeA +InternetTimeFromSystemTimeW +InternetTimeToSystemTimeA +InternetTimeToSystemTimeW +InvalidateAppModelVersionCache +IsApiSetImplemented +IsCharAlphaA +IsCharAlphaNumericA +IsCharAlphaNumericW +IsCharAlphaW +IsCharBlankW +IsCharCntrlW +IsCharDigitW +IsCharLowerA +IsCharLowerW +IsCharPunctW +IsCharSpaceA +IsCharSpaceW +IsCharUpperA +IsCharUpperW +IsCharXDigitW +IsDBCSLeadByte +IsDBCSLeadByteEx +IsDebuggerPresent +IsDeveloperModeEnabled +IsDeveloperModePolicyApplied +IsEnclaveTypeSupported +IsInternetESCEnabled +IsNLSDefinedString +IsNormalizedString +IsOnDemandRegistrationSupportedForExtensionCategory +IsProcessCritical +IsProcessInJob +IsProcessorFeaturePresent +IsSideloadingEnabled +IsSideloadingPolicyApplied +IsSyncForegroundPolicyRefresh +IsThreadAFiber +IsThreadpoolTimerSet +IsTimeZoneRedirectionEnabled +IsTokenRestricted +IsValidAcl +IsValidCodePage +IsValidLanguageGroup +IsValidLocale +IsValidLocaleName +IsValidNLSVersion +IsValidRelativeSecurityDescriptor +IsValidSecurityDescriptor +IsValidSid +IsWellKnownSid +IsWow64GuestMachineSupported +IsWow64Process +IsWow64Process2 +K32EmptyWorkingSet +K32EnumDeviceDrivers +K32EnumPageFilesA +K32EnumPageFilesW +K32EnumProcessModules +K32EnumProcessModulesEx +K32EnumProcesses +K32GetDeviceDriverBaseNameA +K32GetDeviceDriverBaseNameW +K32GetDeviceDriverFileNameA +K32GetDeviceDriverFileNameW +K32GetMappedFileNameA +K32GetMappedFileNameW +K32GetModuleBaseNameA +K32GetModuleBaseNameW +K32GetModuleFileNameExA +K32GetModuleFileNameExW +K32GetModuleInformation +K32GetPerformanceInfo +K32GetProcessImageFileNameA +K32GetProcessImageFileNameW +K32GetProcessMemoryInfo +K32GetWsChanges +K32GetWsChangesEx +K32InitializeProcessForWsWatch +K32QueryWorkingSet +K32QueryWorkingSetEx +KernelBaseGetGlobalData +KernelbasePostInit +LCIDToLocaleName +LCMapStringA +LCMapStringEx +LCMapStringW +LeaveCriticalPolicySectionInternal +LeaveCriticalSection +LeaveCriticalSectionWhenCallbackReturns +LoadAppInitDlls +LoadEnclaveData +LoadEnclaveImageA +LoadEnclaveImageW +LoadLibraryA +LoadLibraryExA +LoadLibraryExW +LoadLibraryW +LoadPackagedLibrary +LoadResource +LoadStringA +LoadStringBaseExW +LoadStringByReference +LoadStringW +LocalAlloc +LocalFileTimeToFileTime +LocalFileTimeToLocalSystemTime +LocalFree +LocalLock +LocalReAlloc +LocalSystemTimeToLocalFileTime +LocalUnlock +LocaleNameToLCID +LockFile +LockFileEx +LockResource +MakeAbsoluteSD +MakeAbsoluteSD2 +MakeSelfRelativeSD +MapGenericMask +MapPredefinedHandleInternal +MapUserPhysicalPages +MapViewOfFile +MapViewOfFile3 +MapViewOfFile3FromApp +MapViewOfFileEx +MapViewOfFileExNuma +MapViewOfFileFromApp +MapViewOfFileNuma2 +MoveFileExW +MoveFileWithProgressTransactedW +MoveFileWithProgressW +MulDiv +MultiByteToWideChar +NamedPipeEventEnum +NamedPipeEventSelect +NeedCurrentDirectoryForExePathA +NeedCurrentDirectoryForExePathW +NlsCheckPolicy +NlsDispatchAnsiEnumProc +NlsEventDataDescCreate +NlsGetACPFromLocale +NlsGetCacheUpdateCount +NlsIsUserDefaultLocale +NlsUpdateLocale +NlsUpdateSystemLocale +NlsValidateLocale +NlsWriteEtwEvent +NormalizeString +NotifyMountMgr +NotifyRedirectedStringChange +ObjectCloseAuditAlarmW +ObjectDeleteAuditAlarmW +ObjectOpenAuditAlarmW +ObjectPrivilegeAuditAlarmW +OfferVirtualMemory +OpenCommPort +OpenEventA +OpenEventW +OpenFileById +OpenFileMappingFromApp +OpenFileMappingW +OpenGlobalizationUserSettingsKey +OpenMutexW +OpenPackageInfoByFullName +OpenPackageInfoByFullNameForMachine +OpenPackageInfoByFullNameForUser +OpenPrivateNamespaceW +OpenProcess +OpenProcessToken +OpenRegKey +OpenSemaphoreW +OpenState +OpenStateAtom +OpenStateExplicit +OpenStateExplicitForUserSid +OpenStateExplicitForUserSidString +OpenThread +OpenThreadToken +OpenWaitableTimerW +OutputDebugStringA +OutputDebugStringW +OverrideRoamingDataModificationTimesInRange +PackageFamilyNameFromFullName +PackageFamilyNameFromFullNameA +PackageFamilyNameFromId +PackageFamilyNameFromIdA +PackageFamilyNameFromProductId +PackageFullNameFromId +PackageFullNameFromIdA +PackageFullNameFromProductId +PackageIdFromFullName +PackageIdFromFullNameA +PackageIdFromProductId +PackageNameAndPublisherIdFromFamilyName +PackageNameAndPublisherIdFromFamilyNameA +PackageRelativeApplicationIdFromProductId +PackageSidFromFamilyName +ParseApplicationUserModelId +ParseApplicationUserModelIdA +ParseURLA +ParseURLW +PathAddBackslashA +PathAddBackslashW +PathAddExtensionA +PathAddExtensionW +PathAllocCanonicalize +PathAllocCombine +PathAppendA +PathAppendW +PathCanonicalizeA +PathCanonicalizeW +PathCchAddBackslash +PathCchAddBackslashEx +PathCchAddExtension +PathCchAppend +PathCchAppendEx +PathCchCanonicalize +PathCchCanonicalizeEx +PathCchCombine +PathCchCombineEx +PathCchFindExtension +PathCchIsRoot +PathCchRemoveBackslash +PathCchRemoveBackslashEx +PathCchRemoveExtension +PathCchRemoveFileSpec +PathCchRenameExtension +PathCchSkipRoot +PathCchStripPrefix +PathCchStripToRoot +PathCleanupSpec +PathCombineA +PathCombineW +PathCommonPrefixA +PathCommonPrefixW +PathCreateFromUrlA +PathCreateFromUrlAlloc +PathCreateFromUrlW +PathFileExistsA +PathFileExistsW +PathFindExtensionA +PathFindExtensionW +PathFindFileNameA +PathFindFileNameW +PathFindNextComponentA +PathFindNextComponentW +PathGetArgsA +PathGetArgsW +PathGetCharTypeA +PathGetCharTypeW +PathGetDriveNumberA +PathGetDriveNumberW +PathIsExe +PathIsFileSpecA +PathIsFileSpecW +PathIsLFNFileSpecA +PathIsLFNFileSpecW +PathIsPrefixA +PathIsPrefixW +PathIsRelativeA +PathIsRelativeW +PathIsRootA +PathIsRootW +PathIsSameRootA +PathIsSameRootW +PathIsUNCA +PathIsUNCEx +PathIsUNCServerA +PathIsUNCServerShareA +PathIsUNCServerShareW +PathIsUNCServerW +PathIsUNCW +PathIsURLA +PathIsURLW +PathIsValidCharA +PathIsValidCharW +PathMatchSpecA +PathMatchSpecExA +PathMatchSpecExW +PathMatchSpecW +PathParseIconLocationA +PathParseIconLocationW +PathQuoteSpacesA +PathQuoteSpacesW +PathRelativePathToA +PathRelativePathToW +PathRemoveBackslashA +PathRemoveBackslashW +PathRemoveBlanksA +PathRemoveBlanksW +PathRemoveExtensionA +PathRemoveExtensionW +PathRemoveFileSpecA +PathRemoveFileSpecW +PathRenameExtensionA +PathRenameExtensionW +PathSearchAndQualifyA +PathSearchAndQualifyW +PathSkipRootA +PathSkipRootW +PathStripPathA +PathStripPathW +PathStripToRootA +PathStripToRootW +PathUnExpandEnvStringsA +PathUnExpandEnvStringsW +PathUnquoteSpacesA +PathUnquoteSpacesW +PcwAddQueryItem +PcwClearCounterSetSecurity +PcwCollectData +PcwCompleteNotification +PcwCreateNotifier +PcwCreateQuery +PcwDisconnectCounterSet +PcwEnumerateInstances +PcwIsNotifierAlive +PcwQueryCounterSetSecurity +PcwReadNotificationData +PcwRegisterCounterSet +PcwRemoveQueryItem +PcwSendNotification +PcwSendStatelessNotification +PcwSetCounterSetSecurity +PcwSetQueryItemUserData +PeekConsoleInputA +PeekConsoleInputW +PeekNamedPipe +PerfCreateInstance +PerfDecrementULongCounterValue +PerfDecrementULongLongCounterValue +PerfDeleteInstance +PerfIncrementULongCounterValue +PerfIncrementULongLongCounterValue +PerfQueryInstance +PerfSetCounterRefValue +PerfSetCounterSetInfo +PerfSetULongCounterValue +PerfSetULongLongCounterValue +PerfStartProvider +PerfStartProviderEx +PerfStopProvider +PoolPerAppKeyStateInternal +PostQueuedCompletionStatus +PrefetchVirtualMemory +PrivCopyFileExW +PrivilegeCheck +PrivilegedServiceAuditAlarmW +ProcessIdToSessionId +ProductIdFromPackageFamilyName +PsmCreateKey +PsmCreateKeyWithDynamicId +PsmEqualApplication +PsmEqualPackage +PsmGetApplicationNameFromKey +PsmGetDynamicIdFromKey +PsmGetKeyFromProcess +PsmGetKeyFromToken +PsmGetPackageFullNameFromKey +PsmIsChildKey +PsmIsDynamicKey +PsmIsValidKey +PssCaptureSnapshot +PssDuplicateSnapshot +PssFreeSnapshot +PssQuerySnapshot +PssWalkMarkerCreate +PssWalkMarkerFree +PssWalkMarkerGetPosition +PssWalkMarkerSeekToBeginning +PssWalkMarkerSetPosition +PssWalkSnapshot +PublishStateChangeNotification +PulseEvent +PurgeComm +QISearch +QueryActCtxSettingsW +QueryActCtxW +QueryAuxiliaryCounterFrequency +QueryDepthSList +QueryDosDeviceW +QueryFullProcessImageNameA +QueryFullProcessImageNameW +QueryGlobalizationUserSettingsStatus +QueryIdleProcessorCycleTime +QueryIdleProcessorCycleTimeEx +QueryInterruptTime +QueryInterruptTimePrecise +QueryMemoryResourceNotification +QueryOptionalDelayLoadedAPI +QueryPerformanceCounter +QueryPerformanceFrequency +QueryProcessAffinityUpdateMode +QueryProcessCycleTime +QueryProtectedPolicy +QuerySecurityAccessMask +QueryStateAtomValueInfo +QueryStateContainerCreatedNew +QueryStateContainerItemInfo +QueryThreadCycleTime +QueryThreadpoolStackInformation +QueryUnbiasedInterruptTime +QueryUnbiasedInterruptTimePrecise +QueryVirtualMemoryInformation +QueryWorkingSet +QueryWorkingSetEx +QueueUserAPC +QueueUserWorkItem +QuirkGetData +QuirkGetData2 +QuirkIsEnabled +QuirkIsEnabled2 +QuirkIsEnabled3 +QuirkIsEnabledForPackage +QuirkIsEnabledForPackage2 +QuirkIsEnabledForPackage3 +QuirkIsEnabledForPackage4 +QuirkIsEnabledForProcess +RaiseCustomSystemEventTrigger +RaiseException +RaiseFailFastException +ReOpenFile +ReadConsoleA +ReadConsoleInputA +ReadConsoleInputExA +ReadConsoleInputExW +ReadConsoleInputW +ReadConsoleOutputA +ReadConsoleOutputAttribute +ReadConsoleOutputCharacterA +ReadConsoleOutputCharacterW +ReadConsoleOutputW +ReadConsoleW +ReadDirectoryChangesExW +ReadDirectoryChangesW +ReadFile +ReadFileEx +ReadFileScatter +ReadProcessMemory +ReadStateAtomValue +ReadStateContainerValue +ReclaimVirtualMemory +RefreshPackageInfo +RefreshPolicyExInternal +RefreshPolicyInternal +RegCloseKey +RegCopyTreeW +RegCreateKeyExA +RegCreateKeyExInternalA +RegCreateKeyExInternalW +RegCreateKeyExW +RegDeleteKeyExA +RegDeleteKeyExInternalA +RegDeleteKeyExInternalW +RegDeleteKeyExW +RegDeleteKeyValueA +RegDeleteKeyValueW +RegDeleteTreeA +RegDeleteTreeW +RegDeleteValueA +RegDeleteValueW +RegDisablePredefinedCacheEx +RegEnumKeyExA +RegEnumKeyExW +RegEnumValueA +RegEnumValueW +RegFlushKey +RegGetKeySecurity +RegGetValueA +RegGetValueW +RegKrnGetAppKeyEventAddressInternal +RegKrnGetAppKeyLoaded +RegKrnGetClassesEnumTableAddressInternal +RegKrnGetHKEY_ClassesRootAddress +RegKrnGetTermsrvRegistryExtensionFlags +RegKrnResetAppKeyLoaded +RegKrnSetDllHasThreadStateGlobal +RegKrnSetTermsrvRegistryExtensionFlags +RegLoadAppKeyA +RegLoadAppKeyW +RegLoadKeyA +RegLoadKeyW +RegLoadMUIStringA +RegLoadMUIStringW +RegNotifyChangeKeyValue +RegOpenCurrentUser +RegOpenKeyExA +RegOpenKeyExInternalA +RegOpenKeyExInternalW +RegOpenKeyExW +RegOpenUserClassesRoot +RegQueryInfoKeyA +RegQueryInfoKeyW +RegQueryMultipleValuesA +RegQueryMultipleValuesW +RegQueryValueExA +RegQueryValueExW +RegRestoreKeyA +RegRestoreKeyW +RegSaveKeyExA +RegSaveKeyExW +RegSetKeySecurity +RegSetKeyValueA +RegSetKeyValueW +RegSetValueExA +RegSetValueExW +RegUnLoadKeyA +RegUnLoadKeyW +RegisterBadMemoryNotification +RegisterGPNotificationInternal +RegisterStateChangeNotification +RegisterStateLock +RegisterTraceGuidsW +RegisterWaitForSingleObjectEx +ReleaseActCtx +ReleaseMutex +ReleaseMutexWhenCallbackReturns +ReleaseSRWLockExclusive +ReleaseSRWLockShared +ReleaseSemaphore +ReleaseSemaphoreWhenCallbackReturns +ReleaseStateLock +RemapPredefinedHandleInternal +RemoveDirectoryA +RemoveDirectoryW +RemoveDllDirectory +RemoveExtensionProgIds +RemovePackageFromFamilyXref +RemovePackageStatus +RemovePackageStatusForUser +RemoveVectoredContinueHandler +RemoveVectoredExceptionHandler +ReplaceFileExInternal +ReplaceFileW +ResetEvent +ResetState +ResetWriteWatch +ResizePseudoConsole +ResolveDelayLoadedAPI +ResolveDelayLoadsFromDll +ResolveLocaleName +RestoreLastError +ResumeThread +RevertToSelf +RsopLoggingEnabledInternal +SHCoCreateInstance +SHCreateDirectoryExW +SHExpandEnvironmentStringsA +SHExpandEnvironmentStringsW +SHGetDesktopFolder +SHGetFileInfoW +SHGetFolderLocation +SHGetFolderPathA +SHGetFolderPathAndSubDirW +SHGetFolderPathW +SHGetInstanceExplorer +SHGetKnownFolderPath +SHGetSpecialFolderPathA +SHGetSpecialFolderPathW +SHLoadIndirectString +SHLoadIndirectStringInternal +SHRegCloseUSKey +SHRegCreateUSKeyA +SHRegCreateUSKeyW +SHRegDeleteEmptyUSKeyA +SHRegDeleteEmptyUSKeyW +SHRegDeleteUSValueA +SHRegDeleteUSValueW +SHRegEnumUSKeyA +SHRegEnumUSKeyW +SHRegEnumUSValueA +SHRegEnumUSValueW +SHRegGetBoolUSValueA +SHRegGetBoolUSValueW +SHRegGetUSValueA +SHRegGetUSValueW +SHRegOpenUSKeyA +SHRegOpenUSKeyW +SHRegQueryInfoUSKeyA +SHRegQueryInfoUSKeyW +SHRegQueryUSValueA +SHRegQueryUSValueW +SHRegSetUSValueA +SHRegSetUSValueW +SHRegWriteUSValueA +SHRegWriteUSValueW +SHSetKnownFolderPath +SHTruncateString +SaveAlternatePackageRootPath +SaveStateRootFolderPath +ScrollConsoleScreenBufferA +ScrollConsoleScreenBufferW +SearchPathA +SearchPathW +SetAclInformation +SetCachedSigningLevel +SetCalendarInfoW +SetClientDynamicTimeZoneInformation +SetClientTimeZoneInformation +SetCommBreak +SetCommConfig +SetCommMask +SetCommState +SetCommTimeouts +SetComputerNameA +SetComputerNameEx2W +SetComputerNameExA +SetComputerNameExW +SetComputerNameW +SetConsoleActiveScreenBuffer +SetConsoleCP +SetConsoleCtrlHandler +SetConsoleCursorInfo +SetConsoleCursorPosition +SetConsoleDisplayMode +SetConsoleHistoryInfo +SetConsoleInputExeNameA +SetConsoleInputExeNameW +SetConsoleMode +SetConsoleNumberOfCommandsA +SetConsoleNumberOfCommandsW +SetConsoleOutputCP +SetConsoleScreenBufferInfoEx +SetConsoleScreenBufferSize +SetConsoleTextAttribute +SetConsoleTitleA +SetConsoleTitleW +SetConsoleWindowInfo +SetCriticalSectionSpinCount +SetCurrentConsoleFontEx +SetCurrentDirectoryA +SetCurrentDirectoryW +SetDefaultDllDirectories +SetDynamicTimeZoneInformation +SetEndOfFile +SetEnvironmentStringsW +SetEnvironmentVariableA +SetEnvironmentVariableW +SetErrorMode +SetEvent +SetEventWhenCallbackReturns +SetExtensionProperty +SetFileApisToANSI +SetFileApisToOEM +SetFileAttributesA +SetFileAttributesW +SetFileInformationByHandle +SetFileIoOverlappedRange +SetFilePointer +SetFilePointerEx +SetFileSecurityW +SetFileTime +SetFileValidData +SetHandleCount +SetHandleInformation +SetIsDeveloperModeEnabled +SetIsSideloadingEnabled +SetKernelObjectSecurity +SetLastConsoleEventActive +SetLastError +SetLocalTime +SetLocaleInfoW +SetNamedPipeHandleState +SetPriorityClass +SetPrivateObjectSecurity +SetPrivateObjectSecurityEx +SetProcessAffinityUpdateMode +SetProcessDefaultCpuSets +SetProcessGroupAffinity +SetProcessInformation +SetProcessMitigationPolicy +SetProcessPreferredUILanguages +SetProcessPriorityBoost +SetProcessShutdownParameters +SetProcessValidCallTargets +SetProcessValidCallTargetsForMappedView +SetProcessWorkingSetSizeEx +SetProtectedPolicy +SetProtocolProperty +SetRoamingLastObservedChangeTime +SetSecurityAccessMask +SetSecurityDescriptorControl +SetSecurityDescriptorDacl +SetSecurityDescriptorGroup +SetSecurityDescriptorOwner +SetSecurityDescriptorRMControl +SetSecurityDescriptorSacl +SetStateVersion +SetStdHandle +SetStdHandleEx +SetSystemFileCacheSize +SetSystemTime +SetSystemTimeAdjustment +SetSystemTimeAdjustmentPrecise +SetThreadContext +SetThreadDescription +SetThreadErrorMode +SetThreadGroupAffinity +SetThreadIdealProcessor +SetThreadIdealProcessorEx +SetThreadInformation +SetThreadLocale +SetThreadPreferredUILanguages +SetThreadPriority +SetThreadPriorityBoost +SetThreadSelectedCpuSets +SetThreadStackGuarantee +SetThreadToken +SetThreadUILanguage +SetThreadpoolStackInformation +SetThreadpoolThreadMaximum +SetThreadpoolThreadMinimum +SetThreadpoolTimer +SetThreadpoolTimerEx +SetThreadpoolWait +SetThreadpoolWaitEx +SetTimeZoneInformation +SetTokenInformation +SetUnhandledExceptionFilter +SetUserGeoID +SetUserGeoName +SetWaitableTimer +SetWaitableTimerEx +SetupComm +SharedLocalIsEnabled +SignalObjectAndWait +SizeofResource +Sleep +SleepConditionVariableCS +SleepConditionVariableSRW +SleepEx +SpecialMBToWC +StartThreadpoolIo +StmAlignSize +StmAllocateFlat +StmCoalesceChunks +StmDeinitialize +StmInitialize +StmReduceSize +StmReserve +StmWrite +StrCSpnA +StrCSpnIA +StrCSpnIW +StrCSpnW +StrCatBuffA +StrCatBuffW +StrCatChainW +StrChrA +StrChrA_MB +StrChrIA +StrChrIW +StrChrNIW +StrChrNW +StrChrW +StrCmpCA +StrCmpCW +StrCmpICA +StrCmpICW +StrCmpIW +StrCmpLogicalW +StrCmpNA +StrCmpNCA +StrCmpNCW +StrCmpNIA +StrCmpNICA +StrCmpNICW +StrCmpNIW +StrCmpNW +StrCmpW +StrCpyNW +StrCpyNXA +StrCpyNXW +StrDupA +StrDupW +StrIsIntlEqualA +StrIsIntlEqualW +StrPBrkA +StrPBrkW +StrRChrA +StrRChrIA +StrRChrIW +StrRChrW +StrRStrIA +StrRStrIW +StrSpnA +StrSpnW +StrStrA +StrStrIA +StrStrIW +StrStrNIW +StrStrNW +StrStrW +StrToInt64ExA +StrToInt64ExW +StrToIntA +StrToIntExA +StrToIntExW +StrToIntW +StrTrimA +StrTrimW +SubmitThreadpoolWork +SubscribeEdpEnabledStateChange +SubscribeStateChangeNotification +SubscribeWdagEnabledStateChange +SuspendThread +SwitchToFiber +SwitchToThread +SystemTimeToFileTime +SystemTimeToTzSpecificLocalTime +SystemTimeToTzSpecificLocalTimeEx +TerminateEnclave +TerminateProcess +TerminateProcessOnMemoryExhaustion +TerminateThread +TlsAlloc +TlsFree +TlsGetValue +TlsSetValue +TraceEvent +TraceMessage +TraceMessageVa +TransactNamedPipe +TransmitCommChar +TryAcquireSRWLockExclusive +TryAcquireSRWLockShared +TryEnterCriticalSection +TrySubmitThreadpoolCallback +TzSpecificLocalTimeToSystemTime +TzSpecificLocalTimeToSystemTimeEx +UnhandledExceptionFilter +UnlockFile +UnlockFileEx +UnmapViewOfFile +UnmapViewOfFile2 +UnmapViewOfFileEx +UnregisterBadMemoryNotification +UnregisterGPNotificationInternal +UnregisterStateChangeNotification +UnregisterStateLock +UnregisterTraceGuids +UnregisterWaitEx +UnsubscribeEdpEnabledStateChange +UnsubscribeStateChangeNotification +UnsubscribeWdagEnabledStateChange +UpdatePackageStatus +UpdatePackageStatusForUser +UpdatePackageStatusForUserSid +UpdateProcThreadAttribute +UrlApplySchemeA +UrlApplySchemeW +UrlCanonicalizeA +UrlCanonicalizeW +UrlCombineA +UrlCombineW +UrlCompareA +UrlCompareW +UrlCreateFromPathA +UrlCreateFromPathW +UrlEscapeA +UrlEscapeW +UrlFixupW +UrlGetLocationA +UrlGetLocationW +UrlGetPartA +UrlGetPartW +UrlHashA +UrlHashW +UrlIsA +UrlIsNoHistoryA +UrlIsNoHistoryW +UrlIsOpaqueA +UrlIsOpaqueW +UrlIsW +UrlUnescapeA +UrlUnescapeW +VerFindFileA +VerFindFileW +VerLanguageNameA +VerLanguageNameW +VerQueryValueA +VerQueryValueW +VerSetConditionMask +VerifyApplicationUserModelId +VerifyApplicationUserModelIdA +VerifyPackageFamilyName +VerifyPackageFamilyNameA +VerifyPackageFullName +VerifyPackageFullNameA +VerifyPackageId +VerifyPackageIdA +VerifyPackageRelativeApplicationId +VerifyPackageRelativeApplicationIdA +VerifyScripts +VirtualAlloc +VirtualAlloc2 +VirtualAlloc2FromApp +VirtualAllocEx +VirtualAllocExNuma +VirtualAllocFromApp +VirtualFree +VirtualFreeEx +VirtualLock +VirtualProtect +VirtualProtectEx +VirtualProtectFromApp +VirtualQuery +VirtualQueryEx +VirtualUnlock +VirtualUnlockEx +WTSGetServiceSessionId +WTSIsServerContainer +WaitCommEvent +WaitForDebugEvent +WaitForDebugEventEx +WaitForMachinePolicyForegroundProcessingInternal +WaitForMultipleObjects +WaitForMultipleObjectsEx +WaitForSingleObject +WaitForSingleObjectEx +WaitForThreadpoolIoCallbacks +WaitForThreadpoolTimerCallbacks +WaitForThreadpoolWaitCallbacks +WaitForThreadpoolWorkCallbacks +WaitForUserPolicyForegroundProcessingInternal +WaitNamedPipeW +WaitOnAddress +WakeAllConditionVariable +WakeByAddressAll +WakeByAddressSingle +WakeConditionVariable +WerGetFlags +WerRegisterAdditionalProcess +WerRegisterAppLocalDump +WerRegisterCustomMetadata +WerRegisterExcludedMemoryBlock +WerRegisterFile +WerRegisterMemoryBlock +WerRegisterRuntimeExceptionModule +WerSetFlags +WerUnregisterAdditionalProcess +WerUnregisterAppLocalDump +WerUnregisterCustomMetadata +WerUnregisterExcludedMemoryBlock +WerUnregisterFile +WerUnregisterMemoryBlock +WerUnregisterRuntimeExceptionModule +WerpNotifyLoadStringResource +WerpNotifyUseStringResource +WideCharToMultiByte +Wow64DisableWow64FsRedirection +Wow64RevertWow64FsRedirection +Wow64SetThreadDefaultGuestMachine +WriteConsoleA +WriteConsoleInputA +WriteConsoleInputW +WriteConsoleOutputA +WriteConsoleOutputAttribute +WriteConsoleOutputCharacterA +WriteConsoleOutputCharacterW +WriteConsoleOutputW +WriteConsoleW +WriteFile +WriteFileEx +WriteFileGather +WriteProcessMemory +WriteStateAtomValue +WriteStateContainerValue +ZombifyActCtx +_AddMUIStringToCache +_GetMUIStringFromCache +_OpenMuiStringCache +__C_specific_handler +__chkstk +__dllonexit3 +__jump_unwind +__wgetmainargs +_amsg_exit +_c_exit +_cexit +_exit +_initterm +_initterm_e +_invalid_parameter +_onexit +_purecall +_time64 +atexit +exit +hgets +hwprintf +lstrcmp +lstrcmpA +lstrcmpW +lstrcmpi +lstrcmpiA +lstrcmpiW +lstrcpyn +lstrcpynA +lstrcpynW +lstrlen +lstrlenA +lstrlenW +time +wprintf diff --git a/lib/libc/mingw/libarm32/keyboardfiltercore.def b/lib/libc/mingw/libarm32/keyboardfiltercore.def new file mode 100644 index 0000000000..ce75c35e6a --- /dev/null +++ b/lib/libc/mingw/libarm32/keyboardfiltercore.def @@ -0,0 +1,8 @@ +; +; Definition file of KeyboardFilterCore.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "KeyboardFilterCore.DLL" +EXPORTS +HookMain diff --git a/lib/libc/mingw/libarm32/keyiso.def b/lib/libc/mingw/libarm32/keyiso.def new file mode 100644 index 0000000000..b9631fede7 --- /dev/null +++ b/lib/libc/mingw/libarm32/keyiso.def @@ -0,0 +1,9 @@ +; +; Definition file of keyiso.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "keyiso.dll" +EXPORTS +KeyIsoServiceMain +KeyIsoSetAuditingInterface diff --git a/lib/libc/mingw/libarm32/l2gpstore.def b/lib/libc/mingw/libarm32/l2gpstore.def new file mode 100644 index 0000000000..6a0e5a88f1 --- /dev/null +++ b/lib/libc/mingw/libarm32/l2gpstore.def @@ -0,0 +1,14 @@ +; +; Definition file of l2gpstore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "l2gpstore.dll" +EXPORTS +L2GPPolicyDataDelete +L2GPPolicyDataDeleteAll +L2GPPolicyDataRead +L2GPPolicyDataWrite +L2GPPolicyFreeMem +L2GPPolicyStoreClose +L2GPPolicyStoreOpen diff --git a/lib/libc/mingw/libarm32/langcleanupsysprepaction.def b/lib/libc/mingw/libarm32/langcleanupsysprepaction.def new file mode 100644 index 0000000000..42e39d14d1 --- /dev/null +++ b/lib/libc/mingw/libarm32/langcleanupsysprepaction.def @@ -0,0 +1,8 @@ +; +; Definition file of LangCleanupSysprepAction.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LangCleanupSysprepAction.dll" +EXPORTS +Sysprep_Generalize_MUILangCleanup diff --git a/lib/libc/mingw/libarm32/listsvc.def b/lib/libc/mingw/libarm32/listsvc.def new file mode 100644 index 0000000000..508378e86e --- /dev/null +++ b/lib/libc/mingw/libarm32/listsvc.def @@ -0,0 +1,8 @@ +; +; Definition file of HOMEGROUPLISTENER.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "HOMEGROUPLISTENER.dll" +EXPORTS +ListenerServiceMain diff --git a/lib/libc/mingw/libarm32/livessp.def b/lib/libc/mingw/libarm32/livessp.def new file mode 100644 index 0000000000..de6be32527 --- /dev/null +++ b/lib/libc/mingw/libarm32/livessp.def @@ -0,0 +1,9 @@ +; +; Definition file of LIVESSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LIVESSP.dll" +EXPORTS +SpLsaModeInitialize +SpUserModeInitialize diff --git a/lib/libc/mingw/libarm32/lltdapi.def b/lib/libc/mingw/libarm32/lltdapi.def new file mode 100644 index 0000000000..cadfa30bf8 --- /dev/null +++ b/lib/libc/mingw/libarm32/lltdapi.def @@ -0,0 +1,11 @@ +; +; Definition file of LLTDAPI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LLTDAPI.DLL" +EXPORTS +LLTDCreateEnumerator +LLTDCreateMapFromXML +LLTDCreateMapper +LLTDCreateNode diff --git a/lib/libc/mingw/libarm32/lltdsvc.def b/lib/libc/mingw/libarm32/lltdsvc.def new file mode 100644 index 0000000000..ffa5ed5da9 --- /dev/null +++ b/lib/libc/mingw/libarm32/lltdsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of LLTDSVC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LLTDSVC.DLL" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/localspl.def b/lib/libc/mingw/libarm32/localspl.def new file mode 100644 index 0000000000..5db1a87adc --- /dev/null +++ b/lib/libc/mingw/libarm32/localspl.def @@ -0,0 +1,121 @@ +; +; Definition file of LocalSpl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LocalSpl.dll" +EXPORTS +ord_400 @400 +LclIsSessionZero +LclPromptUIPerSessionUser +SplAddCSRPrinter +SplDoesCSRPrinterDevnodeExist +SplEnumJobNamedProperties +SplGetDriverUpdateStatus +SplGetJobExtra +SplGetLocalDevMode +SplIsDriverInstalled +SplIsLocalDriverAvailable +SplIsValidUserPropertyBag +SplNotifyServerStatus +SplReenumeratePorts +SplSetCSRPrinterDevnode +SplSetDriverUpdateStatus +SplSetJobError +SplSetJobExtra +ClosePrintProcessor +ControlPrintProcessor +EnumPrintProcessorDatatypesW +GetPrintProcessorCapabilities +InitializePrintMonitor2 +InitializePrintProvidor +LocalAddForm +LocalDeleteForm +LocalEnumForms +LocalReadPrinter +LocalSetForm +OpenPrintProcessor +PrintDocumentOnPrintProcessor +SplAbortPrinter +SplAddForm +SplAddJob +SplAddMonitor +SplAddPort +SplAddPortEx +SplAddPrintProcessor +SplAddPrinter +SplAddPrinterDriverEx +SplClosePrinter +SplCloseSpooler +SplConfigChange +SplCopyFileEvent +SplCopyNumberOfFiles +SplCreatePrinterIC +SplCreateSpooler +SplDeleteForm +SplDeleteJobNamedProperty +SplDeleteMonitor +SplDeletePort +SplDeletePrintProcCacheData +SplDeletePrintProcessor +SplDeletePrinter +SplDeletePrinterData +SplDeletePrinterDataEx +SplDeletePrinterDriverEx +SplDeletePrinterIC +SplDeletePrinterKey +SplDeletePrinterWithJobs +SplDeleteSpooler +SplDriverEvent +SplEndDocPrinter +SplEndPagePrinter +SplEnumForms +SplEnumJobs +SplEnumMonitors +SplEnumPorts +SplEnumPrintProcCacheData +SplEnumPrintProcessorDatatypes +SplEnumPrintProcessors +SplEnumPrinterData +SplEnumPrinterDataEx +SplEnumPrinterDrivers +SplEnumPrinterKey +SplEnumPrinters +SplGetDriverDir +SplGetForm +SplGetJob +SplGetJobNamedPropertyValue +SplGetPrintClassObject +SplGetPrintClassObject_4CSR +SplGetPrintProcCacheData +SplGetPrintProcessorDirectory +SplGetPrinter +SplGetPrinterData +SplGetPrinterDataEx +SplGetPrinterDriver +SplGetPrinterDriverDirectory +SplGetPrinterDriverEx +SplGetPrinterExtra +SplGetPrinterExtraEx +SplGetUserPropertyBag +SplIsCompatibleDriver +SplLoadLibraryTheCopyFileModule +SplMonitorIsInstalled +SplOpenPrinter +SplPlayGdiScriptOnPrinterIC +SplReportJobProcessingProgress +SplResetPrinter +SplScheduleJob +SplSetForm +SplSetJob +SplSetJobNamedProperty +SplSetPrintProcCacheData +SplSetPrinter +SplSetPrinterData +SplSetPrinterDataEx +SplSetPrinterExtra +SplSetPrinterExtraEx +SplStartDocPrinter +SplStartPagePrinter +SplWritePrinter +SplXcvData diff --git a/lib/libc/mingw/libarm32/lpk.def b/lib/libc/mingw/libarm32/lpk.def new file mode 100644 index 0000000000..ac3f55bdbc --- /dev/null +++ b/lib/libc/mingw/libarm32/lpk.def @@ -0,0 +1,17 @@ +; +; Definition file of lpk.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "lpk.dll" +EXPORTS +LpkDrawTextEx +LpkEditControl DATA +LpkExtTextOut +LpkGetCharacterPlacement +LpkGetTextExtentExPoint +LpkInitialize +LpkPSMTextOut +LpkTabbedTextOut +LpkUseGDIWidthCache +ftsWordBreak diff --git a/lib/libc/mingw/libarm32/lsasrv.def b/lib/libc/mingw/libarm32/lsasrv.def new file mode 100644 index 0000000000..e077d22f09 --- /dev/null +++ b/lib/libc/mingw/libarm32/lsasrv.def @@ -0,0 +1,266 @@ +; +; Definition file of LSASRV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "LSASRV.dll" +EXPORTS +InitializeLsaExtension +QueryLsaInterface +LsaDbLookupSidChainRequest +LsaIAddCredentialKeys +LsaIAddNamesToLogonSession +LsaIAdjustTokenObjectIntegrity +LsaIAdtAuditingEnabledByCategory +LsaIAdtAuditingEnabledBySubCategory +LsaIAllocateHeap +LsaIAllocateHeapZero +LsaIAuditAccountLogon +LsaIAuditAccountLogonEx +LsaIAuditInitializeParametersAndWriteEvent +LsaIAuditKdcEvent +LsaIAuditKerberosLogon +LsaIAuditLogonEx +LsaIAuditLogonUsingExplicitCreds +LsaIAuditNotifyPackageLoad +LsaIAuditPasswordAccessEvent +LsaIAuditReplay +LsaIAuditSamEvent +LsaICallPackage +LsaICallPackageEx +LsaICallPackagePassthrough +LsaICancelNotification +LsaIChangeSecretCipherKey +LsaICheckProtectedUserByTokenInfo +LsaIClearOldSyskey +LsaICryptProtectData +LsaICryptProtectDataEx +LsaICryptUnprotectData +LsaICryptUnprotectDataEx +LsaIDereferenceCredHandle +LsaIDeriveAndEncodeCredentialKeys +LsaIDsNotifiedObjectChange +LsaIEfsAcceptSmartcardCredentials +LsaIEqualLogonProcessName +LsaIEqualSupplementalTokenInfo +LsaIEventWritePackageNoCredential +LsaIEventWritePackageNotCacheLogonUser +LsaIFilterNamespace +LsaIFilterSids +LsaIForestTrustFindMatch +LsaIFreeForestTrustInfo +LsaIFreeHeap +LsaIFreeReturnBuffer +LsaIFreeSupplementalTokenInfo +LsaIFree_LSAI_PRIVATE_DATA +LsaIFree_LSAI_SECRET_ENUM_BUFFER +LsaIFree_LSAPR_ACCOUNT_ENUM_BUFFER +LsaIFree_LSAPR_CR_CIPHER_VALUE +LsaIFree_LSAPR_POLICY_DOMAIN_INFORMATION +LsaIFree_LSAPR_POLICY_INFORMATION +LsaIFree_LSAPR_PRIVILEGE_ENUM_BUFFER +LsaIFree_LSAPR_PRIVILEGE_SET +LsaIFree_LSAPR_REFERENCED_DOMAIN_LIST +LsaIFree_LSAPR_SR_SECURITY_DESCRIPTOR +LsaIFree_LSAPR_TRANSLATED_NAMES +LsaIFree_LSAPR_TRANSLATED_SIDS +LsaIFree_LSAPR_TRUSTED_DOMAIN_INFO +LsaIFree_LSAPR_TRUSTED_ENUM_BUFFER +LsaIFree_LSAPR_TRUSTED_ENUM_BUFFER_EX +LsaIFree_LSAPR_TRUST_INFORMATION +LsaIFree_LSAPR_UNICODE_STRING +LsaIFree_LSAPR_UNICODE_STRING_BUFFER +LsaIFree_LSAP_SITENAME_INFO +LsaIFree_LSAP_SITE_INFO +LsaIFree_LSAP_SUBNET_INFO +LsaIFree_LSAP_UPN_SUFFIXES +LsaIFree_LSA_FOREST_TRUST_COLLISION_INFORMATION +LsaIFree_LSA_FOREST_TRUST_INFORMATION +LsaIGetCallInfo +LsaIGetForestTrustInformation +LsaIGetLogonGuid +LsaIGetNameFromLuid +LsaIGetNbAndDnsDomainNames +LsaIGetNego2Package +LsaIGetSiteName +LsaIGetSupplementalTokenInfo +LsaIHealthCheck +LsaIImpersonateClient +LsaIInitializeNetlogonFuncPtrs +LsaIIsDomainWithinForest +LsaIIsDsPaused +LsaIIsLastInteractiveLogonInfoEnabled +LsaIIsLocalHost +LsaIIsSuppressChannelBindingInfo +LsaIIsTrustedDomainsEnabled +LsaIKerberosRegisterTrustNotification +LsaILookupWellKnownName +LsaIModifyPerformanceCounter +LsaINoConnectedUserPolicy +LsaINoMoreWin2KDomain +LsaINotifyChangeNotification +LsaINotifyGCStatusChange +LsaINotifyNetlogonParametersChangeW +LsaINotifyNewPassword +LsaINotifyPasswordChanged +LsaIOpenPolicyTrusted +LsaIQueryForestTrustInfo +LsaIQueryInformationPolicyTrusted +LsaIQueryPackageAttrInLogonSession +LsaIQuerySiteInfo +LsaIQuerySubnetInfo +LsaIQueryUpnSuffixes +LsaIReferenceCredHandle +LsaIRegisterLogonSessionCallback +LsaIRegisterNotification +LsaIRegisterPolicyChangeNotificationCallback +LsaIReplicateClientObject +LsaIRetrieveCurrentUserSid +LsaISafeMode +LsaISamIndicatedDsStarted +LsaISetClientDnsHostName +LsaISetLogonGuidInLogonSession +LsaISetLogonInfo +LsaISetNewSyskey +LsaISetPackageAttrInLogonSession +LsaISetSupplementalTokenInfo +LsaISetTokenDacl +LsaISetUserFlags +LsaISetupWasRun +LsaITransformAuthorizationData +LsaIUnregisterAllPolicyChangeNotificationCallback +LsaIUnregisterLogonSessionCallback +LsaIUnregisterPolicyChangeNotificationCallback +LsaIUpdateForestTrustInformation +LsaIUpdateKerbMaxTokenSize +LsaIUpdateLogonSession +LsaIValidateTargetInfo +LsaIVerifyCachability +LsaIWriteAuditEvent +LsaIWriteKdcAuthenticationEvent +LsapAdtAuditingEnabledByLogonId +LsapAdtAuditingEnabledBySubCategory +LsapAdtAuditingEnabledHint +LsapAdtInitParametersArray +LsapAdtWriteLog +LsapAllocateLsaHeap +LsapAllocatePrivateHeap +LsapAuOpenSam +LsapAuditFailed +LsapBuildPrivilegeAuditString +LsapCheckBootMode +LsapCloseHandle +LsapCompareDomainNames +LsapCrServerGetSessionKey +LsapCrServerGetSessionKeySafe +LsapDbAcquireLockEx +LsapDbApplyTransaction +LsapDbBuildObjectCaches +LsapDbCloseHandle +LsapDbCloseObject +LsapDbCopyUnicodeAttribute +LsapDbCopyUnicodeAttributeNoAlloc +LsapDbCreateObject +LsapDbDeleteAttributesObject +LsapDbDeleteObject +LsapDbDereferenceHandle +LsapDbDereferenceObject +LsapDbEnumerateSids +LsapDbEnumerateTrustedDomainsEx +LsapDbExpAcquireReadLockTrustedDomainList +LsapDbExpAcquireWriteLockTrustedDomainList +LsapDbExpConvertReadLockTrustedDomainListToExclusive +LsapDbExpConvertWriteLockTrustedDomainListToShared +LsapDbExpIsCacheBuilding +LsapDbExpIsCacheValid +LsapDbExpIsLockedTrustedDomainList +LsapDbExpMakeCacheBuilding +LsapDbExpMakeCacheInvalid +LsapDbExpMakeCacheValid +LsapDbExpReleaseLockTrustedDomainList +LsapDbFreeAttributes +LsapDbFreeTrustedDomainsEx +LsapDbGetDbObjectTypeName +LsapDbGetDbPolicyHandle +LsapDbGetSecretType +LsapDbInitializeAttribute +LsapDbIsStatusConnectionFailure +LsapDbLookupAddListReferencedDomains +LsapDbLookupCreateListReferencedDomains +LsapDbLookupGetDomainInfo +LsapDbLookupListReferencedDomains +LsapDbLookupMergeDisjointReferencedDomains +LsapDbLookupNameChainRequest +LsapDbLookupNamesInPrimaryDomain +LsapDbLookupSidsInPrimaryDomain +LsapDbMakeGuidAttribute +LsapDbMakeSidAttribute +LsapDbMakeUnicodeAttribute +LsapDbOpenObject +LsapDbQueryInformationPolicy +LsapDbReadAttribute +LsapDbReadAttributesObject +LsapDbReferenceObject +LsapDbReleaseLockEx +LsapDbSecretIsMachineAcc +LsapDbSidToLogicalNameObject +LsapDbSlowEnumerateTrustedDomains +LsapDbUpdateCountCompUnmappedNames +LsapDbVerifyHandle +LsapDbVerifyInfoQueryTrustedDomain +LsapDbVerifyInfoSetTrustedDomain +LsapDbWriteAttributesObject +LsapDomainRenameHandlerForLogonSessions +LsapDsInitializeDsStateInfo +LsapDsUnitializeDsStateInfo +LsapDssetupInitializeGetPrimaryDomainInformationOpState +LsapDuplicateSid +LsapDuplicateString +LsapFreeLsaHeap +LsapFreePrivateHeap +LsapFreeString +LsapGetAccountDomainHandle +LsapGetCapeNamesForCap +LsapGetGlobalRestrictAnonymous +LsapGetHourlyLogLevel +LsapGetLogonSessionAccountInfoEx +LsapGetLookupRestrictIsolatedNameLevel +LsapGetPolicyHandle +LsapGetWellKnownSid +LsapInitLsa +LsapInitializeLsaDb +LsapIsBuiltinDomain +LsapIsSamOpened +LsapOpenSam +LsapQueryClientInfo +LsapRemoveTrailingDot +LsapRpcCopySid +LsapRpcCopyUnicodeString +LsapRtlValidateControllerTrustedDomain +LsapRtlValidateControllerTrustedDomainByHandle +LsapSetErrorInfo +LsapSidListSize +LsapTraceEvent +LsapTraceEventWithData +LsapTruncateUnicodeString +LsarClose +LsarCreateSecret +LsarDeleteObject +LsarEnumerateTrustedDomainsEx +LsarLookupSids +LsarOpenPolicy +LsarOpenSecret +LsarQueryDomainInformationPolicy +LsarQueryInformationPolicy +LsarQuerySecret +LsarQueryTrustedDomainInfoByName +LsarRetrievePrivateData +LsarSetInformationPolicy +LsarSetSecret +LsarSetTrustedDomainInfoByName +LsarStorePrivateData +ServiceInit +_fgs__LSAPR_TRUSTED_ENUM_BUFFER +_fgs__LSAPR_TRUSTED_ENUM_BUFFER_EX +_fgs__LSAPR_TRUST_INFORMATION +_fgu__LSAPR_TRUSTED_DOMAIN_INFO diff --git a/lib/libc/mingw/libarm32/maintenanceui.def b/lib/libc/mingw/libarm32/maintenanceui.def new file mode 100644 index 0000000000..0a4213ff77 --- /dev/null +++ b/lib/libc/mingw/libarm32/maintenanceui.def @@ -0,0 +1,9 @@ +; +; Definition file of MaintenanceUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MaintenanceUI.dll" +EXPORTS +StartMaintenance +StopMaintenance diff --git a/lib/libc/mingw/libarm32/mcxdriv.def b/lib/libc/mingw/libarm32/mcxdriv.def new file mode 100644 index 0000000000..f8e6b1bdd7 --- /dev/null +++ b/lib/libc/mingw/libarm32/mcxdriv.def @@ -0,0 +1,8 @@ +; +; Definition file of McxDriv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "McxDriv.dll" +EXPORTS +Mcx2Install diff --git a/lib/libc/mingw/libarm32/mfasfsrcsnk.def b/lib/libc/mingw/libarm32/mfasfsrcsnk.def new file mode 100644 index 0000000000..7bbffbcefa --- /dev/null +++ b/lib/libc/mingw/libarm32/mfasfsrcsnk.def @@ -0,0 +1,26 @@ +; +; Definition file of mfasfsrcsnk.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mfasfsrcsnk.dll" +EXPORTS +MFCreateASFContentInfo +MFCreateASFIndexer +MFCreateASFIndexerByteStream +MFCreateASFMediaSink +MFCreateASFMediaSinkActivate +MFCreateASFMediaSinkActivateFromByteStream +MFCreateASFMediaSinkActivateNoInit +MFCreateASFMultiplexer +MFCreateASFMutex +MFCreateASFProfile +MFCreateASFProfileFromPresentationDescriptor +MFCreateASFSplitter +MFCreateASFStreamConfig +MFCreateASFStreamPrioritization +MFCreateASFStreamSelector +MFCreateASFStreamingMediaSink +MFCreateASFStreamingMediaSinkActivate +MFCreateASFStreamingMediaSinkActivateNoInit +MFCreatePresentationDescriptorFromASFProfile diff --git a/lib/libc/mingw/libarm32/mfcaptureengine.def b/lib/libc/mingw/libarm32/mfcaptureengine.def new file mode 100644 index 0000000000..2925aa9ca7 --- /dev/null +++ b/lib/libc/mingw/libarm32/mfcaptureengine.def @@ -0,0 +1,8 @@ +; +; Definition file of MFCaptureEngine.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MFCaptureEngine.DLL" +EXPORTS +MFCreateCaptureEngine diff --git a/lib/libc/mingw/libarm32/mfnetcore.def b/lib/libc/mingw/libarm32/mfnetcore.def new file mode 100644 index 0000000000..abdeba326b --- /dev/null +++ b/lib/libc/mingw/libarm32/mfnetcore.def @@ -0,0 +1,10 @@ +; +; Definition file of mfnetcore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mfnetcore.dll" +EXPORTS +MFCreateCredentialCache +MFCreatePartialSeekableByteStream +MFCreateProxyLocator diff --git a/lib/libc/mingw/libarm32/mfnetsrc.def b/lib/libc/mingw/libarm32/mfnetsrc.def new file mode 100644 index 0000000000..73f3287e0f --- /dev/null +++ b/lib/libc/mingw/libarm32/mfnetsrc.def @@ -0,0 +1,10 @@ +; +; Definition file of mfnetsrc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mfnetsrc.dll" +EXPORTS +MFCreateByteCacheFile +MFCreateCacheManager +MFCreateFileBlockMap diff --git a/lib/libc/mingw/libarm32/mftranscode.def b/lib/libc/mingw/libarm32/mftranscode.def new file mode 100644 index 0000000000..2906e34400 --- /dev/null +++ b/lib/libc/mingw/libarm32/mftranscode.def @@ -0,0 +1,15 @@ +; +; Definition file of MFTranscode.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MFTranscode.dll" +EXPORTS +GetTranscodeComponentCreator +MFCreateSmartRemuxEngine +MFCreateTranscodeEngine +MFCreateTranscodeProfile +MFCreateTranscodeSinkActivate +MFCreateTranscodeTopology +MFCreateTranscodeTopologyFromByteStream +MFTranscodeGetAudioOutputAvailableTypes diff --git a/lib/libc/mingw/libarm32/mibincodec.def b/lib/libc/mingw/libarm32/mibincodec.def new file mode 100644 index 0000000000..415c3d7662 --- /dev/null +++ b/lib/libc/mingw/libarm32/mibincodec.def @@ -0,0 +1,15 @@ +; +; Definition file of mibincodec.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mibincodec.dll" +EXPORTS +MI_Application_NewDeserializer_Binary +MI_Application_NewSerializer_Binary +SyncBmilReader_Create +SyncBmilReader_Delete +SyncBmilReader_ReadInstance +SyncBmilWriter_Create +SyncBmilWriter_Delete +SyncBmilWriter_WriteInstance diff --git a/lib/libc/mingw/libarm32/microsoft.management.infrastructure.native.unmanaged.def b/lib/libc/mingw/libarm32/microsoft.management.infrastructure.native.unmanaged.def new file mode 100644 index 0000000000..cd63630938 --- /dev/null +++ b/lib/libc/mingw/libarm32/microsoft.management.infrastructure.native.unmanaged.def @@ -0,0 +1,38 @@ +; +; Definition file of Microsoft.Management.Infrastructure.Native.Unmanaged.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Microsoft.Management.Infrastructure.Native.Unmanaged.DLL" +EXPORTS +GetAddr_OperationCallbacks_ClassObjectNeededCallback +GetAddr_OperationCallbacks_FreeIncludedFileBufferCallback +GetAddr_OperationCallbacks_GetIncludedFileBufferCallback +GetAddr_OperationCallbacks_NativeClassCallback +GetAddr_OperationCallbacks_NativeIndicationCallback +GetAddr_OperationCallbacks_NativeInstanceCallback +GetAddr_OperationCallbacks_NativePromptUserCallback +GetAddr_OperationCallbacks_NativeStreamedParameterResultCallback +GetAddr_OperationCallbacks_NativeWriteErrorCallback +GetAddr_OperationCallbacks_NativeWriteMessageCallback +GetAddr_OperationCallbacks_NativeWriteProgressCallback +GetAddr_SessionHandle_OnReleaseHandleCompleted +MI_ApplicationWrapper_Initialize +MI_ApplicationWrapper_ScheduleCleanupCallback +MI_ApplicationWrapper_SetAppDomainIsUnloading +MI_Helpers_GetCurrentSecurityToken +MI_Helpers_IsClrShuttingDown +MI_Helpers_SetClrIsNotShuttingDown +MI_Helpers_SetClrIsShuttingDown +MI_OperationWrapper_DecrementCount_AndDontWorryAboutLifetimeOfMiDotNetDll +MI_OperationWrapper_DecrementCount_AndManageLifetimeOfMiDotNetDll +MI_OperationWrapper_GetClass +MI_OperationWrapper_GetIndication +MI_OperationWrapper_GetInstance +MI_OperationWrapper_Initialize +MI_OperationWrapper_ScheduleDrainingWorkIfNeeded +MI_OperationWrapper_SetupDrainingIfNeeded +UnmanagedMI_GetMiClientFT_V1 +UnmanagedMI_GetMiEvaluatorFT_V1 +UnmanagedMI_GetMiMonitoringFT_V1 +UnmanagedMI_GetMiReactiveExtensionsFT_V1 diff --git a/lib/libc/mingw/libarm32/mimofcodec.def b/lib/libc/mingw/libarm32/mimofcodec.def new file mode 100644 index 0000000000..500a08c37e --- /dev/null +++ b/lib/libc/mingw/libarm32/mimofcodec.def @@ -0,0 +1,13 @@ +; +; Definition file of mimofcodec.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mimofcodec.dll" +EXPORTS +MI_Application_NewDeserializer_Mof +MI_Application_NewSerializer_Mof +MI_MOFParser_Delete +MI_MOFParser_Init +MI_MOFParser_Lex +MI_MOFParser_Parse diff --git a/lib/libc/mingw/libarm32/mirrordrvcompat.def b/lib/libc/mingw/libarm32/mirrordrvcompat.def new file mode 100644 index 0000000000..655a4b67a2 --- /dev/null +++ b/lib/libc/mingw/libarm32/mirrordrvcompat.def @@ -0,0 +1,8 @@ +; +; Definition file of MirrorDrvCompat.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MirrorDrvCompat.dll" +EXPORTS +MirrorDrvLoadedNotify diff --git a/lib/libc/mingw/libarm32/miutils.def b/lib/libc/mingw/libarm32/miutils.def new file mode 100644 index 0000000000..fea36397fb --- /dev/null +++ b/lib/libc/mingw/libarm32/miutils.def @@ -0,0 +1,153 @@ +; +; Definition file of miutils.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "miutils.dll" +EXPORTS +??0CAutoSetActivityId@@QAA@XZ +??0CCritSec@@QAA@XZ +??0DynamicSchema@@QAA@XZ +??0IndicationSchema@@QAA@XZ +??0StaticSchema@@QAA@XZ +??0WMISchema@@QAA@XZ +??0WMISchema@@QAA@_N@Z +??1CAutoSetActivityId@@QAA@XZ +??1CCritSec@@QAA@XZ +??1WMISchema@@UAA@XZ +??4CAutoSetActivityId@@QAAAAV0@ABV0@@Z +??4CCritSec@@QAAAAV0@ABV0@@Z +?CreateInstance@DynamicSchema@@UAAJPBGPAUIWbemClassObject@@KPBU_MI_PropertySet@@_NAAPAU_MI_Instance@@PAUIConversionContext@@@Z +?CreateInstance@IndicationSchema@@UAAJPBGPAUIWbemClassObject@@KPBU_MI_PropertySet@@_NAAPAU_MI_Instance@@PAUIConversionContext@@@Z +?CreateInstance@StaticSchema@@UAAJPBGPAUIWbemClassObject@@KPBU_MI_PropertySet@@_NAAPAU_MI_Instance@@PAUIConversionContext@@@Z +?DeInitialize@WMISchema@@QAAJXZ +?GetFlags@MiSchema@@UBAJXZ +?GetMiClass@DynamicSchema@@UAAJPBG00PAPBU_MI_Class@@@Z +?GetMiClass@IndicationSchema@@UAAJPBG00PAPBU_MI_Class@@@Z +?GetMiClass@StaticSchema@@UAAJPBG00PAPBU_MI_Class@@@Z +?GetNoneCachedWmiClass@WMISchema@@UAAJPBGPAUIWbemServices@@AAV?$CComPtr@UIWbemClassObject@@@ATL@@PAUIConversionContext@@@Z +?GetWmiClass@WMISchema@@UAAJPBG0AAV?$CComPtr@UIWbemClassObject@@@ATL@@PAUIConversionContext@@@Z +?GetWmiIWbemServices@WMISchema@@UAAJPBGAAV?$CComPtr@UIWbemServices@@@ATL@@@Z +?Initialize@StaticSchema@@QAAJPBU_MI_Module@@@Z +?SetFlags@MiSchema@@MAAJJ@Z +CimErrorFromErrorCode +CimError_Construct +CimStatusCodeFromWindowsError +CimTypeToType +ClassCache_AddClass +ClassCache_Delete +ClassCache_GetClass +ClassCache_New +Class_New +CompareInstance +CompareValue +Config_GetProtocolHandlerDetails +Config_GetRegString +CreateConversionContext +DestinationOptions_Create +DestinationOptions_Duplicate +DestinationOptions_MigrateOptions +FindClassDecl +FindMethodDecl +FindQualifierInWMIObject +GetCorrelationId +GetMethodParameters +GetReferenceFromWMIObjectPath +InstanceToWMIEvent +InstanceToWMIExtendedStatus +InstanceToWMIObject +Instance_Clone +Instance_Construct +Instance_GetResourceURI +Instance_InitDynamic +Instance_IsDynamic +Instance_MatchKeys +Instance_New +Instance_SetElementArray +Instance_SetElementArrayItem +Instance_SetResourceURI +Instance_SetServerName +IsLifeCycleIndicationQuery +MI_Hash +MiErrorCategoryFromWindowsError +OSC_Batch_Destroy +OSC_Batch_Get +OSC_Batch_Strdup +OSC_StringToMiValue +OSC_Type_GetSize +OperationOptions_CopyOptions +OperationOptions_Create +OperationOptions_MigrateOptions +OptionsValueToContextValue +Options_FindValue +ParametersToWMIObject +PropertySet_New +PropertyToVariant +PublishClientOperationInfo +PublishDebugInfo +PublishDebugMessage +PublishProviderResult +PublishProviderWriteError +PublishProviderWriteMessage +QualifierFlavorToWMI +RCClass_AddClassQualifier +RCClass_AddClassQualifierArray +RCClass_AddClassQualifierArrayItem +RCClass_AddElement +RCClass_AddElementArray +RCClass_AddElementArrayItem +RCClass_AddElementQualifier +RCClass_AddElementQualifierArray +RCClass_AddElementQualifierArrayItem +RCClass_AddMethod +RCClass_AddMethodParameter +RCClass_AddMethodParameterQualifier +RCClass_AddMethodParameterQualifierArray +RCClass_AddMethodParameterQualifierArrayItem +RCClass_AddMethodQualifier +RCClass_AddMethodQualifierArray +RCClass_AddMethodQualifierArrayItem +RCClass_New +ResultFromHRESULT +ResultToHRESULT +RtlDeleteCachedFastLock +RtlInitializeCachedFastLock +RtlInterlockedCompareWait +RtlInterlockedWakeAll +RtlQueueAcquireCachedFastLockExclusive +RtlQueueAcquireCachedFastLockShared +RtlQueueAcquireFastLockExclusive +RtlQueueAcquireFastLockShared +RtlReleaseCachedFastLockExclusive +RtlReleaseCachedFastLockShared +RtlReleaseFastLockExclusive +RtlReleaseFastLockShared +RtlTryAcquireCachedFastLockShared +RtlTryAcquireFastLockExclusive +RtlTryAcquireFastLockShared +RtlpInitFastLock +SetCorrelationIdToWbemContext +SetModifiedPropertyNamesToContext +SetProperties +SubscriptionDeliveryOptions_Create +SubscriptionDeliveryOptions_MigrateOptions +TypeToCimType +ValueClear +ValueToVariant +VariantArrayToSafeArray +VariantToValue +WMIEventToCIMIndication +WMIExtendedObjectToInstance +WMIObjectToClass +WMIObjectToInstance +WMIQualifierFlavorToMI +WriteWBEM_MC_CLIENT_REQUEST_FAILURE +XMLDOM_Free +XMLDOM_Parse +XML_FormatError +XML_Init +XML_Next +XML_PutError +XML_RegisterNameSpace +XML_SetText +XML_StripWhitespace diff --git a/lib/libc/mingw/libarm32/mmcbase.def b/lib/libc/mingw/libarm32/mmcbase.def new file mode 100644 index 0000000000..2e9c14942c --- /dev/null +++ b/lib/libc/mingw/libarm32/mmcbase.def @@ -0,0 +1,138 @@ +; +; Definition file of mmcbase.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mmcbase.DLL" +EXPORTS +??0?$CEventLock@UAppEvents@@@@QAA@XZ +??0CEventBuffer@@QAA@ABV0@@Z +??0CEventBuffer@@QAA@XZ +??0CMMCStrongReferences@@AAA@XZ +??0SC@mmcerror@@QAA@ABV01@@Z +??0SC@mmcerror@@QAA@J@Z +??1?$CEventLock@UAppEvents@@@@QAA@XZ +??1CEventBuffer@@QAA@XZ +??1SC@mmcerror@@QAA@XZ +??4?$CEventLock@UAppEvents@@@@QAAAAV0@ABV0@@Z +??4CEventBuffer@@QAAAAV0@ABV0@@Z +??4CMMCStrongReferences@@QAAAAV0@ABV0@@Z +??4SC@mmcerror@@QAAAAV01@ABV01@@Z +??4SC@mmcerror@@QAAAAV01@J@Z +??7SC@mmcerror@@QBAHXZ +??8SC@mmcerror@@QBA_NABV01@@Z +??8SC@mmcerror@@QBA_NJ@Z +??9SC@mmcerror@@QBA_NABV01@@Z +??9SC@mmcerror@@QBA_NJ@Z +??BSC@mmcerror@@QBA_NXZ +??_FSC@mmcerror@@QAAXXZ +?AddItem@BookKeeping@@SAJAAVItemHandle@@@Z +?AddRef@CMMCStrongReferences@@SAKXZ +?AddSnapin@BookKeeping@@SAJPBGAAH@Z +?AddSnapinInterface@BookKeeping@@SA_NPAUIUnknown@@PBGAAH@Z +?CheckCallingThreadID@SC@mmcerror@@QAAXXZ +?Clear@SC@mmcerror@@QAAXXZ +?DumpWatsonTables@BookKeeping@@SAJPAXPBGH@Z +?EnableDiagnosticMessageBox@BookKeeping@@SA_N_N@Z +?ExceptionFilter@CMMCWatsonAPI@@SAJPAU_EXCEPTION_POINTERS@@H@Z +?FatalError@SC@mmcerror@@QBAXXZ +?FindAllSnapinUIThreads@BookKeeping@@SAJHPAPAKPAK@Z +?FindAllSnapinUIThreads@BookKeeping@@SAJPAPAKPAK@Z +?FindItem@BookKeeping@@SAPAVItemHandle@@PAX@Z +?FindSnapin@BookKeeping@@SAABVSnapinBookkeepingInfo@@H@Z +?FindSnapin@BookKeeping@@SAABVSnapinBookkeepingInfo@@PAUIUnknown@@@Z +?FindSnapin@BookKeeping@@SAABVSnapinBookkeepingInfo@@PBG@Z +?ForceException@CMMCWatsonAPI@@SAXH@Z +?FormatErrorIds@@YAXIVSC@mmcerror@@IPAG@Z +?FormatErrorShort@@YAXVSC@mmcerror@@IPAG@Z +?FormatErrorString@@YAXPBGVSC@mmcerror@@IPAGH@Z +?FromLastError@SC@mmcerror@@QAAAAV12@XZ +?FromMMC@SC@mmcerror@@QAAAAV12@J@Z +?FromWin32@SC@mmcerror@@QAAAAV12@J@Z +?FxSnapinException@BookKeeping@@SA_NHPBG000HPAUHWND__@@@Z +?GetCode@SC@mmcerror@@QBAJXZ +?GetComObjectEventSource@@YAAAV?$CEventSource@VCComObjectObserver@@VCVoid@@V2@V2@V2@@@XZ +?GetErrorMessage@SC@mmcerror@@QBAXIPAG@Z +?GetEventBuffer@@YAAAVCEventBuffer@@XZ +?GetFacility@SC@mmcerror@@ABA?AW4facility_type@12@XZ +?GetFunctionName@SC@mmcerror@@QBAPBGXZ +?GetHWnd@SC@mmcerror@@SAPAUHWND__@@XZ +?GetHelpFile@SC@mmcerror@@SAPBGXZ +?GetHelpID@SC@mmcerror@@QAAKXZ +?GetHinst@SC@mmcerror@@SAPAUHINSTANCE__@@XZ +?GetMainThreadID@SC@mmcerror@@SAKXZ +?GetModalHWND@SC@mmcerror@@SAPAUHWND__@@XZ +?GetNewSnapinInstanceId@BookKeeping@@SAHXZ +?GetSingletonObject@CMMCStrongReferences@@CAAAV1@XZ +?GetSnapinModuleName@BookKeeping@@SAPBGH@Z +?GetSnapinName@BookKeeping@@SAPBGH@Z +?GetSnapinName@SC@mmcerror@@QBAPBGXZ +?GetStringModule@@YAPAUHINSTANCE__@@XZ +?HrFromSc@@YAJABVSC@mmcerror@@@Z +?InitInstance@BookKeeping@@SAJXZ +?InterfaceFailure@BookKeeping@@SAXHPBG0@Z +?InterfaceMethodActivationContextException@BookKeeping@@SAXHPBG0KPAU_EXCEPTION_POINTERS@@@Z +?InterfaceMethodException@BookKeeping@@SAXHPBG0KPAU_EXCEPTION_POINTERS@@@Z +?InterfaceNotFound@BookKeeping@@SAXHPBG@Z +?InternalAddRef@CMMCStrongReferences@@AAAKXZ +?InternalLastRefReleased@CMMCStrongReferences@@AAA_NXZ +?InternalRelease@CMMCStrongReferences@@AAAKXZ +?InvalidInterface@BookKeeping@@SAXHPBG0@Z +?InvalidMMCInterface@BookKeeping@@SAXHPBG0@Z +?InvalidMMCInterfaceRelease@BookKeeping@@SAXHPBG0@Z +?IsError@SC@mmcerror@@QBA_NXZ +?IsLocked@CEventBuffer@@QAA_NXZ +?IsValid@ItemHandle@@SA_NPBV1@@Z +?LKResult2HRESULT@BookKeeping@@SAJJ@Z +?LastRefReleased@CMMCStrongReferences@@SA_NXZ +?LoadStandardOverlays@@YAJPAU_IMAGELIST@@HPAH1@Z +?Lock@CEventBuffer@@QAAXXZ +?MMCErrorBox@@YAHII@Z +?MMCErrorBox@@YAHIVSC@mmcerror@@I@Z +?MMCErrorBox@@YAHPBGI@Z +?MMCErrorBox@@YAHPBGVSC@mmcerror@@I@Z +?MMCErrorBox@@YAHVSC@mmcerror@@I@Z +?MMCInterfaceError@BookKeeping@@SAXHPBG0@Z +?MMCInterfaceLeak@BookKeeping@@SAXHPBG@Z +?MMCInterfaceMethodException@BookKeeping@@SAXHPBG0KPAU_EXCEPTION_POINTERS@@W4_SnapinError@1@@Z +?MMCNullInterface@BookKeeping@@SAXHPBG0@Z +?MMCUpdateRegistry@@YAJHPBVCObjectRegParams@@PBVCControlRegParams@@@Z +?MMC_PickIconDlg@@YAHPAUHWND__@@PAGIPAH@Z +?MakeSc@SC@mmcerror@@AAAXW4facility_type@12@J@Z +?RegisterSnapinInterfaceErrorHandler@BookKeeping@@SAP6A_NAAVSnapinBookkeepingInfo@@W4_SnapinError@1@PBG222KPAU_EXCEPTION_POINTERS@@@ZP6A_N012222K3@Z@Z +?RegisterThread@BookKeeping@@SAJHHKW4SnapinThreadFlags@1@@Z +?Release@CMMCStrongReferences@@SAKXZ +?ReleaseSnapinInterface@BookKeeping@@SAJPAUIUnknown@@H@Z +?RemoveItem@BookKeeping@@SAJPAX@Z +?SCODEFromSc@@YAJABVSC@mmcerror@@@Z +?ScEmitOrPostpone@CEventBuffer@@QAA?AVSC@mmcerror@@PAUIDispatch@@JPAVCComVariant@ATL@@H@Z +?ScFlushPostponed@CEventBuffer@@AAA?AVSC@mmcerror@@XZ +?ScFromMMC@@YA?AVSC@mmcerror@@J@Z +?ScGetConsoleEventDispatcher@CConsoleEventDispatcherProvider@@SA?AVSC@mmcerror@@AAPAVCConsoleEventDispatcher@@@Z +?ScSetConsoleEventDispatcher@CConsoleEventDispatcherProvider@@SA?AVSC@mmcerror@@PAVCConsoleEventDispatcher@@@Z +?SetFunctionName@SC@mmcerror@@QAAXPBG@Z +?SetHWnd@SC@mmcerror@@SAXPAUHWND__@@@Z +?SetHinst@SC@mmcerror@@SAXPAUHINSTANCE__@@@Z +?SetMainThreadID@SC@mmcerror@@SAXK@Z +?SetModalHWND@SC@mmcerror@@SAPAUHWND__@@PAU3@@Z +?SetSnapinName@SC@mmcerror@@QAAXPBG@Z +?Throw@SC@mmcerror@@QAAXJ@Z +?Throw@SC@mmcerror@@QAAXXZ +?ToHr@SC@mmcerror@@QBAJXZ +?TraceAndClear@SC@mmcerror@@QAAXXZ +?TraceError@@YAXPBGABVSC@mmcerror@@@Z +?TraceSnapinError@@YAXPBGABVSC@mmcerror@@@Z +?Trace_@SC@mmcerror@@QBAXXZ +?Unlock@CEventBuffer@@QAAXXZ +?UnregisterAllSnapinInstanceThreads@BookKeeping@@SAJH@Z +?UnregisterThread@BookKeeping@@SAJHK@Z +?s_CallDepth@SC@mmcerror@@0IA DATA +?s_dwMainThreadID@SC@mmcerror@@0KA DATA +?s_hInst@SC@mmcerror@@0PAUHINSTANCE__@@A DATA +?s_hWnd@SC@mmcerror@@0PAUHWND__@@A DATA +?s_hWndModal@SC@mmcerror@@0PAUHWND__@@A DATA +?s_pDispatcher@CConsoleEventDispatcherProvider@@0PAVCConsoleEventDispatcher@@A DATA +EnterModalLoop +InsideModalLoop +LeaveModalLoop +ReportFxSnapinException diff --git a/lib/libc/mingw/libarm32/mmci.def b/lib/libc/mingw/libarm32/mmci.def new file mode 100644 index 0000000000..099e53bf9e --- /dev/null +++ b/lib/libc/mingw/libarm32/mmci.def @@ -0,0 +1,9 @@ +; +; Definition file of MMCI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MMCI.DLL" +EXPORTS +MediaClassInstaller +mmWOW64MediaClassInstallerA diff --git a/lib/libc/mingw/libarm32/mmcico.def b/lib/libc/mingw/libarm32/mmcico.def new file mode 100644 index 0000000000..3bafb28aa4 --- /dev/null +++ b/lib/libc/mingw/libarm32/mmcico.def @@ -0,0 +1,8 @@ +; +; Definition file of mmcico.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mmcico.dll" +EXPORTS +MediaClassCoInstaller diff --git a/lib/libc/mingw/libarm32/mmcndmgr.def b/lib/libc/mingw/libarm32/mmcndmgr.def new file mode 100644 index 0000000000..6cf7ea8d1c --- /dev/null +++ b/lib/libc/mingw/libarm32/mmcndmgr.def @@ -0,0 +1,8 @@ +; +; Definition file of MMCNDMGR.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MMCNDMGR.DLL" +EXPORTS +CreateExecutivePlatform diff --git a/lib/libc/mingw/libarm32/mmcss.def b/lib/libc/mingw/libarm32/mmcss.def new file mode 100644 index 0000000000..0212c2b098 --- /dev/null +++ b/lib/libc/mingw/libarm32/mmcss.def @@ -0,0 +1,9 @@ +; +; Definition file of MMCSS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MMCSS.dll" +EXPORTS +ServiceMain +ToServiceMain diff --git a/lib/libc/mingw/libarm32/montr_ci.def b/lib/libc/mingw/libarm32/montr_ci.def new file mode 100644 index 0000000000..1cbc242f28 --- /dev/null +++ b/lib/libc/mingw/libarm32/montr_ci.def @@ -0,0 +1,8 @@ +; +; Definition file of Montr_CI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Montr_CI.dll" +EXPORTS +MonitorClassInstaller diff --git a/lib/libc/mingw/libarm32/mprext.def b/lib/libc/mingw/libarm32/mprext.def new file mode 100644 index 0000000000..5c52de289e --- /dev/null +++ b/lib/libc/mingw/libarm32/mprext.def @@ -0,0 +1,18 @@ +; +; Definition file of MPREXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MPREXT.dll" +EXPORTS +DoBroadcastSystemMessageWorker +DoCommandLinePromptWorker +DoPasswordDialogWorker +DoProfileErrorDialogWorker +ShowReconnectDialogEndWorker +ShowReconnectDialogUIWorker +ShowReconnectDialogWorker +WNetConnectionDialog1WWorker +WNetConnectionDialogWorker +WNetDisconnectDialog1WWorker +WNetDisconnectDialogWorker diff --git a/lib/libc/mingw/libarm32/mprmsg.def b/lib/libc/mingw/libarm32/mprmsg.def new file mode 100644 index 0000000000..09d0ff0953 --- /dev/null +++ b/lib/libc/mingw/libarm32/mprmsg.def @@ -0,0 +1,8 @@ +; +; Definition file of MPRMSG.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MPRMSG.dll" +EXPORTS +MprmsgGetErrorString diff --git a/lib/libc/mingw/libarm32/mpssvc.def b/lib/libc/mingw/libarm32/mpssvc.def new file mode 100644 index 0000000000..ad2a3ec6cb --- /dev/null +++ b/lib/libc/mingw/libarm32/mpssvc.def @@ -0,0 +1,9 @@ +; +; Definition file of MPSSVC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MPSSVC.DLL" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/mrmcorer.def b/lib/libc/mingw/libarm32/mrmcorer.def new file mode 100644 index 0000000000..46856518b4 --- /dev/null +++ b/lib/libc/mingw/libarm32/mrmcorer.def @@ -0,0 +1,17 @@ +; +; Definition file of MrmCoreR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MrmCoreR.dll" +EXPORTS +GetInternalReferenceBlobForManifestValue +GetMergedSystemPri +GetStringValueForManifestField +MergeResourcePackPri +MergeSystemPriFiles +ResourceManagerQueueGetCurrentDepth +ResourceManagerQueueGetString +ResourceManagerQueueGetStringDirect +ResourceManagerQueueIsResourceReference +ResourceManagerQueueReset diff --git a/lib/libc/mingw/libarm32/mrt100.def b/lib/libc/mingw/libarm32/mrt100.def new file mode 100644 index 0000000000..c8587637b6 --- /dev/null +++ b/lib/libc/mingw/libarm32/mrt100.def @@ -0,0 +1,8 @@ +; +; Definition file of mrt100.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mrt100.dll" +EXPORTS +GetManagedRuntimeService diff --git a/lib/libc/mingw/libarm32/msasn1.def b/lib/libc/mingw/libarm32/msasn1.def new file mode 100644 index 0000000000..08600ee2bf --- /dev/null +++ b/lib/libc/mingw/libarm32/msasn1.def @@ -0,0 +1,159 @@ +; +; Definition file of MSASN1.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSASN1.dll" +EXPORTS +ASN1BERDecBitString +ASN1BERDecBitString2 +ASN1BERDecBool +ASN1BERDecChar16String +ASN1BERDecChar32String +ASN1BERDecCharString +ASN1BERDecCheck +ASN1BERDecDouble +ASN1BERDecEndOfContents +ASN1BERDecEoid +ASN1BERDecExplicitTag +ASN1BERDecFlush +ASN1BERDecGeneralizedTime +ASN1BERDecLength +ASN1BERDecMultibyteString +ASN1BERDecNotEndOfContents +ASN1BERDecNull +ASN1BERDecObjectIdentifier +ASN1BERDecObjectIdentifier2 +ASN1BERDecOctetString +ASN1BERDecOctetString2 +ASN1BERDecOpenType +ASN1BERDecOpenType2 +ASN1BERDecPeekTag +ASN1BERDecS16Val +ASN1BERDecS32Val +ASN1BERDecS8Val +ASN1BERDecSXVal +ASN1BERDecSkip +ASN1BERDecTag +ASN1BERDecU16Val +ASN1BERDecU32Val +ASN1BERDecU8Val +ASN1BERDecUTCTime +ASN1BERDecUTF8String +ASN1BERDecZeroChar16String +ASN1BERDecZeroChar32String +ASN1BERDecZeroCharString +ASN1BERDecZeroMultibyteString +ASN1BERDotVal2Eoid +ASN1BEREncBitString +ASN1BEREncBool +ASN1BEREncChar16String +ASN1BEREncChar32String +ASN1BEREncCharString +ASN1BEREncCheck +ASN1BEREncDouble +ASN1BEREncEndOfContents +ASN1BEREncEoid +ASN1BEREncExplicitTag +ASN1BEREncFlush +ASN1BEREncGeneralizedTime +ASN1BEREncLength +ASN1BEREncMultibyteString +ASN1BEREncNull +ASN1BEREncObjectIdentifier +ASN1BEREncObjectIdentifier2 +ASN1BEREncOctetString +ASN1BEREncOpenType +ASN1BEREncRemoveZeroBits +ASN1BEREncRemoveZeroBits2 +ASN1BEREncS32 +ASN1BEREncSX +ASN1BEREncTag +ASN1BEREncU32 +ASN1BEREncUTCTime +ASN1BEREncUTF8String +ASN1BEREncZeroMultibyteString +ASN1BEREoid2DotVal +ASN1BEREoid_free +ASN1CEREncBeginBlk +ASN1CEREncBitString +ASN1CEREncChar16String +ASN1CEREncChar32String +ASN1CEREncCharString +ASN1CEREncEndBlk +ASN1CEREncFlushBlkElement +ASN1CEREncGeneralizedTime +ASN1CEREncMultibyteString +ASN1CEREncNewBlkElement +ASN1CEREncOctetString +ASN1CEREncUTCTime +ASN1CEREncZeroMultibyteString +ASN1DEREncBeginBlk +ASN1DEREncBitString +ASN1DEREncChar16String +ASN1DEREncChar32String +ASN1DEREncCharString +ASN1DEREncEndBlk +ASN1DEREncFlushBlkElement +ASN1DEREncGeneralizedTime +ASN1DEREncMultibyteString +ASN1DEREncNewBlkElement +ASN1DEREncOctetString +ASN1DEREncUTCTime +ASN1DEREncUTF8String +ASN1DEREncZeroMultibyteString +ASN1DecAlloc +ASN1DecRealloc +ASN1DecSetError +ASN1EncSetError +ASN1Free +ASN1_CloseDecoder +ASN1_CloseEncoder +ASN1_CloseEncoder2 +ASN1_CloseModule +ASN1_CreateDecoder +ASN1_CreateDecoderEx +ASN1_CreateEncoder +ASN1_CreateModule +ASN1_Decode +ASN1_Encode +ASN1_FreeDecoded +ASN1_FreeEncoded +ASN1_GetDecoderOption +ASN1_GetEncoderOption +ASN1_SetDecoderOption +ASN1_SetEncoderOption +ASN1bitstring_cmp +ASN1bitstring_free +ASN1char16string_cmp +ASN1char16string_free +ASN1char32string_cmp +ASN1char32string_free +ASN1charstring_cmp +ASN1charstring_free +ASN1generalizedtime_cmp +ASN1intx2int32 +ASN1intx2uint32 +ASN1intx_add +ASN1intx_cmp +ASN1intx_free +ASN1intx_setuint32 +ASN1intx_sub +ASN1intx_uoctets +ASN1intxisuint32 +ASN1objectidentifier2_cmp +ASN1objectidentifier_cmp +ASN1objectidentifier_free +ASN1octetstring_cmp +ASN1octetstring_free +ASN1open_cmp +ASN1open_free +ASN1uint32_uoctets +ASN1utctime_cmp +ASN1utf8string_free +ASN1ztchar16string_cmp +ASN1ztchar16string_free +ASN1ztchar32string_cmp +ASN1ztchar32string_free +ASN1ztcharstring_cmp +ASN1ztcharstring_free diff --git a/lib/libc/mingw/libarm32/msauserext.def b/lib/libc/mingw/libarm32/msauserext.def new file mode 100644 index 0000000000..59e5930587 --- /dev/null +++ b/lib/libc/mingw/libarm32/msauserext.def @@ -0,0 +1,19 @@ +; +; Definition file of MSAUSEREXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSAUSEREXT.dll" +EXPORTS +MsaUI_ClearThreadClientContext +MsaUI_CloseClientContext +MsaUI_CreateClientContext +MsaUI_CredUIPromptForWindowsCredentials +MsaUI_LaunchWebAuthFlow +MsaUI_RunWizard +MsaUI_SetThreadClientContext +MsaUi_CreateClientContextFromWab +MsaUser_FormatUserDisplayName +MsaUser_GetPlatformQualifier +MsaUser_IsChildAccount +MsaUser_WinBioSetMSACredential diff --git a/lib/libc/mingw/libarm32/msclmd.def b/lib/libc/mingw/libarm32/msclmd.def new file mode 100644 index 0000000000..4092186797 --- /dev/null +++ b/lib/libc/mingw/libarm32/msclmd.def @@ -0,0 +1,8 @@ +; +; Definition file of Msclmd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Msclmd.dll" +EXPORTS +CardAcquireContext diff --git a/lib/libc/mingw/libarm32/mscoree.def b/lib/libc/mingw/libarm32/mscoree.def new file mode 100644 index 0000000000..429bc3a31a --- /dev/null +++ b/lib/libc/mingw/libarm32/mscoree.def @@ -0,0 +1,128 @@ +; +; Definition file of mscoree.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mscoree.dll" +EXPORTS +InitErrors +PostError +InitSSAutoEnterThread +UpdateError +CloseCtrs +LoadStringRC +ReOpenMetaDataWithMemory +ord_24 @24 +CollectCtrs +CorDllMainWorker +EEDllGetClassObjectFromClass +GetPrivateContextsPerfCounters +GetProcessExecutableHeap +GetStartupFlags +GetTargetForVTableEntry +GetTokenForVTableEntry +LogHelp_LogAssert +LogHelp_NoGuiOnAssert +LogHelp_TerminateOnAssert +OpenCtrs +SetTargetForVTableEntry +CLRCreateInstance +CallFunctionShim +ClrCreateManagedInstance +CoEEShutDownCOM +CoInitializeCor +CoInitializeEE +CoUninitializeCor +CoUninitializeEE +CorBindToCurrentRuntime +CorBindToRuntime +CorBindToRuntimeByCfg +CorBindToRuntimeByPath +CorBindToRuntimeByPathEx +CorBindToRuntimeEx +CorBindToRuntimeHost +CorExitProcess +CorGetSvc +CorIsLatestSvc +CorMarkThreadInThreadPool +CorTickleSvc +CreateConfigStream +CreateDebuggingInterfaceFromVersion +CreateInterface +EEDllRegisterServer +EEDllUnregisterServer +GetAssemblyMDImport +GetCLRMetaHost +GetCORRequiredVersion +GetCORRootDirectory +GetCORSystemDirectory +GetCORVersion +GetCompileInfo +GetFileVersion +GetHashFromAssemblyFile +GetHashFromAssemblyFileW +GetHashFromBlob +GetHashFromFile +GetHashFromFileW +GetHashFromHandle +GetHostConfigurationFile +GetMetaDataInternalInterface +GetMetaDataInternalInterfaceFromPublic +GetMetaDataPublicInterfaceFromInternal +GetPermissionRequests +GetRealProcAddress +GetRequestedRuntimeInfo +GetRequestedRuntimeVersion +GetRequestedRuntimeVersionForCLSID +GetVersionFromProcess +GetXMLElement +GetXMLElementAttribute +GetXMLObject +IEE +LoadLibraryShim +LoadLibraryWithPolicyShim +LoadStringRCEx +LockClrVersion +MetaDataGetDispenser +ND_CopyObjDst +ND_CopyObjSrc +ND_RI2 +ND_RI4 +ND_RI8 +ND_RU1 +ND_WI2 +ND_WI4 +ND_WI8 +ND_WU1 +ReOpenMetaDataWithMemoryEx +RunDll32ShimW +RuntimeOSHandle +RuntimeOpenImage +RuntimeReleaseHandle +StrongNameCompareAssemblies +StrongNameErrorInfo +StrongNameFreeBuffer +StrongNameGetBlob +StrongNameGetBlobFromImage +StrongNameGetPublicKey +StrongNameHashSize +StrongNameKeyDelete +StrongNameKeyGen +StrongNameKeyGenEx +StrongNameKeyInstall +StrongNameSignatureGeneration +StrongNameSignatureGenerationEx +StrongNameSignatureSize +StrongNameSignatureVerification +StrongNameSignatureVerificationEx +StrongNameSignatureVerificationFromImage +StrongNameTokenFromAssembly +StrongNameTokenFromAssemblyEx +StrongNameTokenFromPublicKey +TranslateSecurityAttributes +_CorDllMain +_CorExeMain +_CorExeMain2 +_CorImageUnloading +_CorValidateImage +ord_142 @142 diff --git a/lib/libc/mingw/libarm32/msdart.def b/lib/libc/mingw/libarm32/msdart.def new file mode 100644 index 0000000000..09ca8792f2 --- /dev/null +++ b/lib/libc/mingw/libarm32/msdart.def @@ -0,0 +1,607 @@ +; +; Definition file of MSDART.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSDART.DLL" +EXPORTS +??0CCritSec@@QAA@XZ +??0CDoubleList@@QAA@XZ +??0CEXAutoBackupFile@@QAA@PBG@Z +??0CEXAutoBackupFile@@QAA@XZ +??0CExFileOperation@@QAA@XZ +??0CFakeLock@@QAA@XZ +??0CLKRHashTable@@QAA@PBDP6A?BKPBX@ZP6AKK@ZP6A_NKK@ZP6AX1H@ZNKK_N6PAVCLKRhashAllocator@@@Z +??0CLKRHashTableStats@@QAA@XZ +??0CLKRHashTable_Iterator@@IAA@PAVCLKRHashTable@@F@Z +??0CLKRHashTable_Iterator@@QAA@ABV0@@Z +??0CLKRHashTable_Iterator@@QAA@XZ +??0CLKRLinearHashTable@@AAA@PBDP6A?BKPBX@ZP6AKK@ZP6A_NKK@ZP6AX1H@ZNKPAVCLKRHashTable@@_N7PAVCLKRhashAllocator@@@Z +??0CLKRLinearHashTable@@QAA@PBDP6A?BKPBX@ZP6AKK@ZP6A_NKK@ZP6AX1H@ZNKK_N6PAVCLKRhashAllocator@@@Z +??0CLKRLinearHashTable_Iterator@@IAA@PAVCLKRLinearHashTable@@PAVCNodeClump@@KF@Z +??0CLKRLinearHashTable_Iterator@@QAA@ABV0@@Z +??0CLKRLinearHashTable_Iterator@@QAA@XZ +??0CLKRhashDefaultAllocator@@QAA@XZ +??0CLockedDoubleList@@QAA@XZ +??0CLockedSingleList@@QAA@XZ +??0CReaderWriterLock2@@QAA@XZ +??0CReaderWriterLock3@@QAA@XZ +??0CReaderWriterLock3AR@@QAA@XZ +??0CReaderWriterLock@@QAA@XZ +??0CSingleList@@QAA@XZ +??0CSmallSpinLock@@QAA@XZ +??0CSpinLock@@QAA@XZ +??1CCritSec@@QAA@XZ +??1CDoubleList@@QAA@XZ +??1CEXAutoBackupFile@@QAA@XZ +??1CExFileOperation@@QAA@XZ +??1CFakeLock@@QAA@XZ +??1CLKRHashTable@@QAA@XZ +??1CLKRHashTable_Iterator@@QAA@XZ +??1CLKRLinearHashTable@@QAA@XZ +??1CLKRLinearHashTable_Iterator@@QAA@XZ +??1CLockedDoubleList@@QAA@XZ +??1CLockedSingleList@@QAA@XZ +??1CReaderWriterLock2@@QAA@XZ +??1CReaderWriterLock3@@QAA@XZ +??1CReaderWriterLock3AR@@QAA@XZ +??1CReaderWriterLock@@QAA@XZ +??1CSingleList@@QAA@XZ +??1CSmallSpinLock@@QAA@XZ +??1CSpinLock@@QAA@XZ +??4?$CLockBase@$00$00$02$00$02$01@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$01$00$00$00$02$01@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$02$00$00$00$00$00@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$03$00$00$01$02$02@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$04$01$01$00$02$01@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$05$01$01$00$02$01@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$06$01$00$00$02$01@@QAAAAV0@ABV0@@Z +??4?$CLockBase@$07$01$00$00$02$01@@QAAAAV0@ABV0@@Z +??4CCritSec@@QAAAAV0@ABV0@@Z +??4CDoubleList@@QAAAAV0@ABV0@@Z +??4CEXAutoBackupFile@@QAAAAV0@ABV0@@Z +??4CExFileOperation@@QAAAAV0@ABV0@@Z +??4CFakeLock@@QAAAAV0@ABV0@@Z +??4CLKRHashTableStats@@QAAAAV0@ABV0@@Z +??4CLKRHashTable_Iterator@@QAAAAV0@ABV0@@Z +??4CLKRLinearHashTable_Iterator@@QAAAAV0@ABV0@@Z +??4CLockedDoubleList@@QAAAAV0@ABV0@@Z +??4CLockedSingleList@@QAAAAV0@ABV0@@Z +??4CMdVersionInfo@@QAAAAV0@ABV0@@Z +??4CReaderWriterLock2@@QAAAAV0@ABV0@@Z +??4CReaderWriterLock3@@QAAAAV0@ABV0@@Z +??4CReaderWriterLock3AR@@QAAAAV0@ABV0@@Z +??4CReaderWriterLock@@QAAAAV0@ABV0@@Z +??4CSingleList@@QAAAAV0@ABV0@@Z +??4CSmallSpinLock@@QAAAAV0@ABV0@@Z +??4CSpinLock@@QAAAAV0@ABV0@@Z +??8CLKRHashTable_Iterator@@QBA_NABV0@@Z +??8CLKRLinearHashTable_Iterator@@QBA_NABV0@@Z +??9CLKRHashTable_Iterator@@QBA_NABV0@@Z +??9CLKRLinearHashTable_Iterator@@QBA_NABV0@@Z +??_7CLKRhashDefaultAllocator@@6B@ DATA +?Alloc@CLKRhashDefaultAllocator@@UAAPAXIW4Type@CLKRhashAllocator@@@Z +?Apply@CLKRHashTable@@QAAKP6A?AW4LK_ACTION@@PBXPAX@Z1W4LK_LOCKTYPE@@@Z +?Apply@CLKRLinearHashTable@@QAAKP6A?AW4LK_ACTION@@PBXPAX@Z1W4LK_LOCKTYPE@@@Z +?ApplyIf@CLKRHashTable@@QAAKP6A?AW4LK_PREDICATE@@PBXPAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +?ApplyIf@CLKRLinearHashTable@@QAAKP6A?AW4LK_PREDICATE@@PBXPAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@@Z +?BackupFile@CEXAutoBackupFile@@QAAJPBG@Z +?Begin@CLKRHashTable@@QAA?AVCLKRHashTable_Iterator@@XZ +?Begin@CLKRLinearHashTable@@QAA?AVCLKRLinearHashTable_Iterator@@XZ +?BucketIndex@CLKRHashTableStats@@SAJJ@Z +?BucketSize@CLKRHashTableStats@@SAJJ@Z +?BucketSizes@CLKRHashTableStats@@SAPBJXZ +?CheckTable@CLKRHashTable@@QBAHXZ +?CheckTable@CLKRLinearHashTable@@QBAHXZ +?ClassName@CCritSec@@SAPBGXZ +?ClassName@CFakeLock@@SAPBGXZ +?ClassName@CLKRHashTable@@SAPBGXZ +?ClassName@CLKRLinearHashTable@@SAPBGXZ +?ClassName@CLKRhashDefaultAllocator@@UAAPBGXZ +?ClassName@CReaderWriterLock2@@SAPBGXZ +?ClassName@CReaderWriterLock3@@SAPBGXZ +?ClassName@CReaderWriterLock3AR@@SAPBGXZ +?ClassName@CReaderWriterLock@@SAPBGXZ +?ClassName@CSmallSpinLock@@SAPBGXZ +?ClassName@CSpinLock@@SAPBGXZ +?Clear@CLKRHashTable@@QAAXXZ +?Clear@CLKRLinearHashTable@@QAAXXZ +?ConvertExclusiveToShared@CCritSec@@QAAXXZ +?ConvertExclusiveToShared@CFakeLock@@QAAXXZ +?ConvertExclusiveToShared@CLKRHashTable@@QBAXXZ +?ConvertExclusiveToShared@CLKRLinearHashTable@@QBAXXZ +?ConvertExclusiveToShared@CReaderWriterLock2@@QAAXXZ +?ConvertExclusiveToShared@CReaderWriterLock3@@QAAXXZ +?ConvertExclusiveToShared@CReaderWriterLock3AR@@QAAXXZ +?ConvertExclusiveToShared@CReaderWriterLock@@QAAXXZ +?ConvertExclusiveToShared@CSmallSpinLock@@QAAXXZ +?ConvertExclusiveToShared@CSpinLock@@QAAXXZ +?ConvertSharedToExclusive@CCritSec@@QAAXXZ +?ConvertSharedToExclusive@CFakeLock@@QAAXXZ +?ConvertSharedToExclusive@CLKRHashTable@@QBAXXZ +?ConvertSharedToExclusive@CLKRLinearHashTable@@QBAXXZ +?ConvertSharedToExclusive@CReaderWriterLock2@@QAAXXZ +?ConvertSharedToExclusive@CReaderWriterLock3@@QAAXXZ +?ConvertSharedToExclusive@CReaderWriterLock3AR@@QAAXXZ +?ConvertSharedToExclusive@CReaderWriterLock@@QAAXXZ +?ConvertSharedToExclusive@CSmallSpinLock@@QAAXXZ +?ConvertSharedToExclusive@CSpinLock@@QAAXXZ +?CreateHolder@@YAJPAUIGPDispenser@@HIPAPAUIGPHolder@@@Z +?DeleteIf@CLKRHashTable@@QAAKP6A?AW4LK_PREDICATE@@PBXPAX@Z1@Z +?DeleteIf@CLKRLinearHashTable@@QAAKP6A?AW4LK_PREDICATE@@PBXPAX@Z1@Z +?DeleteKey@CLKRHashTable@@QAA?AW4LK_RETCODE@@K@Z +?DeleteKey@CLKRLinearHashTable@@QAA?AW4LK_RETCODE@@K@Z +?DeleteRecord@CLKRHashTable@@QAA?AW4LK_RETCODE@@PBX@Z +?DeleteRecord@CLKRLinearHashTable@@QAA?AW4LK_RETCODE@@PBX@Z +?End@CLKRHashTable@@QAA?AVCLKRHashTable_Iterator@@XZ +?End@CLKRLinearHashTable@@QAA?AVCLKRLinearHashTable_Iterator@@XZ +?EqualRange@CLKRHashTable@@QAA_NKAAVCLKRHashTable_Iterator@@0@Z +?EqualRange@CLKRLinearHashTable@@QAA_NKAAVCLKRLinearHashTable_Iterator@@0@Z +?Erase@CLKRHashTable@@QAA_NAAVCLKRHashTable_Iterator@@0@Z +?Erase@CLKRHashTable@@QAA_NAAVCLKRHashTable_Iterator@@@Z +?Erase@CLKRLinearHashTable@@QAA_NAAVCLKRLinearHashTable_Iterator@@0@Z +?Erase@CLKRLinearHashTable@@QAA_NAAVCLKRLinearHashTable_Iterator@@@Z +?FOCopyFile@CExFileOperation@@QAAJPBG0H@Z +?FOCopyFileDACLS@CExFileOperation@@QAAJPBG0@Z +?FODeleteFile@CExFileOperation@@QAAJPBG@Z +?FOMoveFile@CExFileOperation@@QAAJPBG0@Z +?FOReplaceFile@CExFileOperation@@QAAJPBG0@Z +?Find@CLKRHashTable@@QAA_NKAAVCLKRHashTable_Iterator@@@Z +?Find@CLKRLinearHashTable@@QAA_NKAAVCLKRLinearHashTable_Iterator@@@Z +?FindKey@CLKRHashTable@@QBA?AW4LK_RETCODE@@KPAPBX@Z +?FindKey@CLKRLinearHashTable@@QBA?AW4LK_RETCODE@@KPAPBX@Z +?FindRecord@CLKRHashTable@@QBA?AW4LK_RETCODE@@PBX@Z +?FindRecord@CLKRLinearHashTable@@QBA?AW4LK_RETCODE@@PBX@Z +?First@CDoubleList@@QBAQAVCListEntry@@XZ +?First@CLockedDoubleList@@QAAQAVCListEntry@@XZ +?Free@CLKRhashDefaultAllocator@@UAA_NPAXW4Type@CLKRhashAllocator@@@Z +?GetBackupFile@CEXAutoBackupFile@@QAAHPAPAG@Z +?GetBucketLockSpinCount@CLKRHashTable@@QBAGXZ +?GetBucketLockSpinCount@CLKRLinearHashTable@@QBAGXZ +?GetDefaultSpinAdjustmentFactor@CCritSec@@SANXZ +?GetDefaultSpinAdjustmentFactor@CFakeLock@@SANXZ +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SANXZ +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SANXZ +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock3AR@@SANXZ +?GetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SANXZ +?GetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SANXZ +?GetDefaultSpinAdjustmentFactor@CSpinLock@@SANXZ +?GetDefaultSpinCount@CCritSec@@SAGXZ +?GetDefaultSpinCount@CFakeLock@@SAGXZ +?GetDefaultSpinCount@CReaderWriterLock2@@SAGXZ +?GetDefaultSpinCount@CReaderWriterLock3@@SAGXZ +?GetDefaultSpinCount@CReaderWriterLock3AR@@SAGXZ +?GetDefaultSpinCount@CReaderWriterLock@@SAGXZ +?GetDefaultSpinCount@CSmallSpinLock@@SAGXZ +?GetDefaultSpinCount@CSpinLock@@SAGXZ +?GetSpinCount@CCritSec@@QBAGXZ +?GetSpinCount@CFakeLock@@QBAGXZ +?GetSpinCount@CReaderWriterLock2@@QBAGXZ +?GetSpinCount@CReaderWriterLock3@@QBAGXZ +?GetSpinCount@CReaderWriterLock3AR@@QBAGXZ +?GetSpinCount@CReaderWriterLock@@QBAGXZ +?GetSpinCount@CSmallSpinLock@@QBAGXZ +?GetSpinCount@CSpinLock@@QBAGXZ +?GetStatistics@CLKRHashTable@@QBA?AVCLKRHashTableStats@@XZ +?GetStatistics@CLKRLinearHashTable@@QBA?AVCLKRHashTableStats@@XZ +?GetTableLockSpinCount@CLKRHashTable@@QBAGXZ +?GetTableLockSpinCount@CLKRLinearHashTable@@QBAGXZ +?GetVersionExW@CMdVersionInfo@@SAHPAU_OSVERSIONINFOW@@@Z +?HeadNode@CDoubleList@@QBAQBVCListEntry@@XZ +?HeadNode@CLockedDoubleList@@QBAQBVCListEntry@@XZ +?Increment@CLKRHashTable_Iterator@@QAA_NXZ +?Increment@CLKRLinearHashTable_Iterator@@QAA_NXZ +?InitializeVersionInfo@CMdVersionInfo@@CAHXZ +?Insert@CLKRHashTable@@QAA_NPBXAAVCLKRHashTable_Iterator@@_N@Z +?Insert@CLKRLinearHashTable@@QAA_NPBXAAVCLKRLinearHashTable_Iterator@@_N@Z +?InsertHead@CDoubleList@@QAAXQAVCListEntry@@@Z +?InsertHead@CLockedDoubleList@@QAAXQAVCListEntry@@@Z +?InsertRecord@CLKRHashTable@@QAA?AW4LK_RETCODE@@PBX_NPAPBX@Z +?InsertRecord@CLKRLinearHashTable@@QAA?AW4LK_RETCODE@@PBX_NPAPBX@Z +?InsertTail@CDoubleList@@QAAXQAVCListEntry@@@Z +?InsertTail@CLockedDoubleList@@QAAXQAVCListEntry@@@Z +?IsEmpty@CDoubleList@@QBA_NXZ +?IsEmpty@CLockedDoubleList@@QBA_NXZ +?IsEmpty@CLockedSingleList@@QBA_NXZ +?IsEmpty@CSingleList@@QBA_NXZ +?IsLocked@CLockedDoubleList@@QBA_NXZ +?IsLocked@CLockedSingleList@@QBA_NXZ +?IsMillnm@CMdVersionInfo@@SAHXZ +?IsReadLocked@CCritSec@@QBA_NXZ +?IsReadLocked@CFakeLock@@QBA_NXZ +?IsReadLocked@CLKRHashTable@@QBA_NXZ +?IsReadLocked@CLKRLinearHashTable@@QBA_NXZ +?IsReadLocked@CReaderWriterLock2@@QBA_NXZ +?IsReadLocked@CReaderWriterLock3@@QBA_NXZ +?IsReadLocked@CReaderWriterLock3AR@@QBA_NXZ +?IsReadLocked@CReaderWriterLock@@QBA_NXZ +?IsReadLocked@CSmallSpinLock@@QBA_NXZ +?IsReadLocked@CSpinLock@@QBA_NXZ +?IsReadUnlocked@CCritSec@@QBA_NXZ +?IsReadUnlocked@CFakeLock@@QBA_NXZ +?IsReadUnlocked@CLKRHashTable@@QBA_NXZ +?IsReadUnlocked@CLKRLinearHashTable@@QBA_NXZ +?IsReadUnlocked@CReaderWriterLock2@@QBA_NXZ +?IsReadUnlocked@CReaderWriterLock3@@QBA_NXZ +?IsReadUnlocked@CReaderWriterLock3AR@@QBA_NXZ +?IsReadUnlocked@CReaderWriterLock@@QBA_NXZ +?IsReadUnlocked@CSmallSpinLock@@QBA_NXZ +?IsReadUnlocked@CSpinLock@@QBA_NXZ +?IsUnlocked@CLockedDoubleList@@QBA_NXZ +?IsUnlocked@CLockedSingleList@@QBA_NXZ +?IsUsable@CLKRHashTable@@QBA_NXZ +?IsUsable@CLKRLinearHashTable@@QBA_NXZ +?IsValid@CLKRHashTable@@QBA_NXZ +?IsValid@CLKRHashTable_Iterator@@QBA_NXZ +?IsValid@CLKRLinearHashTable@@QBA_NXZ +?IsValid@CLKRLinearHashTable_Iterator@@QBA_NXZ +?IsWin2k@CMdVersionInfo@@SAHXZ +?IsWin2korLater@CMdVersionInfo@@SAHXZ +?IsWin95@CMdVersionInfo@@SAHXZ +?IsWin98@CMdVersionInfo@@SAHXZ +?IsWin98orLater@CMdVersionInfo@@SAHXZ +?IsWin9x@CMdVersionInfo@@SAHXZ +?IsWinNT4@CMdVersionInfo@@SAHXZ +?IsWinNT@CMdVersionInfo@@SAHXZ +?IsWinNt4orLater@CMdVersionInfo@@SAHXZ +?IsWriteLocked@CCritSec@@QBA_NXZ +?IsWriteLocked@CFakeLock@@QBA_NXZ +?IsWriteLocked@CLKRHashTable@@QBA_NXZ +?IsWriteLocked@CLKRLinearHashTable@@QBA_NXZ +?IsWriteLocked@CReaderWriterLock2@@QBA_NXZ +?IsWriteLocked@CReaderWriterLock3@@QBA_NXZ +?IsWriteLocked@CReaderWriterLock3AR@@QBA_NXZ +?IsWriteLocked@CReaderWriterLock@@QBA_NXZ +?IsWriteLocked@CSmallSpinLock@@QBA_NXZ +?IsWriteLocked@CSpinLock@@QBA_NXZ +?IsWriteUnlocked@CCritSec@@QBA_NXZ +?IsWriteUnlocked@CFakeLock@@QBA_NXZ +?IsWriteUnlocked@CLKRHashTable@@QBA_NXZ +?IsWriteUnlocked@CLKRLinearHashTable@@QBA_NXZ +?IsWriteUnlocked@CReaderWriterLock2@@QBA_NXZ +?IsWriteUnlocked@CReaderWriterLock3@@QBA_NXZ +?IsWriteUnlocked@CReaderWriterLock3AR@@QBA_NXZ +?IsWriteUnlocked@CReaderWriterLock@@QBA_NXZ +?IsWriteUnlocked@CSmallSpinLock@@QBA_NXZ +?IsWriteUnlocked@CSpinLock@@QBA_NXZ +?Key@CLKRHashTable_Iterator@@QBA?BKXZ +?Key@CLKRLinearHashTable_Iterator@@QBA?BKXZ +?Last@CDoubleList@@QBAQAVCListEntry@@XZ +?Last@CLockedDoubleList@@QAAQAVCListEntry@@XZ +?Lock@CLockedDoubleList@@QAAXXZ +?Lock@CLockedSingleList@@QAAXXZ +?LockType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?LockType@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_LOCKTYPE@@XZ +?MaxSize@CLKRHashTable@@QBAKXZ +?MaxSize@CLKRLinearHashTable@@QBAKXZ +?MpHeapCompact@@YAKPAX@Z +?MultiKeys@CLKRHashTable@@QBA_NXZ +?MultiKeys@CLKRLinearHashTable@@QBA_NXZ +?MutexType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?MutexType@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_RW_MUTEX@@XZ +?NumSubTables@CLKRHashTable@@QBAHXZ +?NumSubTables@CLKRHashTable@@SA?AW4LK_TABLESIZE@@AAK0_N@Z +?NumSubTables@CLKRLinearHashTable@@QBAHXZ +?NumSubTables@CLKRLinearHashTable@@SA?AW4LK_TABLESIZE@@AAK0_N@Z +?PerLockSpin@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?PerLockSpin@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_PERLOCK_SPIN@@XZ +?Pop@CLockedSingleList@@QAAQAVCSingleListEntry@@XZ +?Pop@CSingleList@@QAAQAVCSingleListEntry@@XZ +?Push@CLockedSingleList@@QAAXQAVCSingleListEntry@@@Z +?Push@CSingleList@@QAAXQAVCSingleListEntry@@@Z +?QueueType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?QueueType@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_QUEUE_TYPE@@XZ +?ReadLock@CCritSec@@QAAXXZ +?ReadLock@CFakeLock@@QAAXXZ +?ReadLock@CLKRHashTable@@QBAXXZ +?ReadLock@CLKRLinearHashTable@@QBAXXZ +?ReadLock@CReaderWriterLock2@@QAAXXZ +?ReadLock@CReaderWriterLock3@@QAAXXZ +?ReadLock@CReaderWriterLock3AR@@QAAXXZ +?ReadLock@CReaderWriterLock@@QAAXXZ +?ReadLock@CSmallSpinLock@@QAAXXZ +?ReadLock@CSpinLock@@QAAXXZ +?ReadOrWriteLock@CCritSec@@QAA_NXZ +?ReadOrWriteLock@CFakeLock@@QAA_NXZ +?ReadOrWriteLock@CReaderWriterLock3@@QAA_NXZ +?ReadOrWriteLock@CReaderWriterLock3AR@@QAA_NXZ +?ReadOrWriteLock@CSpinLock@@QAA_NXZ +?ReadOrWriteUnlock@CCritSec@@QAAX_N@Z +?ReadOrWriteUnlock@CFakeLock@@QAAX_N@Z +?ReadOrWriteUnlock@CReaderWriterLock3@@QAAX_N@Z +?ReadOrWriteUnlock@CReaderWriterLock3AR@@QAAX_N@Z +?ReadOrWriteUnlock@CSpinLock@@QAAX_N@Z +?ReadUnlock@CCritSec@@QAAXXZ +?ReadUnlock@CFakeLock@@QAAXXZ +?ReadUnlock@CLKRHashTable@@QBAXXZ +?ReadUnlock@CLKRLinearHashTable@@QBAXXZ +?ReadUnlock@CReaderWriterLock2@@QAAXXZ +?ReadUnlock@CReaderWriterLock3@@QAAXXZ +?ReadUnlock@CReaderWriterLock3AR@@QAAXXZ +?ReadUnlock@CReaderWriterLock@@QAAXXZ +?ReadUnlock@CSmallSpinLock@@QAAXXZ +?ReadUnlock@CSpinLock@@QAAXXZ +?Record@CLKRHashTable_Iterator@@QBAPBXXZ +?Record@CLKRLinearHashTable_Iterator@@QBAPBXXZ +?Recursion@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?Recursion@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_RECURSION@@XZ +?ReleaseVersionInfo@CMdVersionInfo@@SAXXZ +?RemoveEntry@CDoubleList@@SAXQAVCListEntry@@@Z +?RemoveEntry@CLockedDoubleList@@QAAXQAVCListEntry@@@Z +?RemoveHead@CDoubleList@@QAAQAVCListEntry@@XZ +?RemoveHead@CLockedDoubleList@@QAAQAVCListEntry@@XZ +?RemoveTail@CDoubleList@@QAAQAVCListEntry@@XZ +?RemoveTail@CLockedDoubleList@@QAAQAVCListEntry@@XZ +?RestoreFile@CEXAutoBackupFile@@QAAJXZ +?SetBucketLockSpinCount@CLKRHashTable@@QAAXG@Z +?SetBucketLockSpinCount@CLKRLinearHashTable@@QAAXG@Z +?SetDefaultSpinAdjustmentFactor@CCritSec@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CFakeLock@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock2@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock3@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock3AR@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CReaderWriterLock@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CSmallSpinLock@@SAXN@Z +?SetDefaultSpinAdjustmentFactor@CSpinLock@@SAXN@Z +?SetDefaultSpinCount@CCritSec@@SAXG@Z +?SetDefaultSpinCount@CFakeLock@@SAXG@Z +?SetDefaultSpinCount@CReaderWriterLock2@@SAXG@Z +?SetDefaultSpinCount@CReaderWriterLock3@@SAXG@Z +?SetDefaultSpinCount@CReaderWriterLock3AR@@SAXG@Z +?SetDefaultSpinCount@CReaderWriterLock@@SAXG@Z +?SetDefaultSpinCount@CSmallSpinLock@@SAXG@Z +?SetDefaultSpinCount@CSpinLock@@SAXG@Z +?SetSpinCount@CCritSec@@QAA_NG@Z +?SetSpinCount@CCritSec@@SAKPAPAVCCriticalSection@@K@Z +?SetSpinCount@CFakeLock@@QAA_NG@Z +?SetSpinCount@CReaderWriterLock2@@QAA_NG@Z +?SetSpinCount@CReaderWriterLock3@@QAA_NG@Z +?SetSpinCount@CReaderWriterLock3AR@@QAA_NG@Z +?SetSpinCount@CReaderWriterLock@@QAA_NG@Z +?SetSpinCount@CSmallSpinLock@@QAA_NG@Z +?SetSpinCount@CSpinLock@@QAA_NG@Z +?SetTableLockSpinCount@CLKRHashTable@@QAAXG@Z +?SetTableLockSpinCount@CLKRLinearHashTable@@QAAXG@Z +?Size@CLKRHashTable@@QBAKXZ +?Size@CLKRLinearHashTable@@QBAKXZ +?Swap@CSingleList@@QAAXAAV1@@Z +?TryConvertSharedToExclusive@CReaderWriterLock3@@QAA_NXZ +?TryConvertSharedToExclusive@CReaderWriterLock3AR@@QAA_NXZ +?TryReadLock@CCritSec@@QAA_NXZ +?TryReadLock@CFakeLock@@QAA_NXZ +?TryReadLock@CReaderWriterLock2@@QAA_NXZ +?TryReadLock@CReaderWriterLock3@@QAA_NXZ +?TryReadLock@CReaderWriterLock3AR@@QAA_NXZ +?TryReadLock@CReaderWriterLock@@QAA_NXZ +?TryReadLock@CSmallSpinLock@@QAA_NXZ +?TryReadLock@CSpinLock@@QAA_NXZ +?TryReadOrWriteLock@CReaderWriterLock3@@QAA_NAA_N@Z +?TryReadOrWriteLock@CReaderWriterLock3AR@@QAA_NAA_N@Z +?TryWriteLock@CCritSec@@QAA_NXZ +?TryWriteLock@CFakeLock@@QAA_NXZ +?TryWriteLock@CReaderWriterLock2@@QAA_NXZ +?TryWriteLock@CReaderWriterLock3@@QAA_NXZ +?TryWriteLock@CReaderWriterLock3AR@@QAA_NXZ +?TryWriteLock@CReaderWriterLock@@QAA_NXZ +?TryWriteLock@CSmallSpinLock@@QAA_NXZ +?TryWriteLock@CSpinLock@@QAA_NXZ +?UndoBackup@CEXAutoBackupFile@@QAAJXZ +?Unlock@CLockedDoubleList@@QAAXXZ +?Unlock@CLockedSingleList@@QAAXXZ +?ValidSignature@CLKRHashTable@@QBA_NXZ +?ValidSignature@CLKRLinearHashTable@@QBA_NXZ +?WaitType@?$CLockBase@$00$00$02$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$01$00$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$02$00$00$00$00$00@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$03$00$00$01$02$02@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$04$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$05$01$01$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$06$01$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WaitType@?$CLockBase@$07$01$00$00$02$01@@SA?AW4LOCK_WAIT_TYPE@@XZ +?WriteLock@CCritSec@@QAAXXZ +?WriteLock@CFakeLock@@QAAXXZ +?WriteLock@CLKRHashTable@@QAAXXZ +?WriteLock@CLKRLinearHashTable@@QAAXXZ +?WriteLock@CReaderWriterLock2@@QAAXXZ +?WriteLock@CReaderWriterLock3@@QAAXXZ +?WriteLock@CReaderWriterLock3AR@@QAAXXZ +?WriteLock@CReaderWriterLock@@QAAXXZ +?WriteLock@CSmallSpinLock@@QAAXXZ +?WriteLock@CSpinLock@@QAAXXZ +?WriteUnlock@CCritSec@@QAAXXZ +?WriteUnlock@CFakeLock@@QAAXXZ +?WriteUnlock@CLKRHashTable@@QBAXXZ +?WriteUnlock@CLKRLinearHashTable@@QBAXXZ +?WriteUnlock@CReaderWriterLock2@@QAAXXZ +?WriteUnlock@CReaderWriterLock3@@QAAXXZ +?WriteUnlock@CReaderWriterLock3AR@@QAAXXZ +?WriteUnlock@CReaderWriterLock@@QAAXXZ +?WriteUnlock@CSmallSpinLock@@QAAXXZ +?WriteUnlock@CSpinLock@@QAAXXZ +?_AddRef@CLKRLinearHashTable_Iterator@@IBAXH@Z +?_AddRefRecord@CLKRLinearHashTable@@ABAXPBXH@Z +?_AllocateNodeClump@CLKRLinearHashTable@@AAAQAVCNodeClump@@XZ +?_AllocateSegment@CLKRLinearHashTable@@ABAQAVCSegment@@XZ +?_AllocateSegmentDirectory@CLKRLinearHashTable@@AAAQAVCDirEntry@@I@Z +?_AllocateSubTable@CLKRHashTable@@AAAQAVCLKRLinearHashTable@@PBDP6A?BKPBX@ZP6AKK@ZP6A_NKK@ZP6AX1H@ZNKPAV1@_N7@Z +?_AllocateSubTableArray@CLKRHashTable@@AAAQAPAVCLKRLinearHashTable@@I@Z +?_Apply@CLKRLinearHashTable@@AAAKP6A?AW4LK_ACTION@@PBXPAX@Z1W4LK_LOCKTYPE@@AAW4LK_PREDICATE@@@Z +?_ApplyIf@CLKRLinearHashTable@@AAAKP6A?AW4LK_PREDICATE@@PBXPAX@ZP6A?AW4LK_ACTION@@01@Z1W4LK_LOCKTYPE@@AAW42@@Z +?_Bucket@CLKRLinearHashTable@@ABAQAVCBucket@@K@Z +?_BucketAddress@CLKRLinearHashTable@@ABAKK@Z +?_BucketLock@CLKRLinearHashTable@@ABAXQAVCBucket@@W4LK_LOCKTYPE@@@Z +?_BucketReadLock@CLKRLinearHashTable@@ABAXQAVCBucket@@@Z +?_BucketReadUnlock@CLKRLinearHashTable@@ABAXQAVCBucket@@@Z +?_BucketUnlock@CLKRLinearHashTable@@ABAXQAVCBucket@@W4LK_LOCKTYPE@@@Z +?_BucketWriteLock@CLKRLinearHashTable@@ABAXQAVCBucket@@@Z +?_BucketWriteUnlock@CLKRLinearHashTable@@ABAXQAVCBucket@@@Z +?_CalcKeyHash@CLKRHashTable@@ABAKK@Z +?_CalcKeyHash@CLKRLinearHashTable@@ABAKK@Z +?_Clear@CLKRLinearHashTable@@AAAX_N@Z +?_CmpExch@CReaderWriterLock2@@AAA_NJJ@Z +?_CmpExch@CReaderWriterLock3@@AAA_NJJ@Z +?_CmpExch@CReaderWriterLock3AR@@AAA_NJJ@Z +?_CmpExch@CReaderWriterLock@@AAA_NJJ@Z +?_Contract@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@XZ +?_CurrentThreadId@CReaderWriterLock3@@CAJXZ +?_CurrentThreadId@CReaderWriterLock3AR@@CAJXZ +?_CurrentThreadId@CSmallSpinLock@@CAJXZ +?_CurrentThreadId@CSpinLock@@CAJXZ +?_DeleteIf@CLKRLinearHashTable@@AAAKP6A?AW4LK_PREDICATE@@PBXPAX@Z1AAW42@@Z +?_DeleteKey@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@KK@Z +?_DeleteNode@CLKRLinearHashTable@@AAA_NQAVCBucket@@AAPAVCNodeClump@@1AAH@Z +?_DeleteRecord@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@PBXK@Z +?_EqualKeys@CLKRLinearHashTable@@ABA_NKK@Z +?_Erase@CLKRLinearHashTable@@AAA_NAAVCLKRLinearHashTable_Iterator@@K@Z +?_Expand@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@XZ +?_ExtractKey@CLKRHashTable@@ABA?BKPBX@Z +?_ExtractKey@CLKRLinearHashTable@@ABA?BKPBX@Z +?_FindBucket@CLKRLinearHashTable@@ABAQAVCBucket@@K_N@Z +?_FindKey@CLKRLinearHashTable@@ABA?AW4LK_RETCODE@@KKPAPBXPAVCLKRLinearHashTable_Iterator@@@Z +?_FindRecord@CLKRLinearHashTable@@ABA?AW4LK_RETCODE@@PBXK@Z +?_FreeNodeClump@CLKRLinearHashTable@@AAA_NPAVCNodeClump@@@Z +?_FreeSegment@CLKRLinearHashTable@@ABA_NPAVCSegment@@@Z +?_FreeSegmentDirectory@CLKRLinearHashTable@@AAA_NXZ +?_FreeSubTable@CLKRHashTable@@AAA_NPAVCLKRLinearHashTable@@@Z +?_FreeSubTableArray@CLKRHashTable@@AAA_NPAPAVCLKRLinearHashTable@@@Z +?_H0@CLKRLinearHashTable@@ABAKK@Z +?_H0@CLKRLinearHashTable@@CAKKK@Z +?_H1@CLKRLinearHashTable@@ABAKK@Z +?_H1@CLKRLinearHashTable@@CAKKK@Z +?_Increment@CLKRHashTable_Iterator@@IAA_N_N@Z +?_Increment@CLKRLinearHashTable_Iterator@@IAA_N_N@Z +?_Initialize@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@P6A?BKPBX@ZP6AKK@ZP6A_NKK@ZP6AX0H@ZPBDNK@Z +?_InsertRecord@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@PBXK_NPAPBXPAVCLKRLinearHashTable_Iterator@@@Z +?_InsertThisIntoGlobalList@CLKRHashTable@@AAAXXZ +?_InsertThisIntoGlobalList@CLKRLinearHashTable@@AAAXXZ +?_IsLocked@CSpinLock@@ABA_NXZ +?_IsNodeCompact@CLKRLinearHashTable@@ABAHQAVCBucket@@@Z +?_IsValidIterator@CLKRHashTable@@ABA_NABVCLKRHashTable_Iterator@@@Z +?_IsValidIterator@CLKRLinearHashTable@@ABA_NABVCLKRLinearHashTable_Iterator@@@Z +?_Lock@CSpinLock@@AAAXXZ +?_LockSpin@CReaderWriterLock2@@AAAX_N@Z +?_LockSpin@CReaderWriterLock3@@AAAXW4SPIN_TYPE@1@@Z +?_LockSpin@CReaderWriterLock3AR@@AAAXW4SPIN_TYPE@1@@Z +?_LockSpin@CReaderWriterLock@@AAAX_N@Z +?_LockSpin@CSmallSpinLock@@AAAXXZ +?_LockSpin@CSpinLock@@AAAXXZ +?_MergeRecordSets@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@PAVCBucket@@PAVCNodeClump@@1@Z +?_PredTrue@CLKRLinearHashTable@@CA?AW4LK_PREDICATE@@PBXPAX@Z +?_ReadLockSpin@CReaderWriterLock2@@AAAXXZ +?_ReadLockSpin@CReaderWriterLock3@@AAAXW4SPIN_TYPE@1@@Z +?_ReadLockSpin@CReaderWriterLock3AR@@AAAXW4SPIN_TYPE@1@@Z +?_ReadLockSpin@CReaderWriterLock@@AAAXXZ +?_ReadOrWriteLock@CLKRLinearHashTable@@ABA_NXZ +?_ReadOrWriteUnlock@CLKRLinearHashTable@@ABAX_N@Z +?_RemoveThisFromGlobalList@CLKRHashTable@@AAAXXZ +?_RemoveThisFromGlobalList@CLKRLinearHashTable@@AAAXXZ +?_SegIndex@CLKRLinearHashTable@@ABAKK@Z +?_Segment@CLKRLinearHashTable@@ABAAAPAVCSegment@@K@Z +?_SetSegVars@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@W4LK_TABLESIZE@@K@Z +?_SplitRecordSet@CLKRLinearHashTable@@AAA?AW4LK_RETCODE@@PAVCNodeClump@@0KKK0@Z +?_SubTable@CLKRHashTable@@ABAPAVCLKRLinearHashTable@@K@Z +?_SubTableIndex@CLKRHashTable@@ABAHPAVCLKRLinearHashTable@@@Z +?_TableLock@CLKRLinearHashTable@@AAAXW4LK_LOCKTYPE@@@Z +?_TableUnlock@CLKRLinearHashTable@@AAAXW4LK_LOCKTYPE@@@Z +?_TryLock@CSmallSpinLock@@AAA_NXZ +?_TryLock@CSpinLock@@AAA_NXZ +?_TryReadLock@CReaderWriterLock2@@AAA_NXZ +?_TryReadLock@CReaderWriterLock3@@AAA_NXZ +?_TryReadLock@CReaderWriterLock3AR@@AAA_NXZ +?_TryReadLock@CReaderWriterLock@@AAA_NXZ +?_TryReadLockRecursive@CReaderWriterLock3@@AAA_NXZ +?_TryReadLockRecursive@CReaderWriterLock3AR@@AAA_NXZ +?_TryWriteLock2@CReaderWriterLock3@@AAA_NXZ +?_TryWriteLock2@CReaderWriterLock3AR@@AAA_NXZ +?_TryWriteLock@CReaderWriterLock2@@AAA_NJ@Z +?_TryWriteLock@CReaderWriterLock3@@AAA_NJ@Z +?_TryWriteLock@CReaderWriterLock3AR@@AAA_NJ@Z +?_TryWriteLock@CReaderWriterLock@@AAA_NXZ +?_Unlock@CSpinLock@@AAAXXZ +?_WriteLockSpin@CReaderWriterLock2@@AAAXXZ +?_WriteLockSpin@CReaderWriterLock3@@AAAXXZ +?_WriteLockSpin@CReaderWriterLock3AR@@AAAXXZ +?_WriteLockSpin@CReaderWriterLock@@AAAXXZ +?_getFileSecurity@CExFileOperation@@AAAJPBG@Z +?_setFileSecurity@CExFileOperation@@AAAJPBG@Z +?fHaveBackup@CEXAutoBackupFile@@QAAHXZ +?s_aBucketSizes@?1??BucketSizes@CLKRHashTableStats@@SAPBJXZ@4QBJB +?sm_DefaultAllocator@CLKRHashTable@@0VCLKRhashDefaultAllocator@@A DATA +?sm_dblDfltSpinAdjFctr@CCritSec@@1NA DATA +?sm_dblDfltSpinAdjFctr@CFakeLock@@1NA DATA +?sm_dblDfltSpinAdjFctr@CReaderWriterLock2@@1NA DATA +?sm_dblDfltSpinAdjFctr@CReaderWriterLock3@@1NA DATA +?sm_dblDfltSpinAdjFctr@CReaderWriterLock3AR@@1NA DATA +?sm_dblDfltSpinAdjFctr@CReaderWriterLock@@1NA DATA +?sm_dblDfltSpinAdjFctr@CSmallSpinLock@@1NA DATA +?sm_dblDfltSpinAdjFctr@CSpinLock@@1NA DATA +?sm_llGlobalList@CLKRHashTable@@0VCLockedDoubleList@@A DATA +?sm_llGlobalList@CLKRLinearHashTable@@0VCLockedDoubleList@@A DATA +?sm_lpOSVERSIONINFO@CMdVersionInfo@@0PAU_OSVERSIONINFOW@@A DATA +?sm_pfnSetCriticalSectionSpinCount@CCriticalSection@@0P6AKPAU_RTL_CRITICAL_SECTION@@K@ZA DATA +?sm_pfnTryEnterCriticalSection@CCriticalSection@@0P6AHPAU_RTL_CRITICAL_SECTION@@@ZA DATA +?sm_wDefaultSpinCount@CCritSec@@1GA DATA +?sm_wDefaultSpinCount@CFakeLock@@1GA DATA +?sm_wDefaultSpinCount@CReaderWriterLock2@@1GA DATA +?sm_wDefaultSpinCount@CReaderWriterLock3@@1GA DATA +?sm_wDefaultSpinCount@CReaderWriterLock3AR@@1GA DATA +?sm_wDefaultSpinCount@CReaderWriterLock@@1GA DATA +?sm_wDefaultSpinCount@CSmallSpinLock@@1GA DATA +?sm_wDefaultSpinCount@CSpinLock@@1GA DATA +DllBidEntryPoint +FXMemAttach +FXMemDetach +GetAllocCounters +GetIUMS +IrtlAssert +IrtlTrace +MPCSInitialize +MPCSUninitialize +MPDeleteCriticalSection +MPInitializeCriticalSection +MPInitializeCriticalSectionAndSpinCount +MpGetHeapHandle +MpHeapAlloc +MpHeapCreate +MpHeapDestroy +MpHeapFree +MpHeapReAlloc +MpHeapSize +MpHeapValidate +SetIUMS +SetMemHook +UMSEnterCSWraper +mpCalloc +mpFree +mpMalloc +mpRealloc diff --git a/lib/libc/mingw/libarm32/msdelta.def b/lib/libc/mingw/libarm32/msdelta.def new file mode 100644 index 0000000000..68051494ca --- /dev/null +++ b/lib/libc/mingw/libarm32/msdelta.def @@ -0,0 +1,22 @@ +; +; Definition file of msdelta.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msdelta.dll" +EXPORTS +ApplyDeltaA +ApplyDeltaB +ApplyDeltaProvidedB +ApplyDeltaW +CreateDeltaA +CreateDeltaB +CreateDeltaW +DeltaFree +DeltaNormalizeProvidedB +GetDeltaInfoA +GetDeltaInfoB +GetDeltaInfoW +GetDeltaSignatureA +GetDeltaSignatureB +GetDeltaSignatureW diff --git a/lib/libc/mingw/libarm32/msfeeds.def b/lib/libc/mingw/libarm32/msfeeds.def new file mode 100644 index 0000000000..04f6c041c0 --- /dev/null +++ b/lib/libc/mingw/libarm32/msfeeds.def @@ -0,0 +1,8 @@ +; +; Definition file of msfeeds.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msfeeds.dll" +EXPORTS +MsfeedsCreateInstance diff --git a/lib/libc/mingw/libarm32/msftedit.def b/lib/libc/mingw/libarm32/msftedit.def new file mode 100644 index 0000000000..f5375671be --- /dev/null +++ b/lib/libc/mingw/libarm32/msftedit.def @@ -0,0 +1,29 @@ +; +; Definition file of MSFTEDIT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSFTEDIT.dll" +EXPORTS +IID_IRichEditOle +IID_IRichEditOleCallback +CreateTextServices +IID_ITextServices +IID_ITextHost +IID_ITextHost2 +DisableOleinitCheck +RichEditANSIWndProc +RichEdit10ANSIWndProc +SetCustomTextOutHandlerEx +RichEditWndProc +MathBuildUp +MathBuildDown +MathTranslate +GetMathAlphanumericCode +GetMathAlphanumeric +IID_ITextDocument2 +IID_ITextServices2 +IID_IRicheditWindowlessAccessibility +IID_IRicheditUiaOverrides +ShutdownTextServices +SetTextServicesDpiCalculationOverride diff --git a/lib/libc/mingw/libarm32/mshtml.def b/lib/libc/mingw/libarm32/mshtml.def new file mode 100644 index 0000000000..e846b64b30 --- /dev/null +++ b/lib/libc/mingw/libarm32/mshtml.def @@ -0,0 +1,42 @@ +; +; Definition file of MSHTML.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSHTML.dll" +EXPORTS +ord_100 @100 +ord_101 @101 +ord_102 @102 +ord_103 @103 +ord_104 @104 +ord_105 @105 +ord_106 @106 +ord_107 @107 +ClearPhishingFilterData +ConvertAndEscapePostData +CreateCoreWebView +CreateHTMLPropertyPage +GetColorValueFromString +GetWebPlatformObject +IEIsXMLNSRegistered +IERegisterXMLNS +MatchExactGetIDsOfNames +ord_120 @120 +ord_121 @121 +ord_122 @122 +ord_123 @123 +ord_124 @124 +ord_125 @125 +ord_126 @126 +ord_127 @127 +ord_128 @128 +ord_129 @129 +ord_130 @130 +PrintHTML +ShowHTMLDialog +ShowHTMLDialogEx +ShowModalDialog +ShowModelessHTMLDialog +TravelLogCreateInstance +TravelLogStgCreateInstance diff --git a/lib/libc/mingw/libarm32/msicofire.def b/lib/libc/mingw/libarm32/msicofire.def new file mode 100644 index 0000000000..716cc2a2fc --- /dev/null +++ b/lib/libc/mingw/libarm32/msicofire.def @@ -0,0 +1,10 @@ +; +; Definition file of msire.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msire.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/msidcrl40.def b/lib/libc/mingw/libarm32/msidcrl40.def new file mode 100644 index 0000000000..da0130a779 --- /dev/null +++ b/lib/libc/mingw/libarm32/msidcrl40.def @@ -0,0 +1,92 @@ +; +; Definition file of msidcrl40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msidcrl40.dll" +EXPORTS +Initialize +Uninitialize +PassportFreeMemory +CreateIdentityHandle +SetCredential +GetIdentityProperty +SetIdentityProperty +CloseIdentityHandle +AuthIdentityToService +PersistCredential +RemovePersistedCredential +EnumIdentitiesWithCachedCredentials +NextIdentity +CloseEnumIdentitiesHandle +GetAuthState +LogonIdentity +HasPersistedCredential +SetIdentityCallback +InitializeEx +GetWebAuthUrl +LogonIdentityEx +AuthIdentityToServiceEx +GetAuthStateEx +GetCertificate +CancelPendingRequest +VerifyCertificate +GetIdentityPropertyByName +SetExtendedProperty +GetExtendedProperty +GetServiceConfig +SetIdcrlOptions +GetWebAuthUrlEx +EncryptWithSessionKey +DecryptWithSessionKey +SetUserExtendedProperty +GetUserExtendedProperty +SetChangeNotificationCallback +RemoveChangeNotificationCallback +GetExtendedError +InitializeApp +EnumerateCertificates +GenerateCertToken +GetDeviceId +SetDeviceConsent +GenerateDeviceToken +CreateLinkedIdentityHandle +IsDeviceIDAdmin +EnumerateDeviceID +GetAssertion +VerifyAssertion +OpenAuthenticatedBrowser +LogonIdentityExWithUI +GetResponseForHttpChallenge +GetDeviceShortLivedToken +GetHIPChallenge +SetHIPSolution +SetDefaultUserForTarget +GetDefaultUserForTarget +UICollectCredential +AssociateDeviceToUser +DisassociateDeviceFromUser +EnumerateUserAssociatedDevices +UpdateUserAssociatedDeviceProperties +UIShowWaitDialog +UIEndWaitDialog +InitializeIDCRLTraceBuffer +FlushIDCRLTraceBuffer +IsMappedError +GetAuthenticationStatus +GetConfigDWORDValue +ProvisionDeviceId +GetDeviceIdEx +RenewDeviceId +DeProvisionDeviceId +UnPackErrorBlob +GetDefaultNoUISSOUser +LogonIdentityExSSO +StartTracing +StopTracing +GetRealmInfo +CreateIdentityHandleEx +AddUserToSsoGroup +GetUsersFromSsoGroup +RemoveUserFromSsoGroup +SendOneTimeCode diff --git a/lib/libc/mingw/libarm32/msiltcfg.def b/lib/libc/mingw/libarm32/msiltcfg.def new file mode 100644 index 0000000000..d15541ba60 --- /dev/null +++ b/lib/libc/mingw/libarm32/msiltcfg.def @@ -0,0 +1,21 @@ +; +; Definition file of msiltcfg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msiltcfg.dll" +EXPORTS +MsiDecomposeDescriptorW +MsiGetComponentPathW +MsiGetProductInfoW +MsiProvideComponentFromDescriptorW +MsiQueryFeatureStateW +MsiQueryFeatureStateFromDescriptorW +MsiSetInternalUI +MsiAdvertiseScriptW +MsiQueryProductStateW +MsiIsProductElevatedW +MsiReinstallProductW +MsiConfigureProductExW +ShutdownMsi +RestartMsi diff --git a/lib/libc/mingw/libarm32/msiwer.def b/lib/libc/mingw/libarm32/msiwer.def new file mode 100644 index 0000000000..399f2838d3 --- /dev/null +++ b/lib/libc/mingw/libarm32/msiwer.def @@ -0,0 +1,10 @@ +; +; Definition file of msiwer.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msiwer.dll" +EXPORTS +OutOfProcessExceptionEventCallback +OutOfProcessExceptionEventDebuggerLaunchCallback +OutOfProcessExceptionEventSignatureCallback diff --git a/lib/libc/mingw/libarm32/mskeyprotcli.def b/lib/libc/mingw/libarm32/mskeyprotcli.def new file mode 100644 index 0000000000..121c896ad2 --- /dev/null +++ b/lib/libc/mingw/libarm32/mskeyprotcli.def @@ -0,0 +1,8 @@ +; +; Definition file of mskeyprotcli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mskeyprotcli.dll" +EXPORTS +GetKeyProtectionInterface diff --git a/lib/libc/mingw/libarm32/mskeyprotect.def b/lib/libc/mingw/libarm32/mskeyprotect.def new file mode 100644 index 0000000000..91461432ae --- /dev/null +++ b/lib/libc/mingw/libarm32/mskeyprotect.def @@ -0,0 +1,8 @@ +; +; Definition file of mskeyprotect.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mskeyprotect.dll" +EXPORTS +GetKeyProtectionInterface diff --git a/lib/libc/mingw/libarm32/msoeacct.def b/lib/libc/mingw/libarm32/msoeacct.def new file mode 100644 index 0000000000..4927bfc2db --- /dev/null +++ b/lib/libc/mingw/libarm32/msoeacct.def @@ -0,0 +1,18 @@ +; +; Definition file of MSOEACCT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSOEACCT.dll" +EXPORTS +ord_1 @1 +ord_2 @2 +ord_3 @3 +ord_4 @4 +ord_5 @5 +GetDllMajorVersion +PropUtil_HrAddBinaryToSTRW +PropUtil_HrAddDWORDToSTRW +PropUtil_HrAddSZToSTRW +HrCreateAccountManager +ValidEmailAddress diff --git a/lib/libc/mingw/libarm32/msoert2.def b/lib/libc/mingw/libarm32/msoert2.def new file mode 100644 index 0000000000..29fd3ab719 --- /dev/null +++ b/lib/libc/mingw/libarm32/msoert2.def @@ -0,0 +1,213 @@ +; +; Definition file of MSOERT2.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSOERT2.dll" +EXPORTS +ord_1 @1 +CreateSystemHandleName +ord_3 @3 +ord_4 @4 +ord_5 @5 +ord_6 @6 +ord_7 @7 +ord_8 @8 +CryptAllocFunc +ord_10 @10 +ord_11 @11 +ord_12 @12 +CryptFreeFunc +FInitializeRichEdit +GetDllMajorVersion +ord_16 @16 +ord_17 @17 +ord_18 @18 +GetHtmlCharset +GetRichEdClassStringW +ord_21 @21 +ord_22 @22 +GetStoreRootDirectoryFromRegistryEntry +ord_24 @24 +ord_25 @25 +ord_26 @26 +ord_27 @27 +GetStoreRootDirectoryFromRegistryEntryW +HrGetCertKeyUsage +IUnknownList_CreateInstance +IVoidPtrList_CreateInstance +IsHttpUrlA +IsHttpUrlW +SetFontOnRichEd +StrTokExA +AppendTempFileList +BrowseForFolder +ord_38 @38 +ord_39 @39 +ord_40 @40 +ord_41 @41 +ord_42 @42 +ord_43 @43 +ord_44 @44 +ord_45 @45 +ord_46 @46 +BrowseForFolderW +CchFileTimeToDateTimeSz +ord_49 @49 +ord_50 @50 +CchFileTimeToDateTimeW +ord_52 @52 +ord_53 @53 +ord_54 @54 +ord_55 @55 +ord_56 @56 +ord_57 @57 +ord_58 @58 +ord_59 @59 +ord_60 @60 +ord_61 @61 +ord_62 @62 +ord_63 @63 +ord_64 @64 +ord_65 @65 +CenterDialog +ord_67 @67 +ord_68 @68 +ord_69 @69 +ord_70 @70 +ChConvertFromHex +CleanupFileNameInPlaceA +CleanupFileNameInPlaceW +CleanupGlobalTempFiles +CopyRegistry +CrackNotificationPackage +CreateDataObject +CreateEnumFormatEtc +CreateLogFile +CreateNotify +CreateStreamOnHFile +CreateStreamOnHFileW +CreateTempFile +CreateTempFileStream +CreateTempFileW +DeleteTempFile +DeleteTempFileOnShutdownEx +FBuildTempPath +FBuildTempPathW +FIsEmptyA +FIsEmptyW +FIsHTMLFile +FIsHTMLFileW +FIsSpaceA +FIsSpaceW +FIsValidFileNameCharA +FIsValidFileNameCharW +FMissingCert +FreeTempFileList +GenerateUniqueFileName +GenerateUniqueFileNameW +GetExePath +GetTopMostParent +HrBSTRToLPSZ +HrCheckTridentMenu +HrCopyLockBytesToStream +HrCopyStream +HrCopyStreamCB +HrCopyStreamCBEndOnCRLF +HrCopyStreamToByte +HrCreatePhonebookEntry +HrCreateTridentMenu +HrDecodeObject +HrEditPhonebookEntryW +HrFillRasCombo +HrFindInetTimeZone +HrGetBodyElement +HrGetCertificateParam +HrGetElementImpl +HrGetMsgParam +HrGetStreamPos +HrGetStreamSize +HrGetStyleSheet +HrIStreamToBSTR +HrIStreamWToBSTR +HrIndexOfMonth +HrIndexOfWeek +HrIsStreamUnicode +HrLPSZCPToBSTR +HrLPSZToBSTR +HrRewindStream +HrSafeGetStreamSize +HrSetDirtyFlagImpl +HrStreamSeekBegin +HrStreamSeekCur +HrStreamSeekEnd +HrStreamSeekSet +HrStreamToByte +IDrawText +IsDigit +IsPrint +IsUpper +IsValidFileIfFileUrlW +MessageBoxInst +MessageBoxInstW +OpenFileStream +OpenFileStreamShare +ord_150 @150 +ord_151 @151 +ord_152 @152 +ord_153 @153 +ord_154 @154 +ord_155 @155 +ord_156 @156 +OpenFileStreamShareW +ord_158 @158 +ord_159 @159 +ord_160 @160 +OpenFileStreamW +OpenFileStreamWithFlagsW +PVDecodeObject +PVGetCertificateParam +PVGetMsgParam +PszAllocA +PszAllocW +PszDayFromIndex +PszDupA +PszDupW +PszEscapeMenuStringA +PszEscapeMenuStringW +PszFromANSIStreamA +PszMonthFromIndex +PszScanToCharA +PszScanToWhiteA +PszSkipWhiteA +PszSkipWhiteW +PszToANSI +PszToUnicode +ReplaceChars +ReplaceCharsW +RicheditStreamIn +RicheditStreamOut +ShellUtil_GetSpecialFolderPath +StrToUintA +StrToUintW +StrTokExW +StreamSubStringMatchW +StripCRLF +SzGetCertificateEmailAddress +UlStripWhitespace +UlStripWhitespaceW +UnlocStrEqNW +UpdateRebarBandColors +WriteStreamToFile +WriteStreamToFileHandle +WriteStreamToFileW +_MSG +ord_200 @200 +ord_201 @201 +fGetBrowserUrlEncoding +strtrim +strtrimW +ord_210 @210 +ord_211 @211 +ord_214 @214 +ord_215 @215 diff --git a/lib/libc/mingw/libarm32/mspatchc.def b/lib/libc/mingw/libarm32/mspatchc.def new file mode 100644 index 0000000000..e60064a35f --- /dev/null +++ b/lib/libc/mingw/libarm32/mspatchc.def @@ -0,0 +1,21 @@ +; +; Definition file of mspatchc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mspatchc.dll" +EXPORTS +CreatePatchFileA +CreatePatchFileByHandles +CreatePatchFileByHandlesEx +CreatePatchFileExA +CreatePatchFileExW +CreatePatchFileW +ExtractPatchHeaderToFileA +ExtractPatchHeaderToFileByHandles +ExtractPatchHeaderToFileW +GetFilePatchSignatureA +GetFilePatchSignatureByBuffer +GetFilePatchSignatureByHandle +GetFilePatchSignatureW +NormalizeFileForPatchSignature diff --git a/lib/libc/mingw/libarm32/msscntrs.def b/lib/libc/mingw/libarm32/msscntrs.def new file mode 100644 index 0000000000..6a3b8a3705 --- /dev/null +++ b/lib/libc/mingw/libarm32/msscntrs.def @@ -0,0 +1,10 @@ +; +; Definition file of pkmcntrs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pkmcntrs.dll" +EXPORTS +Close +Collect +Open diff --git a/lib/libc/mingw/libarm32/mssha.def b/lib/libc/mingw/libarm32/mssha.def new file mode 100644 index 0000000000..b1ead62e1d --- /dev/null +++ b/lib/libc/mingw/libarm32/mssha.def @@ -0,0 +1,9 @@ +; +; Definition file of MSSHA.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSSHA.dll" +EXPORTS +MsShaInitialize +MsShaUnInitialize diff --git a/lib/libc/mingw/libarm32/msshooks.def b/lib/libc/mingw/libarm32/msshooks.def new file mode 100644 index 0000000000..be8d532a74 --- /dev/null +++ b/lib/libc/mingw/libarm32/msshooks.def @@ -0,0 +1,8 @@ +; +; Definition file of MSSHooks.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSSHooks.dll" +EXPORTS +LoadMSSearchHooks diff --git a/lib/libc/mingw/libarm32/mssrch.def b/lib/libc/mingw/libarm32/mssrch.def new file mode 100644 index 0000000000..c499f68c84 --- /dev/null +++ b/lib/libc/mingw/libarm32/mssrch.def @@ -0,0 +1,23 @@ +; +; Definition file of MSSRCH.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSSRCH.DLL" +EXPORTS +??0CSearchServiceObj@@QAA@ABV0@@Z +??0CSearchServiceObj@@QAA@XZ +??1CSearchServiceObj@@QAA@XZ +??4CSearchServiceObj@@QAAAAV0@ABV0@@Z +??_7CSearchServiceObj@@6B@ DATA +?Cleanup@CSearchServiceObj@@SAHXZ +?DeleteFilterPool@CSearchServiceObj@@UAAJK@Z +?GetFileChangeClientManagerInstance@@YA?AV?$shared_ptr@UIFileChangeClientManager@ChangeTracking@Windows@@@tr1@std@@XZ +?Initialize@CSearchServiceObj@@UAAJXZ +?LogonNotification@CSearchServiceObj@@UAAJXZ +?SetServiceStatusObj@CSearchServiceObj@@UAAJPAUIDCOMServiceStatus@@@Z +?Shutdown@CSearchServiceObj@@UAAJXZ +?Start@CSearchServiceObj@@UAAJXZ +?Stop@CSearchServiceObj@@UAAJH@Z +GetCatalogManager +MSSrch_SysPrep_Cleanup diff --git a/lib/libc/mingw/libarm32/mstextprediction.def b/lib/libc/mingw/libarm32/mstextprediction.def new file mode 100644 index 0000000000..57ac6287ef --- /dev/null +++ b/lib/libc/mingw/libarm32/mstextprediction.def @@ -0,0 +1,11 @@ +; +; Definition file of apis.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "apis.dll" +EXPORTS +NIFTE_AbortTrainer +NIFTE_CreateTrainer +NIFTE_DestroyTrainer +NIFTE_TextTrain diff --git a/lib/libc/mingw/libarm32/msutb.def b/lib/libc/mingw/libarm32/msutb.def new file mode 100644 index 0000000000..33eaacd657 --- /dev/null +++ b/lib/libc/mingw/libarm32/msutb.def @@ -0,0 +1,11 @@ +; +; Definition file of MSUTB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSUTB.dll" +EXPORTS +ClosePopupTipbar +GetChildTipbar +GetPopupTipbar +SetRegisterLangBand diff --git a/lib/libc/mingw/libarm32/msvcirt.def b/lib/libc/mingw/libarm32/msvcirt.def new file mode 100644 index 0000000000..40b110fcb7 --- /dev/null +++ b/lib/libc/mingw/libarm32/msvcirt.def @@ -0,0 +1,415 @@ +; +; Definition file of msvcirt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "msvcirt.dll" +EXPORTS +??0Iostream_init@@QAA@AAVios@@H@Z +??0Iostream_init@@QAA@XZ +??0exception@@QAA@ABQBD@Z +??0exception@@QAA@ABV0@@Z +??0exception@@QAA@XZ +??0filebuf@@QAA@ABV0@@Z +??0filebuf@@QAA@H@Z +??0filebuf@@QAA@HPADH@Z +??0filebuf@@QAA@XZ +??0fstream@@QAA@ABV0@@Z +??0fstream@@QAA@H@Z +??0fstream@@QAA@HPADH@Z +??0fstream@@QAA@PBDHH@Z +??0fstream@@QAA@XZ +??0ifstream@@QAA@ABV0@@Z +??0ifstream@@QAA@H@Z +??0ifstream@@QAA@HPADH@Z +??0ifstream@@QAA@PBDHH@Z +??0ifstream@@QAA@XZ +??0ios@@IAA@ABV0@@Z +??0ios@@IAA@XZ +??0ios@@QAA@PAVstreambuf@@@Z +??0iostream@@IAA@ABV0@@Z +??0iostream@@IAA@XZ +??0iostream@@QAA@PAVstreambuf@@@Z +??0istream@@IAA@ABV0@@Z +??0istream@@IAA@XZ +??0istream@@QAA@PAVstreambuf@@@Z +??0istream_withassign@@QAA@ABV0@@Z +??0istream_withassign@@QAA@PAVstreambuf@@@Z +??0istream_withassign@@QAA@XZ +??0istrstream@@QAA@ABV0@@Z +??0istrstream@@QAA@PAD@Z +??0istrstream@@QAA@PADH@Z +??0logic_error@@QAA@ABQBD@Z +??0logic_error@@QAA@ABV0@@Z +??0ofstream@@QAA@ABV0@@Z +??0ofstream@@QAA@H@Z +??0ofstream@@QAA@HPADH@Z +??0ofstream@@QAA@PBDHH@Z +??0ofstream@@QAA@XZ +??0ostream@@IAA@ABV0@@Z +??0ostream@@IAA@XZ +??0ostream@@QAA@PAVstreambuf@@@Z +??0ostream_withassign@@QAA@ABV0@@Z +??0ostream_withassign@@QAA@PAVstreambuf@@@Z +??0ostream_withassign@@QAA@XZ +??0ostrstream@@QAA@ABV0@@Z +??0ostrstream@@QAA@PADHH@Z +??0ostrstream@@QAA@XZ +??0stdiobuf@@QAA@ABV0@@Z +??0stdiobuf@@QAA@PAU_iobuf@@@Z +??0stdiostream@@QAA@ABV0@@Z +??0stdiostream@@QAA@PAU_iobuf@@@Z +??0streambuf@@IAA@PADH@Z +??0streambuf@@IAA@XZ +??0streambuf@@QAA@ABV0@@Z +??0strstream@@QAA@ABV0@@Z +??0strstream@@QAA@PADHH@Z +??0strstream@@QAA@XZ +??0strstreambuf@@QAA@ABV0@@Z +??0strstreambuf@@QAA@H@Z +??0strstreambuf@@QAA@P6APAXJ@ZP6AXPAX@Z@Z +??0strstreambuf@@QAA@PADH0@Z +??0strstreambuf@@QAA@PAEH0@Z +??0strstreambuf@@QAA@XZ +??1Iostream_init@@QAA@XZ +??1exception@@UAA@XZ +??1filebuf@@UAA@XZ +??1fstream@@UAA@XZ +??1ifstream@@UAA@XZ +??1ios@@UAA@XZ +??1iostream@@UAA@XZ +??1istream@@UAA@XZ +??1istream_withassign@@UAA@XZ +??1istrstream@@UAA@XZ +??1logic_error@@UAA@XZ +??1ofstream@@UAA@XZ +??1ostream@@UAA@XZ +??1ostream_withassign@@UAA@XZ +??1ostrstream@@UAA@XZ +??1stdiobuf@@UAA@XZ +??1stdiostream@@UAA@XZ +??1streambuf@@UAA@XZ +??1strstream@@UAA@XZ +??1strstreambuf@@UAA@XZ +??4Iostream_init@@QAAAAV0@ABV0@@Z +??4exception@@QAAAAV0@ABV0@@Z +??4filebuf@@QAAAAV0@ABV0@@Z +??4fstream@@QAAAAV0@AAV0@@Z +??4ifstream@@QAAAAV0@ABV0@@Z +??4ios@@IAAAAV0@ABV0@@Z +??4iostream@@IAAAAV0@AAV0@@Z +??4iostream@@IAAAAV0@PAVstreambuf@@@Z +??4istream@@IAAAAV0@ABV0@@Z +??4istream@@IAAAAV0@PAVstreambuf@@@Z +??4istream_withassign@@QAAAAV0@ABV0@@Z +??4istream_withassign@@QAAAAVistream@@ABV1@@Z +??4istream_withassign@@QAAAAVistream@@PAVstreambuf@@@Z +??4istrstream@@QAAAAV0@ABV0@@Z +??4logic_error@@QAAAAV0@ABV0@@Z +??4ofstream@@QAAAAV0@ABV0@@Z +??4ostream@@IAAAAV0@ABV0@@Z +??4ostream@@IAAAAV0@PAVstreambuf@@@Z +??4ostream_withassign@@QAAAAV0@ABV0@@Z +??4ostream_withassign@@QAAAAVostream@@ABV1@@Z +??4ostream_withassign@@QAAAAVostream@@PAVstreambuf@@@Z +??4ostrstream@@QAAAAV0@ABV0@@Z +??4stdiobuf@@QAAAAV0@ABV0@@Z +??4stdiostream@@QAAAAV0@AAV0@@Z +??4streambuf@@QAAAAV0@ABV0@@Z +??4strstream@@QAAAAV0@AAV0@@Z +??4strstreambuf@@QAAAAV0@ABV0@@Z +??5istream@@QAAAAV0@AAC@Z +??5istream@@QAAAAV0@AAD@Z +??5istream@@QAAAAV0@AAE@Z +??5istream@@QAAAAV0@AAF@Z +??5istream@@QAAAAV0@AAG@Z +??5istream@@QAAAAV0@AAH@Z +??5istream@@QAAAAV0@AAI@Z +??5istream@@QAAAAV0@AAJ@Z +??5istream@@QAAAAV0@AAK@Z +??5istream@@QAAAAV0@AAM@Z +??5istream@@QAAAAV0@AAN@Z +??5istream@@QAAAAV0@AAO@Z +??5istream@@QAAAAV0@P6AAAV0@AAV0@@Z@Z +??5istream@@QAAAAV0@P6AAAVios@@AAV1@@Z@Z +??5istream@@QAAAAV0@PAC@Z +??5istream@@QAAAAV0@PAD@Z +??5istream@@QAAAAV0@PAE@Z +??5istream@@QAAAAV0@PAVstreambuf@@@Z +??6ostream@@QAAAAV0@C@Z +??6ostream@@QAAAAV0@D@Z +??6ostream@@QAAAAV0@E@Z +??6ostream@@QAAAAV0@F@Z +??6ostream@@QAAAAV0@G@Z +??6ostream@@QAAAAV0@H@Z +??6ostream@@QAAAAV0@I@Z +??6ostream@@QAAAAV0@J@Z +??6ostream@@QAAAAV0@K@Z +??6ostream@@QAAAAV0@M@Z +??6ostream@@QAAAAV0@N@Z +??6ostream@@QAAAAV0@O@Z +??6ostream@@QAAAAV0@P6AAAV0@AAV0@@Z@Z +??6ostream@@QAAAAV0@P6AAAVios@@AAV1@@Z@Z +??6ostream@@QAAAAV0@PAVstreambuf@@@Z +??6ostream@@QAAAAV0@PBC@Z +??6ostream@@QAAAAV0@PBD@Z +??6ostream@@QAAAAV0@PBE@Z +??6ostream@@QAAAAV0@PBX@Z +??7ios@@QBAHXZ +??Bios@@QBAPAXXZ +??_7exception@@6B@ DATA +??_7filebuf@@6B@ DATA +??_7fstream@@6B@ DATA +??_7ifstream@@6B@ DATA +??_7ios@@6B@ DATA +??_7iostream@@6B@ DATA +??_7istream@@6B@ DATA +??_7istream_withassign@@6B@ DATA +??_7istrstream@@6B@ DATA +??_7logic_error@@6B@ DATA +??_7ofstream@@6B@ DATA +??_7ostream@@6B@ DATA +??_7ostream_withassign@@6B@ DATA +??_7ostrstream@@6B@ DATA +??_7stdiobuf@@6B@ DATA +??_7stdiostream@@6B@ DATA +??_7streambuf@@6B@ DATA +??_7strstream@@6B@ DATA +??_7strstreambuf@@6B@ DATA +??_8fstream@@7Bistream@@@ +??_8fstream@@7Bostream@@@ +??_8ifstream@@7B@ +??_8iostream@@7Bistream@@@ +??_8iostream@@7Bostream@@@ +??_8istream@@7B@ +??_8istream_withassign@@7B@ +??_8istrstream@@7B@ +??_8ofstream@@7B@ +??_8ostream@@7B@ +??_8ostream_withassign@@7B@ +??_8ostrstream@@7B@ +??_8stdiostream@@7Bistream@@@ +??_8stdiostream@@7Bostream@@@ +??_8strstream@@7Bistream@@@ +??_8strstream@@7Bostream@@@ +??_Dfstream@@QAAXXZ +??_Difstream@@QAAXXZ +??_Diostream@@QAAXXZ +??_Distream@@QAAXXZ +??_Distream_withassign@@QAAXXZ +??_Distrstream@@QAAXXZ +??_Dofstream@@QAAXXZ +??_Dostream@@QAAXXZ +??_Dostream_withassign@@QAAXXZ +??_Dostrstream@@QAAXXZ +??_Dstdiostream@@QAAXXZ +??_Dstrstream@@QAAXXZ +?_init@strstreambuf@@AAAXPADH0@Z +?adjustfield@ios@@2JB +?allocate@streambuf@@IAAHXZ +?attach@filebuf@@QAAPAV1@H@Z +?attach@fstream@@QAAXH@Z +?attach@ifstream@@QAAXH@Z +?attach@ofstream@@QAAXH@Z +?bad@ios@@QBAHXZ +?base@streambuf@@IBAPADXZ +?basefield@ios@@2JB +?binary@filebuf@@2HB +?bitalloc@ios@@SAJXZ +?blen@streambuf@@IBAHXZ +?cerr@@3Vostream_withassign@@A DATA +?cin@@3Vistream_withassign@@A DATA +?clear@ios@@QAAXH@Z +?clog@@3Vostream_withassign@@A DATA +?close@filebuf@@QAAPAV1@XZ +?close@fstream@@QAAXXZ +?close@ifstream@@QAAXXZ +?close@ofstream@@QAAXXZ +?clrlock@ios@@QAAXXZ +?clrlock@streambuf@@QAAXXZ +?cout@@3Vostream_withassign@@A DATA +?dbp@streambuf@@QAAXXZ +?dec@@YAAAVios@@AAV1@@Z +?delbuf@ios@@QAAXH@Z +?delbuf@ios@@QBAHXZ +?doallocate@streambuf@@MAAHXZ +?doallocate@strstreambuf@@MAAHXZ +?eatwhite@istream@@QAAXXZ +?eback@streambuf@@IBAPADXZ +?ebuf@streambuf@@IBAPADXZ +?egptr@streambuf@@IBAPADXZ +?endl@@YAAAVostream@@AAV1@@Z +?ends@@YAAAVostream@@AAV1@@Z +?eof@ios@@QBAHXZ +?epptr@streambuf@@IBAPADXZ +?fLockcInit@ios@@0HA DATA +?fail@ios@@QBAHXZ +?fd@filebuf@@QBAHXZ +?fd@fstream@@QBAHXZ +?fd@ifstream@@QBAHXZ +?fd@ofstream@@QBAHXZ +?fill@ios@@QAADD@Z +?fill@ios@@QBADXZ +?flags@ios@@QAAJJ@Z +?flags@ios@@QBAJXZ +?floatfield@ios@@2JB +?flush@@YAAAVostream@@AAV1@@Z +?flush@ostream@@QAAAAV1@XZ +?freeze@strstreambuf@@QAAXH@Z +?gbump@streambuf@@IAAXH@Z +?gcount@istream@@QBAHXZ +?get@istream@@IAAAAV1@PADHH@Z +?get@istream@@QAAAAV1@AAC@Z +?get@istream@@QAAAAV1@AAD@Z +?get@istream@@QAAAAV1@AAE@Z +?get@istream@@QAAAAV1@AAVstreambuf@@D@Z +?get@istream@@QAAAAV1@PACHD@Z +?get@istream@@QAAAAV1@PADHD@Z +?get@istream@@QAAAAV1@PAEHD@Z +?get@istream@@QAAHXZ +?getdouble@istream@@AAAHPADH@Z +?getint@istream@@AAAHPAD@Z +?getline@istream@@QAAAAV1@PACHD@Z +?getline@istream@@QAAAAV1@PADHD@Z +?getline@istream@@QAAAAV1@PAEHD@Z +?good@ios@@QBAHXZ +?gptr@streambuf@@IBAPADXZ +?hex@@YAAAVios@@AAV1@@Z +?ignore@istream@@QAAAAV1@HH@Z +?in_avail@streambuf@@QBAHXZ +?init@ios@@IAAXPAVstreambuf@@@Z +?ipfx@istream@@QAAHH@Z +?is_open@filebuf@@QBAHXZ +?is_open@fstream@@QBAHXZ +?is_open@ifstream@@QBAHXZ +?is_open@ofstream@@QBAHXZ +?isfx@istream@@QAAXXZ +?iword@ios@@QBAAAJH@Z +?lock@ios@@QAAXXZ +?lock@streambuf@@QAAXXZ +?lockbuf@ios@@QAAXXZ +?lockc@ios@@KAXXZ +?lockptr@ios@@IAAPAU_CRT_CRITICAL_SECTION@@XZ +?lockptr@streambuf@@IAAPAU_CRT_CRITICAL_SECTION@@XZ +?oct@@YAAAVios@@AAV1@@Z +?open@filebuf@@QAAPAV1@PBDHH@Z +?open@fstream@@QAAXPBDHH@Z +?open@ifstream@@QAAXPBDHH@Z +?open@ofstream@@QAAXPBDHH@Z +?openprot@filebuf@@2HB +?opfx@ostream@@QAAHXZ +?osfx@ostream@@QAAXXZ +?out_waiting@streambuf@@QBAHXZ +?overflow@filebuf@@UAAHH@Z +?overflow@stdiobuf@@UAAHH@Z +?overflow@strstreambuf@@UAAHH@Z +?pbackfail@stdiobuf@@UAAHH@Z +?pbackfail@streambuf@@UAAHH@Z +?pbase@streambuf@@IBAPADXZ +?pbump@streambuf@@IAAXH@Z +?pcount@ostrstream@@QBAHXZ +?pcount@strstream@@QBAHXZ +?peek@istream@@QAAHXZ +?pptr@streambuf@@IBAPADXZ +?precision@ios@@QAAHH@Z +?precision@ios@@QBAHXZ +?put@ostream@@QAAAAV1@C@Z +?put@ostream@@QAAAAV1@D@Z +?put@ostream@@QAAAAV1@E@Z +?putback@istream@@QAAAAV1@D@Z +?pword@ios@@QBAAAPAXH@Z +?rdbuf@fstream@@QBAPAVfilebuf@@XZ +?rdbuf@ifstream@@QBAPAVfilebuf@@XZ +?rdbuf@ios@@QBAPAVstreambuf@@XZ +?rdbuf@istrstream@@QBAPAVstrstreambuf@@XZ +?rdbuf@ofstream@@QBAPAVfilebuf@@XZ +?rdbuf@ostrstream@@QBAPAVstrstreambuf@@XZ +?rdbuf@stdiostream@@QBAPAVstdiobuf@@XZ +?rdbuf@strstream@@QBAPAVstrstreambuf@@XZ +?rdstate@ios@@QBAHXZ +?read@istream@@QAAAAV1@PACH@Z +?read@istream@@QAAAAV1@PADH@Z +?read@istream@@QAAAAV1@PAEH@Z +?sbumpc@streambuf@@QAAHXZ +?seekg@istream@@QAAAAV1@J@Z +?seekg@istream@@QAAAAV1@JW4seek_dir@ios@@@Z +?seekoff@filebuf@@UAAJJW4seek_dir@ios@@H@Z +?seekoff@stdiobuf@@UAAJJW4seek_dir@ios@@H@Z +?seekoff@streambuf@@UAAJJW4seek_dir@ios@@H@Z +?seekoff@strstreambuf@@UAAJJW4seek_dir@ios@@H@Z +?seekp@ostream@@QAAAAV1@J@Z +?seekp@ostream@@QAAAAV1@JW4seek_dir@ios@@@Z +?seekpos@streambuf@@UAAJJH@Z +?setb@streambuf@@IAAXPAD0H@Z +?setbuf@filebuf@@UAAPAVstreambuf@@PADH@Z +?setbuf@fstream@@QAAPAVstreambuf@@PADH@Z +?setbuf@ifstream@@QAAPAVstreambuf@@PADH@Z +?setbuf@ofstream@@QAAPAVstreambuf@@PADH@Z +?setbuf@streambuf@@UAAPAV1@PADH@Z +?setbuf@strstreambuf@@UAAPAVstreambuf@@PADH@Z +?setf@ios@@QAAJJ@Z +?setf@ios@@QAAJJJ@Z +?setg@streambuf@@IAAXPAD00@Z +?setlock@ios@@QAAXXZ +?setlock@streambuf@@QAAXXZ +?setmode@filebuf@@QAAHH@Z +?setmode@fstream@@QAAHH@Z +?setmode@ifstream@@QAAHH@Z +?setmode@ofstream@@QAAHH@Z +?setp@streambuf@@IAAXPAD0@Z +?setrwbuf@stdiobuf@@QAAHHH@Z +?sgetc@streambuf@@QAAHXZ +?sgetn@streambuf@@QAAHPADH@Z +?sh_none@filebuf@@2HB +?sh_read@filebuf@@2HB +?sh_write@filebuf@@2HB +?snextc@streambuf@@QAAHXZ +?sputbackc@streambuf@@QAAHD@Z +?sputc@streambuf@@QAAHH@Z +?sputn@streambuf@@QAAHPBDH@Z +?stdiofile@stdiobuf@@QAAPAU_iobuf@@XZ +?stossc@streambuf@@QAAXXZ +?str@istrstream@@QAAPADXZ +?str@ostrstream@@QAAPADXZ +?str@strstream@@QAAPADXZ +?str@strstreambuf@@QAAPADXZ +?sunk_with_stdio@ios@@0HA DATA +?sync@filebuf@@UAAHXZ +?sync@istream@@QAAHXZ +?sync@stdiobuf@@UAAHXZ +?sync@streambuf@@UAAHXZ +?sync@strstreambuf@@UAAHXZ +?sync_with_stdio@ios@@SAXXZ +?tellg@istream@@QAAJXZ +?tellp@ostream@@QAAJXZ +?text@filebuf@@2HB +?tie@ios@@QAAPAVostream@@PAV2@@Z +?tie@ios@@QBAPAVostream@@XZ +?unbuffered@streambuf@@IAAXH@Z +?unbuffered@streambuf@@IBAHXZ +?underflow@filebuf@@UAAHXZ +?underflow@stdiobuf@@UAAHXZ +?underflow@strstreambuf@@UAAHXZ +?unlock@ios@@QAAXXZ +?unlock@streambuf@@QAAXXZ +?unlockbuf@ios@@QAAXXZ +?unlockc@ios@@KAXXZ +?unsetf@ios@@QAAJJ@Z +?what@exception@@UBAPBDXZ +?width@ios@@QAAHH@Z +?width@ios@@QBAHXZ +?write@ostream@@QAAAAV1@PBCH@Z +?write@ostream@@QAAAAV1@PBDH@Z +?write@ostream@@QAAAAV1@PBEH@Z +?writepad@ostream@@AAAAAV1@PBD0@Z +?ws@@YAAAVistream@@AAV1@@Z +?x_curindex@ios@@0HA DATA +?x_lockc@ios@@0U_CRT_CRITICAL_SECTION@@A DATA +?x_maxbit@ios@@0JA DATA +?x_statebuf@ios@@0PAJA DATA +?xalloc@ios@@SAHXZ +?xsgetn@streambuf@@UAAHPADH@Z +?xsputn@streambuf@@UAAHPBDH@Z +__dummy_export DATA +_mtlock +_mtunlock diff --git a/lib/libc/mingw/libarm32/msxml6.def b/lib/libc/mingw/libarm32/msxml6.def new file mode 100644 index 0000000000..4b37a02a45 --- /dev/null +++ b/lib/libc/mingw/libarm32/msxml6.def @@ -0,0 +1,8 @@ +; +; Definition file of MSXML6.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MSXML6.dll" +EXPORTS +DllSetProperty diff --git a/lib/libc/mingw/libarm32/mtxex.def b/lib/libc/mingw/libarm32/mtxex.def new file mode 100644 index 0000000000..26d5bb7184 --- /dev/null +++ b/lib/libc/mingw/libarm32/mtxex.def @@ -0,0 +1,10 @@ +; +; Definition file of mtxex.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mtxex.dll" +EXPORTS +GetObjectContext +SafeRef +MTSCreateActivity diff --git a/lib/libc/mingw/libarm32/muifontsetup.def b/lib/libc/mingw/libarm32/muifontsetup.def new file mode 100644 index 0000000000..91e1439da0 --- /dev/null +++ b/lib/libc/mingw/libarm32/muifontsetup.def @@ -0,0 +1,9 @@ +; +; Definition file of muifontsetup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "muifontsetup.dll" +EXPORTS +OnMachineUILanguageInit +OnMachineUILanguageSwitch diff --git a/lib/libc/mingw/libarm32/muilanguagecleanup.def b/lib/libc/mingw/libarm32/muilanguagecleanup.def new file mode 100644 index 0000000000..3a7b24497e --- /dev/null +++ b/lib/libc/mingw/libarm32/muilanguagecleanup.def @@ -0,0 +1,12 @@ +; +; Definition file of MUILanguageCleanup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "MUILanguageCleanup.dll" +EXPORTS +OnMachineUILanguageClear +OnMachineUILanguageInit +OnMachineUILanguageSwitch +OnUILanguageAdd +OnUILanguageRemove diff --git a/lib/libc/mingw/libarm32/mvbtrcarm.def b/lib/libc/mingw/libarm32/mvbtrcarm.def new file mode 100644 index 0000000000..53a5367a35 --- /dev/null +++ b/lib/libc/mingw/libarm32/mvbtrcarm.def @@ -0,0 +1,9 @@ +; +; Definition file of mvbtrc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "mvbtrc.dll" +EXPORTS +BluetoothEnableRadio +IsBluetoothRadioEnabled diff --git a/lib/libc/mingw/libarm32/napinsp.def b/lib/libc/mingw/libarm32/napinsp.def new file mode 100644 index 0000000000..750fe263f8 --- /dev/null +++ b/lib/libc/mingw/libarm32/napinsp.def @@ -0,0 +1,8 @@ +; +; Definition file of NAPINSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NAPINSP.dll" +EXPORTS +NSPStartup diff --git a/lib/libc/mingw/libarm32/napipsec.def b/lib/libc/mingw/libarm32/napipsec.def new file mode 100644 index 0000000000..18a7685f7c --- /dev/null +++ b/lib/libc/mingw/libarm32/napipsec.def @@ -0,0 +1,9 @@ +; +; Definition file of NapIpsec.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NapIpsec.dll" +EXPORTS +InitializeNapIpsecRp +UninitializeNapIpsecRp diff --git a/lib/libc/mingw/libarm32/ncaapi.def b/lib/libc/mingw/libarm32/ncaapi.def new file mode 100644 index 0000000000..1f311aadcd --- /dev/null +++ b/lib/libc/mingw/libarm32/ncaapi.def @@ -0,0 +1,17 @@ +; +; Definition file of NcaApi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NcaApi.dll" +EXPORTS +NcaEngineClose +NcaEngineOpen +NcaExecuteAndCaptureLogs +NcaGetConfig +NcaGetEvidenceCollectorResult +NcaNetworkClose +NcaNetworkOpen +NcaStatusEventSubscribe +NcaStatusEventUnsubscribe +NcaToggleNamePreferenceState diff --git a/lib/libc/mingw/libarm32/ncasvc.def b/lib/libc/mingw/libarm32/ncasvc.def new file mode 100644 index 0000000000..a9b8b9b58c --- /dev/null +++ b/lib/libc/mingw/libarm32/ncasvc.def @@ -0,0 +1,9 @@ +; +; Definition file of NcaSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NcaSvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/ncbservice.def b/lib/libc/mingw/libarm32/ncbservice.def new file mode 100644 index 0000000000..d5025ebf95 --- /dev/null +++ b/lib/libc/mingw/libarm32/ncbservice.def @@ -0,0 +1,9 @@ +; +; Definition file of ncbservice.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ncbservice.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/ncdautosetup.def b/lib/libc/mingw/libarm32/ncdautosetup.def new file mode 100644 index 0000000000..32ba4e5b9e --- /dev/null +++ b/lib/libc/mingw/libarm32/ncdautosetup.def @@ -0,0 +1,10 @@ +; +; Definition file of NcdAutoSetup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NcdAutoSetup.dll" +EXPORTS +NcdAutoSetup_Generalize +SvchostPushServiceGlobals +SvchostMain diff --git a/lib/libc/mingw/libarm32/nci.def b/lib/libc/mingw/libarm32/nci.def new file mode 100644 index 0000000000..fca551294c --- /dev/null +++ b/lib/libc/mingw/libarm32/nci.def @@ -0,0 +1,10 @@ +; +; Definition file of NCI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NCI.dll" +EXPORTS +NciGetConnectionName +NciSetConnectionName +UpdateAdvancedParameter diff --git a/lib/libc/mingw/libarm32/ncryptprov.def b/lib/libc/mingw/libarm32/ncryptprov.def new file mode 100644 index 0000000000..db7bccfeb1 --- /dev/null +++ b/lib/libc/mingw/libarm32/ncryptprov.def @@ -0,0 +1,10 @@ +; +; Definition file of ncryptprov.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ncryptprov.dll" +EXPORTS +GetKeyStorageInterface +SKCacheFlush +SetAuditingInterface diff --git a/lib/libc/mingw/libarm32/ncryptsslp.def b/lib/libc/mingw/libarm32/ncryptsslp.def new file mode 100644 index 0000000000..f80976918a --- /dev/null +++ b/lib/libc/mingw/libarm32/ncryptsslp.def @@ -0,0 +1,8 @@ +; +; Definition file of ncryptsslp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ncryptsslp.dll" +EXPORTS +GetSChannelInterface diff --git a/lib/libc/mingw/libarm32/ncsi.def b/lib/libc/mingw/libarm32/ncsi.def new file mode 100644 index 0000000000..944ed54c02 --- /dev/null +++ b/lib/libc/mingw/libarm32/ncsi.def @@ -0,0 +1,15 @@ +; +; Definition file of ncsi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ncsi.dll" +EXPORTS +NcsiAllocateAndGetConnectivityStatusSet +NcsiDeregisterConnectivityStatusChange +NcsiFreeConnectivityStatusSet +NcsiIdentifyUserSpecificProxies +NcsiNotifySessionChange +NcsiPerformRefresh +NcsiRegisterConnectivityStatusChange +NcsiUpdateClientPresence diff --git a/lib/libc/mingw/libarm32/ncuprov.def b/lib/libc/mingw/libarm32/ncuprov.def new file mode 100644 index 0000000000..26a67ccbab --- /dev/null +++ b/lib/libc/mingw/libarm32/ncuprov.def @@ -0,0 +1,9 @@ +; +; Definition file of NcuProv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NcuProv.dll" +EXPORTS +SruInitializeProvider +SruUninitializeProvider diff --git a/lib/libc/mingw/libarm32/nduprov.def b/lib/libc/mingw/libarm32/nduprov.def new file mode 100644 index 0000000000..621557ee44 --- /dev/null +++ b/lib/libc/mingw/libarm32/nduprov.def @@ -0,0 +1,9 @@ +; +; Definition file of NduProv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NduProv.dll" +EXPORTS +SruInitializeProvider +SruUninitializeProvider diff --git a/lib/libc/mingw/libarm32/negoexts.def b/lib/libc/mingw/libarm32/negoexts.def new file mode 100644 index 0000000000..09ee5dd7ed --- /dev/null +++ b/lib/libc/mingw/libarm32/negoexts.def @@ -0,0 +1,9 @@ +; +; Definition file of NEGOEXTS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NEGOEXTS.dll" +EXPORTS +SpLsaModeInitialize +SpUserModeInitialize diff --git a/lib/libc/mingw/libarm32/netbios.def b/lib/libc/mingw/libarm32/netbios.def new file mode 100644 index 0000000000..09aa0474d4 --- /dev/null +++ b/lib/libc/mingw/libarm32/netbios.def @@ -0,0 +1,8 @@ +; +; Definition file of netbios.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netbios.dll" +EXPORTS +Netbios diff --git a/lib/libc/mingw/libarm32/netcfgx.def b/lib/libc/mingw/libarm32/netcfgx.def new file mode 100644 index 0000000000..d514b23d1a --- /dev/null +++ b/lib/libc/mingw/libarm32/netcfgx.def @@ -0,0 +1,14 @@ +; +; Definition file of netcfgx.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netcfgx.dll" +EXPORTS +LanaCfgFromCommandArgs +NetCfgDiagFromCommandArgs +NetCfgDiagRepairRegistryBindings +NetClassInstaller +NetPropPageProvider +OnMachineUILanguageInit +OnMachineUILanguageSwitch diff --git a/lib/libc/mingw/libarm32/netdiagfx.def b/lib/libc/mingw/libarm32/netdiagfx.def new file mode 100644 index 0000000000..48b9726dcd --- /dev/null +++ b/lib/libc/mingw/libarm32/netdiagfx.def @@ -0,0 +1,13 @@ +; +; Definition file of netdiagfx.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netdiagfx.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance +HelperTraceEvent +HelperTraceInitialize +HelperTraceUninitialize diff --git a/lib/libc/mingw/libarm32/netfxperf.def b/lib/libc/mingw/libarm32/netfxperf.def new file mode 100644 index 0000000000..6904ff214b --- /dev/null +++ b/lib/libc/mingw/libarm32/netfxperf.def @@ -0,0 +1,10 @@ +; +; Definition file of netfxperf.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netfxperf.dll" +EXPORTS +ClosePerformanceData +CollectPerformanceData +OpenPerformanceData diff --git a/lib/libc/mingw/libarm32/netjoin.def b/lib/libc/mingw/libarm32/netjoin.def new file mode 100644 index 0000000000..51fd2e9dcd --- /dev/null +++ b/lib/libc/mingw/libarm32/netjoin.def @@ -0,0 +1,43 @@ +; +; Definition file of netjoin.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netjoin.dll" +EXPORTS +NetCreateProvisioningPackage +NetProvisionComputerAccount +NetRequestOfflineDomainJoin +NetRequestProvisioningPackageInstall +NetSetuppCloseLog +NetSetuppOpenLog +NetpAnalyzeProvisioningPackage +NetpAvoidNetlogonSpnSet +NetpChangeMachineName +NetpCheckOfflineLsaPolicyUpdate +NetpCompleteOfflineDomainJoin +NetpContinueProvisioningPackageInstall +NetpControlServices +NetpCrackNamesStatus2Win32Error +NetpCreateComputerObjectInDs +NetpDoDomainJoin +NetpDomainJoinLicensingCheck +NetpFreeLdapLsaDomainInfo +NetpGetJoinInformation +NetpGetListOfJoinableOUs +NetpGetLsaPrimaryDomain +NetpGetMachineAccountName +NetpGetNewMachineName +NetpIsSetupInProgress +NetpLogPrintHelper +NetpMachineValidToJoin +NetpManageIPCConnect +NetpManageMachineAccountWithSid +NetpQueryService +NetpSeparateUserAndDomain +NetpSetComputerAccountPassword +NetpStopService +NetpStoreInitialDcRecord +NetpUnJoinDomain +NetpUpgradePreNT5JoinInfo +NetpValidateName diff --git a/lib/libc/mingw/libarm32/netlogon.def b/lib/libc/mingw/libarm32/netlogon.def new file mode 100644 index 0000000000..5ae651088c --- /dev/null +++ b/lib/libc/mingw/libarm32/netlogon.def @@ -0,0 +1,31 @@ +; +; Definition file of NETLOGON.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NETLOGON.dll" +EXPORTS +DsrGetDcNameEx2 +I_NetLogonAddressToSiteName +I_NetLogonAppendChangeLog +I_NetLogonCloseChangeLog +I_NetLogonFree +I_NetLogonGetAuthDataEx +I_NetLogonGetSerialNumber +I_NetLogonLdapLookupEx +I_NetLogonMixedDomain +I_NetLogonNewChangeLog +I_NetLogonReadChangeLog +I_NetLogonSendToSamOnDc +I_NetLogonSetServiceBits +I_NetNotifyDelta +I_NetNotifyDsChange +I_NetNotifyMachineAccount +I_NetNotifyNetlogonDllHandle +I_NetNotifyNtdsDsaDeletion +I_NetNotifyRole +I_NetNotifyTrustedDomain +InitSecurityInterfaceW +NetIGetEncTypes +NetILogonSamLogon +NlNetlogonMain diff --git a/lib/libc/mingw/libarm32/netman.def b/lib/libc/mingw/libarm32/netman.def new file mode 100644 index 0000000000..2088a422b5 --- /dev/null +++ b/lib/libc/mingw/libarm32/netman.def @@ -0,0 +1,14 @@ +; +; Definition file of netman.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netman.dll" +EXPORTS +HrGetPnpDeviceStatus +HrLanConnectionNameFromGuidOrPath +HrPnpInstanceIdFromGuid +HrQueryLanMediaState +NetManDiagFromCommandArgs +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/netplwiz.def b/lib/libc/mingw/libarm32/netplwiz.def new file mode 100644 index 0000000000..2d48e0f989 --- /dev/null +++ b/lib/libc/mingw/libarm32/netplwiz.def @@ -0,0 +1,12 @@ +; +; Definition file of NETPLWIZ.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NETPLWIZ.dll" +EXPORTS +ClearAutoLogon +NetAccessWizard +NetPlacesWizardDoModal +SHDisconnectNetDrives +UsersRunDllW diff --git a/lib/libc/mingw/libarm32/netprofmsvc.def b/lib/libc/mingw/libarm32/netprofmsvc.def new file mode 100644 index 0000000000..c8955457c5 --- /dev/null +++ b/lib/libc/mingw/libarm32/netprofmsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of netprofm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "netprofm.dll" +EXPORTS +SvchostPushServiceGlobals +ServiceMain diff --git a/lib/libc/mingw/libarm32/netprovisionsp.def b/lib/libc/mingw/libarm32/netprovisionsp.def new file mode 100644 index 0000000000..4408dfd764 --- /dev/null +++ b/lib/libc/mingw/libarm32/netprovisionsp.def @@ -0,0 +1,9 @@ +; +; Definition file of NetProvisionSp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NetProvisionSp.dll" +EXPORTS +NetpCertProviderInitialize +NetpPolProviderInitialize diff --git a/lib/libc/mingw/libarm32/nlaapi.def b/lib/libc/mingw/libarm32/nlaapi.def new file mode 100644 index 0000000000..c172824f93 --- /dev/null +++ b/lib/libc/mingw/libarm32/nlaapi.def @@ -0,0 +1,35 @@ +; +; Definition file of nlaapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nlaapi.dll" +EXPORTS +LANIdFreeCollection +LANIdRetrieveCollection +NSPStartup +NlaAddToPluginRequests +NlaAddToTypeSet +NlaAnd +NlaCloseQuery +NlaComposeNetSignature +NlaCreateFilter +NlaCreatePluginRequests +NlaCreateTypeSet +NlaDecomposeNetSignature +NlaDeleteDataSet +NlaDeleteFilter +NlaDeletePluginRequests +NlaDeleteTypeSet +NlaEqual +NlaEqualNetSignatures +NlaGetInternetCapability +NlaGetIntranetCapability +NlaNotEqual +NlaOpenQuery +NlaOr +NlaQueryNetData +NlaQueryNetDataEx +NlaQueryNetSignatures +NlaRefreshQuery +NlaRegisterQuery diff --git a/lib/libc/mingw/libarm32/nlasvc.def b/lib/libc/mingw/libarm32/nlasvc.def new file mode 100644 index 0000000000..857ee1aa5f --- /dev/null +++ b/lib/libc/mingw/libarm32/nlasvc.def @@ -0,0 +1,9 @@ +; +; Definition file of nlasvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nlasvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/nlmsprep.def b/lib/libc/mingw/libarm32/nlmsprep.def new file mode 100644 index 0000000000..74f938ddf0 --- /dev/null +++ b/lib/libc/mingw/libarm32/nlmsprep.def @@ -0,0 +1,8 @@ +; +; Definition file of nlmsprep.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nlmsprep.dll" +EXPORTS +NetworkListManager_Generalize diff --git a/lib/libc/mingw/libarm32/nlsdl.def b/lib/libc/mingw/libarm32/nlsdl.def new file mode 100644 index 0000000000..7322c260b1 --- /dev/null +++ b/lib/libc/mingw/libarm32/nlsdl.def @@ -0,0 +1,11 @@ +; +; Definition file of Nlsdl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Nlsdl.dll" +EXPORTS +DownlevelGetParentLocaleLCID +DownlevelGetParentLocaleName +DownlevelLCIDToLocaleName +DownlevelLocaleNameToLCID diff --git a/lib/libc/mingw/libarm32/nrpsrv.def b/lib/libc/mingw/libarm32/nrpsrv.def new file mode 100644 index 0000000000..6955d8ee8f --- /dev/null +++ b/lib/libc/mingw/libarm32/nrpsrv.def @@ -0,0 +1,9 @@ +; +; Definition file of nrpsrv.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nrpsrv.DLL" +EXPORTS +NrpStartRpcServer +NrpStopRpcServer diff --git a/lib/libc/mingw/libarm32/nshwfp.def b/lib/libc/mingw/libarm32/nshwfp.def new file mode 100644 index 0000000000..c6865c895c --- /dev/null +++ b/lib/libc/mingw/libarm32/nshwfp.def @@ -0,0 +1,15 @@ +; +; Definition file of NSHWFP.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NSHWFP.DLL" +EXPORTS +IdpConfigAddPolicy +IdpConfigAllocateAndGetPolicy +IdpConfigFreePolicy +IdpConfigInitDefaultPolicy +IdpConfigRemovePolicy +InitHelperDll +WfpCaptureExportedW +WfpCaptureStop diff --git a/lib/libc/mingw/libarm32/nsi.def b/lib/libc/mingw/libarm32/nsi.def new file mode 100644 index 0000000000..fb987d172f --- /dev/null +++ b/lib/libc/mingw/libarm32/nsi.def @@ -0,0 +1,33 @@ +; +; Definition file of NSI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NSI.dll" +EXPORTS +NsiAllocateAndGetPersistentDataWithMaskTable +NsiAllocateAndGetTable +NsiCancelChangeNotification +NsiDeregisterChangeNotification +NsiDeregisterChangeNotificationEx +NsiEnumerateObjectsAllParameters +NsiEnumerateObjectsAllParametersEx +NsiEnumerateObjectsAllPersistentParametersWithMask +NsiFreePersistentDataWithMaskTable +NsiFreeTable +NsiGetAllParameters +NsiGetAllParametersEx +NsiGetAllPersistentParametersWithMask +NsiGetObjectSecurity +NsiGetParameter +NsiGetParameterEx +NsiRegisterChangeNotification +NsiRegisterChangeNotificationEx +NsiRequestChangeNotification +NsiRequestChangeNotificationEx +NsiSetAllParameters +NsiSetAllParametersEx +NsiSetAllPersistentParametersWithMask +NsiSetObjectSecurity +NsiSetParameter +NsiSetParameterEx diff --git a/lib/libc/mingw/libarm32/nsisvc.def b/lib/libc/mingw/libarm32/nsisvc.def new file mode 100644 index 0000000000..99c32e0fa8 --- /dev/null +++ b/lib/libc/mingw/libarm32/nsisvc.def @@ -0,0 +1,9 @@ +; +; Definition file of nsisvc.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nsisvc.DLL" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/ntmarta.def b/lib/libc/mingw/libarm32/ntmarta.def new file mode 100644 index 0000000000..fefc32ca04 --- /dev/null +++ b/lib/libc/mingw/libarm32/ntmarta.def @@ -0,0 +1,57 @@ +; +; Definition file of NTMARTA.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NTMARTA.dll" +EXPORTS +AccProvHandleGrantAccessRights +GetMartaExtensionInterface +AccConvertAccessMaskToActrlAccess +AccConvertAccessToSD +AccConvertAccessToSecurityDescriptor +AccConvertAclToAccess +AccConvertSDToAccess +AccFreeIndexArray +AccGetAccessForTrustee +AccGetExplicitEntries +AccGetInheritanceSource +AccLookupAccountName +AccLookupAccountSid +AccLookupAccountTrustee +AccProvCancelOperation +AccProvGetAccessInfoPerObjectType +AccProvGetAllRights +AccProvGetCapabilities +AccProvGetOperationResults +AccProvGetTrusteesAccess +AccProvGrantAccessRights +AccProvHandleGetAccessInfoPerObjectType +AccProvHandleGetAllRights +AccProvHandleGetTrusteesAccess +AccProvHandleIsAccessAudited +AccProvHandleIsObjectAccessible +AccProvHandleRevokeAccessRights +AccProvHandleRevokeAuditRights +AccProvHandleSetAccessRights +AccProvIsAccessAudited +AccProvIsObjectAccessible +AccProvRevokeAccessRights +AccProvRevokeAuditRights +AccProvSetAccessRights +AccRewriteGetExplicitEntriesFromAcl +AccRewriteGetHandleRights +AccRewriteGetNamedRights +AccRewriteSetEntriesInAcl +AccRewriteSetHandleRights +AccRewriteSetNamedRights +AccSetEntriesInAList +AccTreeResetNamedSecurityInfo +EventGuidToName +EventNameFree +GetExplicitEntriesFromAclW +GetNamedSecurityInfoW +GetSecurityInfo +SetEntriesInAclW +SetNamedSecurityInfoW +SetSecurityInfo diff --git a/lib/libc/mingw/libarm32/ntoskrnl.def b/lib/libc/mingw/libarm32/ntoskrnl.def new file mode 100644 index 0000000000..b05b6b3929 --- /dev/null +++ b/lib/libc/mingw/libarm32/ntoskrnl.def @@ -0,0 +1,2437 @@ +; +; Definition file of ntoskrnl.exe +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ntoskrnl.exe" +EXPORTS +ord_1 @1 +ord_2 @2 +ord_3 @3 +AlpcGetHeaderSize +AlpcGetMessageAttribute +AlpcInitializeMessageAttribute +BgkDisplayCharacter +BgkGetConsoleState +BgkGetCursorState +BgkSetCursor +CcAddDirtyPagesToExternalCache +CcCanIWrite +CcCoherencyFlushAndPurgeCache +CcCopyRead +CcCopyReadEx +CcCopyWrite +CcCopyWriteEx +CcCopyWriteWontFlush +CcDeductDirtyPagesFromExternalCache +CcDeferWrite +CcFastCopyRead +CcFastCopyWrite +CcFastMdlReadWait DATA +CcFlushCache +CcFlushCacheToLsn +CcGetDirtyPages +CcGetFileObjectFromBcb +CcGetFileObjectFromSectionPtrs +CcGetFileObjectFromSectionPtrsRef +CcGetFlushedValidData +CcGetLsnForFileObject +CcInitializeCacheMap +CcIsThereDirtyData +CcIsThereDirtyDataEx +CcIsThereDirtyLoggedPages +CcMapData +CcMdlRead +CcMdlReadComplete +CcMdlWriteAbort +CcMdlWriteComplete +CcPinMappedData +CcPinRead +CcPrepareMdlWrite +CcPreparePinWrite +CcPurgeCacheSection +CcRegisterExternalCache +CcRemapBcb +CcRepinBcb +CcScheduleReadAhead +CcScheduleReadAheadEx +CcSetAdditionalCacheAttributes +CcSetAdditionalCacheAttributesEx +CcSetBcbOwnerPointer +CcSetDirtyPageThreshold +CcSetDirtyPinnedData +CcSetFileSizes +CcSetFileSizesEx +CcSetLogHandleForFile +CcSetLogHandleForFileEx +CcSetLoggedDataThreshold +CcSetParallelFlushFile +CcSetReadAheadGranularity +CcSetReadAheadGranularityEx +CcTestControl +CcUninitializeCacheMap +CcUnmapFileOffsetFromSystemCache +CcUnpinData +CcUnpinDataForThread +CcUnpinRepinnedBcb +CcUnregisterExternalCache +CcWaitForCurrentLazyWriterActivity +CcZeroData +CcZeroDataOnDisk +CmCallbackGetKeyObjectID +CmCallbackGetKeyObjectIDEx +CmCallbackReleaseKeyObjectIDEx +CmGetBoundTransaction +CmGetCallbackVersion +CmKeyObjectType DATA +CmRegisterCallback +CmRegisterCallbackEx +CmSetCallbackObjectContext +CmUnRegisterCallback +DbgBreakPoint +DbgBreakPointWithStatus +DbgCommandString +DbgLoadImageSymbols +DbgPrint +DbgPrintEx +DbgPrintReturnControlC +DbgPrompt +DbgQueryDebugFilterState +DbgSetDebugFilterState +DbgSetDebugPrintCallback +DbgkLkmdRegisterCallback +DbgkLkmdUnregisterCallback +DbgkWerCaptureLiveKernelDump +EmClientQueryRuleState +EmClientRuleDeregisterNotification +EmClientRuleEvaluate +EmClientRuleRegisterNotification +EmProviderDeregister +EmProviderDeregisterEntry +EmProviderRegister +EmProviderRegisterEntry +EmpProviderRegister +EtwActivityIdControl +EtwEnableTrace +EtwEventEnabled +EtwProviderEnabled +EtwRegister +EtwRegisterClassicProvider +EtwSendTraceBuffer +EtwUnregister +EtwWrite +EtwWriteEndScenario +EtwWriteEx +EtwWriteStartScenario +EtwWriteString +EtwWriteTransfer +ExAcquireCacheAwarePushLockExclusive +ExAcquireCacheAwarePushLockExclusiveEx +ExAcquireCacheAwarePushLockSharedEx +ExAcquireFastMutex +ExAcquireFastMutexUnsafe +ExAcquirePushLockExclusiveEx +ExAcquirePushLockSharedEx +ExAcquireResourceExclusiveLite +ExAcquireResourceSharedLite +ExAcquireRundownProtection +ExAcquireRundownProtectionCacheAware +ExAcquireRundownProtectionCacheAwareEx +ExAcquireRundownProtectionEx +ExAcquireSharedStarveExclusive +ExAcquireSharedWaitForExclusive +ExAcquireSpinLockExclusive +ExAcquireSpinLockExclusiveAtDpcLevel +ExAcquireSpinLockShared +ExAcquireSpinLockSharedAtDpcLevel +ExAllocateCacheAwarePushLock +ExAllocateCacheAwareRundownProtection +ExAllocatePool +ExAllocatePoolWithQuota +ExAllocatePoolWithQuotaTag +ExAllocatePoolWithTag +ExAllocatePoolWithTagPriority +ExAllocateTimer +ExBlockOnAddressPushLock +ExBlockPushLock +ExCancelTimer +ExCompositionObjectType DATA +ExConvertExclusiveToSharedLite +ExCreateCallback +ExDeleteLookasideListEx +ExDeleteNPagedLookasideList +ExDeletePagedLookasideList +ExDeleteResourceLite +ExDeleteTimer +ExDesktopObjectType DATA +ExDisableResourceBoostLite +ExEnterCriticalRegionAndAcquireFastMutexUnsafe +ExEnterCriticalRegionAndAcquireResourceExclusive +ExEnterCriticalRegionAndAcquireResourceShared +ExEnterCriticalRegionAndAcquireSharedWaitForExclusive +ExEnterPriorityRegionAndAcquireResourceExclusive +ExEnterPriorityRegionAndAcquireResourceShared +ExEnumHandleTable +ExEventObjectType DATA +ExExtendZone +ExFetchLicenseData +ExFlushLookasideListEx +ExFreeCacheAwarePushLock +ExFreeCacheAwareRundownProtection +ExFreePool +ExFreePoolWithTag +ExGetCurrentProcessorCounts +ExGetCurrentProcessorCpuUsage +ExGetExclusiveWaiterCount +ExGetFirmwareEnvironmentVariable +ExGetLicenseTamperState +ExGetPreviousMode +ExGetSharedWaiterCount +ExInitializeLookasideListEx +ExInitializeNPagedLookasideList +ExInitializePagedLookasideList +ExInitializePushLock +ExInitializeResourceLite +ExInitializeRundownProtection +ExInitializeRundownProtectionCacheAware +ExInitializeZone +ExInterlockedAddLargeInteger +ExInterlockedAddUlong +ExInterlockedExtendZone +ExInterlockedInsertHeadList +ExInterlockedInsertTailList +ExInterlockedPopEntryList +ExInterlockedPushEntryList +ExInterlockedRemoveHeadList +ExIsProcessorFeaturePresent +ExIsResourceAcquiredExclusiveLite +ExIsResourceAcquiredSharedLite +ExLocalTimeToSystemTime +ExNotifyBootDeviceRemoval +ExNotifyCallback +ExQueryDepthSList +ExQueryFastCacheAppOrigin +ExQueryFastCacheDevLicense +ExQueryPoolBlockSize +ExQueryTimerResolution +ExQueryWnfStateData +ExQueueWorkItem +ExRaiseAccessViolation +ExRaiseDatatypeMisalignment +ExRaiseException +ExRaiseHardError +ExRaiseStatus +ExReInitializeRundownProtection +ExReInitializeRundownProtectionCacheAware +ExRealTimeIsUniversal +ExRegisterBootDevice +ExRegisterCallback +ExRegisterExtension +ExReinitializeResourceLite +ExReleaseCacheAwarePushLockExclusive +ExReleaseCacheAwarePushLockExclusiveEx +ExReleaseCacheAwarePushLockSharedEx +ExReleaseFastMutex +ExReleaseFastMutexUnsafe +ExReleaseFastMutexUnsafeAndLeaveCriticalRegion +ExReleasePushLockEx +ExReleasePushLockExclusiveEx +ExReleasePushLockSharedEx +ExReleaseResourceAndLeaveCriticalRegion +ExReleaseResourceAndLeavePriorityRegion +ExReleaseResourceForThreadLite +ExReleaseResourceLite +ExReleaseRundownProtection +ExReleaseRundownProtectionCacheAware +ExReleaseRundownProtectionCacheAwareEx +ExReleaseRundownProtectionEx +ExReleaseSpinLockExclusive +ExReleaseSpinLockExclusiveFromDpcLevel +ExReleaseSpinLockShared +ExReleaseSpinLockSharedFromDpcLevel +ExRundownCompleted +ExRundownCompletedCacheAware +ExSemaphoreObjectType DATA +ExSetFirmwareEnvironmentVariable +ExSetLicenseTamperState +ExSetResourceOwnerPointer +ExSetResourceOwnerPointerEx +ExSetTimer +ExSetTimerResolution +ExSizeOfRundownProtectionCacheAware +ExSubscribeWnfStateChange +ExSystemExceptionFilter +ExSystemTimeToLocalTime +ExTimedWaitForUnblockPushLock +ExTryAcquirePushLockExclusiveEx +ExTryAcquirePushLockSharedEx +ExTryConvertPushLockSharedToExclusiveEx +ExTryConvertSharedSpinLockExclusive +ExTryQueueWorkItem +ExTryToAcquireFastMutex +ExTryToAcquireResourceExclusiveLite +ExUnblockOnAddressPushLockEx +ExUnblockPushLockEx +ExUnregisterCallback +ExUnregisterExtension +ExUnsubscribeWnfStateChange +ExUuidCreate +ExVerifySuite +ExWaitForRundownProtectionRelease +ExWaitForRundownProtectionReleaseCacheAware +ExWaitForUnblockPushLock +ExWindowStationObjectType DATA +ExfAcquirePushLockExclusive +ExfAcquirePushLockShared +ExfReleasePushLock +ExfReleasePushLockExclusive +ExfReleasePushLockShared +ExfTryAcquirePushLockShared +ExfTryToWakePushLock +ExfUnblockPushLock +ExpInterlockedFlushSList +ExpInterlockedPopEntrySList +ExpInterlockedPushEntrySList +FirstEntrySList +FsRtlAcknowledgeEcp +FsRtlAcquireEofLock +FsRtlAcquireFileExclusive +FsRtlAcquireHeaderMutex +FsRtlAddBaseMcbEntry +FsRtlAddBaseMcbEntryEx +FsRtlAddLargeMcbEntry +FsRtlAddMcbEntry +FsRtlAddToTunnelCache +FsRtlAllocateExtraCreateParameter +FsRtlAllocateExtraCreateParameterFromLookasideList +FsRtlAllocateExtraCreateParameterList +FsRtlAllocateFileLock +FsRtlAllocatePool +FsRtlAllocatePoolWithQuota +FsRtlAllocatePoolWithQuotaTag +FsRtlAllocatePoolWithTag +FsRtlAllocateResource +FsRtlAreNamesEqual +FsRtlAreThereCurrentOrInProgressFileLocks +FsRtlAreThereWaitingFileLocks +FsRtlAreVolumeStartupApplicationsComplete +FsRtlBalanceReads +FsRtlCancellableWaitForMultipleObjects +FsRtlCancellableWaitForSingleObject +FsRtlChangeBackingFileObject +FsRtlCheckLockForOplockRequest +FsRtlCheckLockForReadAccess +FsRtlCheckLockForWriteAccess +FsRtlCheckOplock +FsRtlCheckOplockEx +FsRtlCheckUpperOplock +FsRtlCopyRead +FsRtlCopyWrite +FsRtlCreateSectionForDataScan +FsRtlCurrentBatchOplock +FsRtlCurrentOplock +FsRtlCurrentOplockH +FsRtlDeleteExtraCreateParameterLookasideList +FsRtlDeleteKeyFromTunnelCache +FsRtlDeleteTunnelCache +FsRtlDeregisterUncProvider +FsRtlDismountComplete +FsRtlDissectDbcs +FsRtlDissectName +FsRtlDoesDbcsContainWildCards +FsRtlDoesNameContainWildCards +FsRtlFastCheckLockForRead +FsRtlFastCheckLockForWrite +FsRtlFastUnlockAll +FsRtlFastUnlockAllByKey +FsRtlFastUnlockSingle +FsRtlFindExtraCreateParameter +FsRtlFindInTunnelCache +FsRtlFreeExtraCreateParameter +FsRtlFreeExtraCreateParameterList +FsRtlFreeFileLock +FsRtlGetEcpListFromIrp +FsRtlGetFileNameInformation +FsRtlGetFileSize +FsRtlGetIoAtEof +FsRtlGetNextBaseMcbEntry +FsRtlGetNextExtraCreateParameter +FsRtlGetNextFileLock +FsRtlGetNextLargeMcbEntry +FsRtlGetNextMcbEntry +FsRtlGetSectorSizeInformation +FsRtlGetSupportedFeatures +FsRtlGetVirtualDiskNestingLevel +FsRtlHeatInit +FsRtlHeatLogIo +FsRtlHeatLogTierMove +FsRtlHeatUninit +FsRtlIncrementCcFastMdlReadWait +FsRtlIncrementCcFastReadNoWait +FsRtlIncrementCcFastReadNotPossible +FsRtlIncrementCcFastReadResourceMiss +FsRtlIncrementCcFastReadWait +FsRtlInitExtraCreateParameterLookasideList +FsRtlInitializeBaseMcb +FsRtlInitializeBaseMcbEx +FsRtlInitializeEofLock +FsRtlInitializeExtraCreateParameter +FsRtlInitializeExtraCreateParameterList +FsRtlInitializeFileLock +FsRtlInitializeLargeMcb +FsRtlInitializeMcb +FsRtlInitializeOplock +FsRtlInitializeTunnelCache +FsRtlInsertExtraCreateParameter +FsRtlInsertPerFileContext +FsRtlInsertPerFileObjectContext +FsRtlInsertPerStreamContext +FsRtlInsertReservedPerFileContext +FsRtlInsertReservedPerStreamContext +FsRtlIsDbcsInExpression +FsRtlIsEcpAcknowledged +FsRtlIsEcpFromUserMode +FsRtlIsFatDbcsLegal +FsRtlIsHpfsDbcsLegal +FsRtlIsNameInExpression +FsRtlIsNtstatusExpected +FsRtlIsPagingFile +FsRtlIsSystemPagingFile +FsRtlIsTotalDeviceFailure +FsRtlIssueDeviceIoControl +FsRtlKernelFsControlFile +FsRtlLegalAnsiCharacterArray DATA +FsRtlLogCcFlushError +FsRtlLookupBaseMcbEntry +FsRtlLookupLargeMcbEntry +FsRtlLookupLastBaseMcbEntry +FsRtlLookupLastBaseMcbEntryAndIndex +FsRtlLookupLastLargeMcbEntry +FsRtlLookupLastLargeMcbEntryAndIndex +FsRtlLookupLastMcbEntry +FsRtlLookupMcbEntry +FsRtlLookupPerFileContext +FsRtlLookupPerFileObjectContext +FsRtlLookupPerStreamContextInternal +FsRtlLookupReservedPerFileContext +FsRtlLookupReservedPerStreamContext +FsRtlMdlRead +FsRtlMdlReadComplete +FsRtlMdlReadCompleteDev +FsRtlMdlReadDev +FsRtlMdlReadEx +FsRtlMdlWriteComplete +FsRtlMdlWriteCompleteDev +FsRtlMupGetProviderIdFromName +FsRtlMupGetProviderInfoFromFileObject +FsRtlNormalizeNtstatus +FsRtlNotifyChangeDirectory +FsRtlNotifyCleanup +FsRtlNotifyCleanupAll +FsRtlNotifyFilterChangeDirectory +FsRtlNotifyFilterReportChange +FsRtlNotifyFullChangeDirectory +FsRtlNotifyFullReportChange +FsRtlNotifyInitializeSync +FsRtlNotifyReportChange +FsRtlNotifyUninitializeSync +FsRtlNotifyVolumeEvent +FsRtlNotifyVolumeEventEx +FsRtlNumberOfRunsInBaseMcb +FsRtlNumberOfRunsInLargeMcb +FsRtlNumberOfRunsInMcb +FsRtlOplockBreakH +FsRtlOplockBreakToNone +FsRtlOplockBreakToNoneEx +FsRtlOplockFsctrl +FsRtlOplockFsctrlEx +FsRtlOplockIsFastIoPossible +FsRtlOplockIsSharedRequest +FsRtlOplockKeysEqual +FsRtlPostPagingFileStackOverflow +FsRtlPostStackOverflow +FsRtlPrepareMdlWrite +FsRtlPrepareMdlWriteDev +FsRtlPrepareMdlWriteEx +FsRtlPrepareToReuseEcp +FsRtlPrivateLock +FsRtlProcessFileLock +FsRtlQueryCachedVdl +FsRtlQueryKernelEaFile +FsRtlQueryMaximumVirtualDiskNestingLevel +FsRtlRegisterFileSystemFilterCallbacks +FsRtlRegisterFltMgrCalls +FsRtlRegisterMupCalls +FsRtlRegisterUncProvider +FsRtlRegisterUncProviderEx +FsRtlReleaseEofLock +FsRtlReleaseFile +FsRtlReleaseFileNameInformation +FsRtlReleaseHeaderMutex +FsRtlRemoveBaseMcbEntry +FsRtlRemoveDotsFromPath +FsRtlRemoveExtraCreateParameter +FsRtlRemoveLargeMcbEntry +FsRtlRemoveMcbEntry +FsRtlRemovePerFileContext +FsRtlRemovePerFileObjectContext +FsRtlRemovePerStreamContext +FsRtlRemoveReservedPerFileContext +FsRtlRemoveReservedPerStreamContext +FsRtlResetBaseMcb +FsRtlResetLargeMcb +FsRtlSendModernAppTermination +FsRtlSetEcpListIntoIrp +FsRtlSetKernelEaFile +FsRtlSplitBaseMcb +FsRtlSplitLargeMcb +FsRtlSyncVolumes +FsRtlTeardownPerFileContexts +FsRtlTeardownPerStreamContexts +FsRtlTruncateBaseMcb +FsRtlTruncateLargeMcb +FsRtlTruncateMcb +FsRtlTryToAcquireHeaderMutex +FsRtlUninitializeBaseMcb +FsRtlUninitializeFileLock +FsRtlUninitializeLargeMcb +FsRtlUninitializeMcb +FsRtlUninitializeOplock +FsRtlUpdateDiskCounters +FsRtlUpperOplockFsctrl +FsRtlValidateReparsePointBuffer +HalDispatchTable DATA +HalExamineMBR +HalFlushIoBuffers +HalPrivateDispatchTable DATA +HeadlessDispatch +HvlGetLpIndexFromApicId +HvlQueryActiveHypervisorProcessorCount +HvlQueryActiveProcessors +HvlQueryConnection +HvlQueryHypervisorProcessorNodeNumber +HvlQueryNumaDistance +HvlQueryProcessorTopology +HvlQueryProcessorTopologyCount +HvlQueryProcessorTopologyHighestId +HvlRegisterInterruptCallback +HvlRegisterWheaErrorNotification +HvlUnregisterInterruptCallback +HvlUnregisterWheaErrorNotification +InbvAcquireDisplayOwnership +InbvCheckDisplayOwnership +InbvDisplayString +InbvEnableBootDriver +InbvEnableDisplayString +InbvInstallDisplayStringFilter +InbvIsBootDriverInstalled +InbvNotifyDisplayOwnershipChange +InbvNotifyDisplayOwnershipLost +InbvResetDisplay +InbvSetScrollRegion +InbvSetTextColor +InbvSolidColorFill +InitSafeBootMode DATA +InitializeSListHead +InterlockedPushListSList +IoAcquireCancelSpinLock +IoAcquireRemoveLockEx +IoAcquireVpbSpinLock +IoAdapterObjectType DATA +IoAdjustStackSizeForRedirection +IoAllocateAdapterChannel +IoAllocateController +IoAllocateDriverObjectExtension +IoAllocateErrorLogEntry +IoAllocateIrp +IoAllocateMdl +IoAllocateMiniCompletionPacket +IoAllocateSfioStreamIdentifier +IoAllocateWorkItem +IoApplyPriorityInfoThread +IoAssignResources +IoAttachDevice +IoAttachDeviceByPointer +IoAttachDeviceToDeviceStack +IoAttachDeviceToDeviceStackSafe +IoBoostThreadIo +IoBuildAsynchronousFsdRequest +IoBuildDeviceIoControlRequest +IoBuildPartialMdl +IoBuildSynchronousFsdRequest +IoCallDriver +IoCancelFileOpen +IoCancelIrp +IoCheckDesiredAccess +IoCheckEaBufferValidity +IoCheckFunctionAccess +IoCheckQuerySetFileInformation +IoCheckQuerySetVolumeInformation +IoCheckQuotaBufferValidity +IoCheckShareAccess +IoCheckShareAccessEx +IoClearActivityIdThread +IoClearDependency +IoClearIrpExtraCreateParameter +IoCompleteRequest +IoCompletionObjectType DATA +IoConnectInterrupt +IoConnectInterruptEx +IoConvertFileHandleToKernelHandle +IoCopyDeviceObjectHint +IoCreateArcName +IoCreateController +IoCreateDevice +IoCreateDisk +IoCreateDriver +IoCreateFile +IoCreateFileEx +IoCreateFileSpecifyDeviceObjectHint +IoCreateNotificationEvent +IoCreateStreamFileObject +IoCreateStreamFileObjectEx +IoCreateStreamFileObjectEx2 +IoCreateStreamFileObjectLite +IoCreateSymbolicLink +IoCreateSynchronizationEvent +IoCreateSystemThread +IoCreateUnprotectedSymbolicLink +IoCsqInitialize +IoCsqInitializeEx +IoCsqInsertIrp +IoCsqInsertIrpEx +IoCsqRemoveIrp +IoCsqRemoveNextIrp +IoDecrementKeepAliveCount +IoDeleteAllDependencyRelations +IoDeleteController +IoDeleteDevice +IoDeleteDriver +IoDeleteSymbolicLink +IoDetachDevice +IoDeviceHandlerObjectSize DATA +IoDeviceHandlerObjectType DATA +IoDeviceObjectType DATA +IoDisconnectInterrupt +IoDisconnectInterruptEx +IoDriverObjectType DATA +IoDuplicateDependency +IoEnqueueIrp +IoEnumerateDeviceObjectList +IoEnumerateRegisteredFiltersList +IoFastQueryNetworkAttributes +IoFileObjectType DATA +IoForwardAndCatchIrp +IoForwardIrpSynchronously +IoFreeController +IoFreeErrorLogEntry +IoFreeIrp +IoFreeMdl +IoFreeMiniCompletionPacket +IoFreeSfioStreamIdentifier +IoFreeWorkItem +IoGetActivityIdIrp +IoGetActivityIdThread +IoGetAffinityInterrupt +IoGetAttachedDevice +IoGetAttachedDeviceReference +IoGetBaseFileSystemDeviceObject +IoGetBootDiskInformation +IoGetBootDiskInformationLite +IoGetConfigurationInformation +IoGetContainerInformation +IoGetCurrentProcess +IoGetDeviceAttachmentBaseRef +IoGetDeviceInterfaceAlias +IoGetDeviceInterfacePropertyData +IoGetDeviceInterfaces +IoGetDeviceNumaNode +IoGetDeviceObjectPointer +IoGetDeviceProperty +IoGetDevicePropertyData +IoGetDeviceToVerify +IoGetDiskDeviceObject +IoGetDmaAdapter +IoGetDriverObjectExtension +IoGetFileObjectGenericMapping +IoGetGenericIrpExtension +IoGetInitialStack +IoGetInitiatorProcess +IoGetIoPriorityHint +IoGetIrpExtraCreateParameter +IoGetLowerDeviceObject +IoGetOplockKeyContext +IoGetOplockKeyContextEx +IoGetPagingIoPriority +IoGetRelatedDeviceObject +IoGetRequestorProcess +IoGetRequestorProcessId +IoGetRequestorSessionId +IoGetSfioStreamIdentifier +IoGetStackLimits +IoGetSymlinkSupportInformation +IoGetTopLevelIrp +IoGetTransactionParameterBlock +IoIncrementKeepAliveCount +IoInitializeIrp +IoInitializeMiniCompletionPacket +IoInitializeRemoveLockEx +IoInitializeWorkItem +IoInvalidateDeviceRelations +IoInvalidateDeviceState +IoIsActivityTracingEnabled +IoIsFileObjectIgnoringSharing +IoIsFileOriginRemote +IoIsOperationSynchronous +IoIsSystemThread +IoIsValidIrpStatus +IoIsWdmVersionAvailable +IoMakeAssociatedIrp +IoOpenDeviceInterfaceRegistryKey +IoOpenDeviceRegistryKey +IoPageRead +IoPropagateActivityIdToThread +IoPropagateIrpExtension +IoQueryDeviceDescription +IoQueryFileDosDeviceName +IoQueryFileInformation +IoQueryFullDriverPath +IoQueryVolumeInformation +IoQueueThreadIrp +IoQueueWorkItem +IoQueueWorkItemEx +IoQueueWorkItemToNode +IoRaiseHardError +IoRaiseInformationalHardError +IoReadDiskSignature +IoReadOperationCount DATA +IoReadPartitionTable +IoReadPartitionTableEx +IoReadTransferCount DATA +IoRegisterBootDriverCallback +IoRegisterBootDriverReinitialization +IoRegisterContainerNotification +IoRegisterDeviceInterface +IoRegisterDriverReinitialization +IoRegisterFileSystem +IoRegisterFsRegistrationChange +IoRegisterFsRegistrationChangeMountAware +IoRegisterIoTracking +IoRegisterLastChanceShutdownNotification +IoRegisterPlugPlayNotification +IoRegisterPriorityCallback +IoRegisterShutdownNotification +IoReleaseCancelSpinLock +IoReleaseRemoveLockAndWaitEx +IoReleaseRemoveLockEx +IoReleaseVpbSpinLock +IoRemoveShareAccess +IoReplaceFileObjectName +IoReplacePartitionUnit +IoReportDetectedDevice +IoReportHalResourceUsage +IoReportInterruptActive +IoReportInterruptInactive +IoReportResourceForDetection +IoReportResourceUsage +IoReportRootDevice +IoReportTargetDeviceChange +IoReportTargetDeviceChangeAsynchronous +IoRequestDeviceEject +IoRequestDeviceEjectEx +IoReserveDependency +IoResolveDependency +IoRetrievePriorityInfo +IoReuseIrp +IoSetActivityIdIrp +IoSetActivityIdThread +IoSetCompletionRoutineEx +IoSetDependency +IoSetDeviceInterfacePropertyData +IoSetDeviceInterfaceState +IoSetDevicePropertyData +IoSetDeviceToVerify +IoSetFileObjectIgnoreSharing +IoSetFileOrigin +IoSetGenericIrpExtension +IoSetHardErrorOrVerifyDevice +IoSetInformation +IoSetIoCompletion +IoSetIoCompletionEx +IoSetIoPriorityHint +IoSetIoPriorityHintIntoFileObject +IoSetIoPriorityHintIntoThread +IoSetIrpExtraCreateParameter +IoSetMasterIrpStatus +IoSetPartitionInformation +IoSetPartitionInformationEx +IoSetShareAccess +IoSetShareAccessEx +IoSetStartIoAttributes +IoSetSystemPartition +IoSetThreadHardErrorMode +IoSetTopLevelIrp +IoSizeofGenericIrpExtension +IoSizeofWorkItem +IoStartNextPacket +IoStartNextPacketByKey +IoStartPacket +IoStatisticsLock DATA +IoSynchronousCallDriver +IoSynchronousInvalidateDeviceRelations +IoSynchronousPageWrite +IoTestDependency +IoThreadToProcess +IoTransferActivityId +IoTranslateBusAddress +IoTryQueueWorkItem +IoUninitializeWorkItem +IoUnregisterBootDriverCallback +IoUnregisterContainerNotification +IoUnregisterFileSystem +IoUnregisterFsRegistrationChange +IoUnregisterIoTracking +IoUnregisterPlugPlayNotification +IoUnregisterPlugPlayNotificationEx +IoUnregisterPriorityCallback +IoUnregisterShutdownNotification +IoUpdateShareAccess +IoValidateDeviceIoControlAccess +IoVerifyPartitionTable +IoVerifyVolume +IoVolumeDeviceToDosName +IoVolumeDeviceToGuid +IoVolumeDeviceToGuidPath +IoWMIAllocateInstanceIds +IoWMIDeviceObjectToInstanceName +IoWMIExecuteMethod +IoWMIHandleToInstanceName +IoWMIOpenBlock +IoWMIQueryAllData +IoWMIQueryAllDataMultiple +IoWMIQuerySingleInstance +IoWMIQuerySingleInstanceMultiple +IoWMIRegistrationControl +IoWMISetNotificationCallback +IoWMISetSingleInstance +IoWMISetSingleItem +IoWMISuggestInstanceName +IoWMIWriteEvent +IoWithinStackLimits +IoWriteErrorLogEntry +IoWriteOperationCount DATA +IoWritePartitionTable +IoWritePartitionTableEx +IoWriteTransferCount DATA +IofCallDriver +IofCompleteRequest +KdAcquireDebuggerLock +KdChangeOption +KdDebuggerEnabled DATA +KdDebuggerNotPresent DATA +KdDeregisterPowerHandler +KdDisableDebugger +KdEnableDebugger +KdEnteredDebugger DATA +KdLogDbgPrint +KdPollBreakIn +KdPowerTransition +KdRefreshDebuggerNotPresent +KdRegisterPowerHandler +KdReleaseDebuggerLock +KdSystemDebugControl +KeAcquireGuardedMutex +KeAcquireGuardedMutexUnsafe +KeAcquireInStackQueuedSpinLock +KeAcquireInStackQueuedSpinLockAtDpcLevel +KeAcquireInStackQueuedSpinLockForDpc +KeAcquireInterruptSpinLock +KeAcquireQueuedSpinLock +KeAcquireSpinLockAtDpcLevel +KeAcquireSpinLockForDpc +KeAcquireSpinLockRaiseToDpc +KeAcquireSpinLockRaiseToSynch +KeAddGroupAffinityEx +KeAddProcessorAffinityEx +KeAddProcessorGroupAffinity +KeAddSystemServiceTable +KeAlertThread +KeAllocateCalloutStack +KeAllocateCalloutStackEx +KeAndAffinityEx +KeAndGroupAffinityEx +KeAreAllApcsDisabled +KeAreApcsDisabled +KeAttachProcess +KeBugCheck +KeBugCheckEx +KeCancelTimer +KeCapturePersistentThreadState +KeCheckProcessorAffinityEx +KeCheckProcessorGroupAffinity +KeClearEvent +KeClockInterruptNotify +KeClockTimerPowerChange +KeComplementAffinityEx +KeCopyAffinityEx +KeCountSetBitsAffinityEx +KeCountSetBitsGroupAffinity +KeDelayExecutionThread +KeDeregisterBugCheckCallback +KeDeregisterBugCheckReasonCallback +KeDeregisterNmiCallback +KeDeregisterProcessorChangeCallback +KeDetachProcess +KeDispatchSecondaryInterrupt +KeEnterCriticalRegion +KeEnterGuardedRegion +KeEnterKernelDebugger +KeEnumerateNextProcessor +KeExpandKernelStackAndCallout +KeExpandKernelStackAndCalloutEx +KeFindConfigurationEntry +KeFindConfigurationNextEntry +KeFindFirstSetLeftAffinityEx +KeFindFirstSetLeftGroupAffinity +KeFindFirstSetRightAffinityEx +KeFindFirstSetRightGroupAffinity +KeFirstGroupAffinityEx +KeFlushEntireTb +KeFlushIoBuffers +KeFlushIoRectangle +KeFlushQueuedDpcs +KeFreeCalloutStack +KeGenericCallDpc +KeGetClockOwner +KeGetClockTimerResolution +KeGetCurrentNodeNumber +KeGetCurrentProcessorNumberEx +KeGetCurrentThread +KeGetNextClockTickDuration +KeGetProcessorIndexFromNumber +KeGetProcessorNumberFromIndex +KeGetRecommendedSharedDataAlignment +KeHwPolicyLocateResource +KeInitializeAffinityEx +KeInitializeApc +KeInitializeCrashDumpHeader +KeInitializeDeviceQueue +KeInitializeDpc +KeInitializeEnumerationContext +KeInitializeEnumerationContextFromGroup +KeInitializeEvent +KeInitializeGuardedMutex +KeInitializeInterrupt +KeInitializeMutant +KeInitializeMutex +KeInitializeQueue +KeInitializeSecondaryInterruptServices +KeInitializeSemaphore +KeInitializeSpinLock +KeInitializeThreadedDpc +KeInitializeTimer +KeInitializeTimerEx +KeInsertByKeyDeviceQueue +KeInsertDeviceQueue +KeInsertHeadQueue +KeInsertQueue +KeInsertQueueApc +KeInsertQueueDpc +KeInterlockedClearProcessorAffinityEx +KeInterlockedSetProcessorAffinityEx +KeInvalidateAllCaches +KeInvalidateRangeAllCaches +KeIpiGenericCall +KeIsAttachedProcess +KeIsEmptyAffinityEx +KeIsEqualAffinityEx +KeIsExecutingDpc +KeIsSingleGroupAffinityEx +KeIsSubsetAffinityEx +KeIsWaitListEmpty +KeLeaveCriticalRegion +KeLeaveGuardedRegion +KeLoaderBlock DATA +KeNumberProcessors DATA +KeOrAffinityEx +KeProcessorGroupAffinity +KeProfileInterruptWithSource +KePulseEvent +KeQueryActiveGroupCount +KeQueryActiveProcessorAffinity +KeQueryActiveProcessorCount +KeQueryActiveProcessorCountEx +KeQueryActiveProcessors +KeQueryDpcWatchdogInformation +KeQueryEffectivePriorityThread +KeQueryGroupAffinity +KeQueryGroupAffinityEx +KeQueryHardwareCounterConfiguration +KeQueryHighestNodeNumber +KeQueryInterruptTime +KeQueryInterruptTimePrecise +KeQueryLogicalProcessorRelationship +KeQueryMaximumGroupCount +KeQueryMaximumProcessorCount +KeQueryMaximumProcessorCountEx +KeQueryNodeActiveAffinity +KeQueryNodeMaximumProcessorCount +KeQueryPrcbAddress +KeQueryPriorityThread +KeQueryRuntimeThread +KeQuerySystemTime +KeQuerySystemTimePrecise +KeQueryTickCount +KeQueryTimeIncrement +KeQueryTotalCycleTimeThread +KeQueryUnbiasedInterruptTime +KeRaiseUserException +KeReadStateEvent +KeReadStateMutant +KeReadStateMutex +KeReadStateQueue +KeReadStateSemaphore +KeReadStateTimer +KeRegisterBugCheckCallback +KeRegisterBugCheckReasonCallback +KeRegisterNmiCallback +KeRegisterProcessorChangeCallback +KeReleaseGuardedMutex +KeReleaseGuardedMutexUnsafe +KeReleaseInStackQueuedSpinLock +KeReleaseInStackQueuedSpinLockForDpc +KeReleaseInStackQueuedSpinLockFromDpcLevel +KeReleaseInterruptSpinLock +KeReleaseMutant +KeReleaseMutex +KeReleaseQueuedSpinLock +KeReleaseSemaphore +KeReleaseSpinLock +KeReleaseSpinLockForDpc +KeReleaseSpinLockFromDpcLevel +KeRemoveByKeyDeviceQueue +KeRemoveByKeyDeviceQueueIfBusy +KeRemoveDeviceQueue +KeRemoveEntryDeviceQueue +KeRemoveGroupAffinityEx +KeRemoveProcessorAffinityEx +KeRemoveProcessorGroupAffinity +KeRemoveQueue +KeRemoveQueueDpc +KeRemoveQueueDpcEx +KeRemoveQueueEx +KeRemoveSystemServiceTable +KeResetEvent +KeRestoreExtendedProcessorState +KeRestoreFloatingPointState +KeRestoreProcessorState +KeRevertToUserAffinityThread +KeRevertToUserAffinityThreadEx +KeRevertToUserGroupAffinityThread +KeRundownQueue +KeSaveExtendedProcessorState +KeSaveFloatingPointState +KeSaveStateForHibernate +KeSetActualBasePriorityThread +KeSetAffinityThread +KeSetBasePriorityThread +KeSetCoalescableTimer +KeSetEvent +KeSetEventBoostPriority +KeSetHardwareCounterConfiguration +KeSetIdealProcessorThread +KeSetImportanceDpc +KeSetKernelStackSwapEnable +KeSetPriorityThread +KeSetProfileIrql +KeSetSystemAffinityThread +KeSetSystemAffinityThreadEx +KeSetSystemGroupAffinityThread +KeSetTargetProcessorDpc +KeSetTargetProcessorDpcEx +KeSetTimer +KeSetTimerEx +KeSignalCallDpcDone +KeSignalCallDpcSynchronize +KeStackAttachProcess +KeStallWhileFrozen +KeStartDynamicProcessor +KeSubtractAffinityEx +KeSweepIcacheRange +KeSweepLocalCaches +KeSynchronizeExecution +KeTestAlertThread +KeTestSpinLock +KeTickCount DATA +KeTryToAcquireGuardedMutex +KeTryToAcquireQueuedSpinLock +KeTryToAcquireSpinLockAtDpcLevel +KeUnstackDetachProcess +KeUserModeCallback +KeWaitForMultipleObjects +KeWaitForMutexObject +KeWaitForSingleObject +KiBugCheckData DATA +KiCheckForKernelApcDelivery +KiConnectHalInterrupt +KiDeliverApc +KiDispatchInterrupt +KiIpiServiceRoutine +KiReplayInterrupt +KitLogFeatureUsage +KseQueryDeviceData +KseQueryDeviceDataList +KseQueryDeviceFlags +KseRegisterShim +KseRegisterShimEx +KseSetDeviceFlags +KseUnregisterShim +LdrAccessResource +LdrEnumResources +LdrFindResourceDirectory_U +LdrFindResourceEx_U +LdrFindResource_U +LdrResFindResource +LdrResFindResourceDirectory +LdrResSearchResource +LpcPortObjectType DATA +LpcReplyWaitReplyPort +LpcRequestPort +LpcRequestWaitReplyPort +LpcRequestWaitReplyPortEx +LpcSendWaitReceivePort +LsaCallAuthenticationPackage +LsaDeregisterLogonProcess +LsaFreeReturnBuffer +LsaLogonUser +LsaLookupAuthenticationPackage +LsaRegisterLogonProcess +Mm64BitPhysicalAddress DATA +MmAddPhysicalMemory +MmAddVerifierThunks +MmAdjustWorkingSetSize +MmAdvanceMdl +MmAllocateContiguousMemory +MmAllocateContiguousMemorySpecifyCache +MmAllocateContiguousMemorySpecifyCacheNode +MmAllocateContiguousNodeMemory +MmAllocateMappingAddress +MmAllocateMdlForIoSpace +MmAllocateNodePagesForMdlEx +MmAllocateNonCachedMemory +MmAllocatePagesForMdl +MmAllocatePagesForMdlEx +MmAreMdlPagesCached +MmBadPointer DATA +MmBuildMdlForNonPagedPool +MmCanFileBeTruncated +MmCommitSessionMappedView +MmCopyMemory +MmCopyVirtualMemory +MmCreateMdl +MmCreateMirror +MmCreateSection +MmDisableModifiedWriteOfSection +MmDoesFileHaveUserWritableReferences +MmFlushImageSection +MmForceSectionClosed +MmFreeContiguousMemory +MmFreeContiguousMemorySpecifyCache +MmFreeMappingAddress +MmFreeNonCachedMemory +MmFreePagesFromMdl +MmGetCacheAttribute +MmGetMaximumFileSectionSize +MmGetPhysicalAddress +MmGetPhysicalMemoryRanges +MmGetSystemRoutineAddress +MmGetVirtualForPhysical +MmGrowKernelStack +MmHighestUserAddress DATA +MmIsAddressValid +MmIsDriverSuspectForVerifier +MmIsDriverVerifying +MmIsDriverVerifyingByAddress +MmIsIoSpaceActive +MmIsNonPagedSystemAddressValid +MmIsRecursiveIoFault +MmIsThisAnNtAsSystem +MmIsVerifierEnabled +MmLockPagableDataSection +MmLockPagableImageSection +MmLockPagableSectionByHandle +MmMapIoSpace +MmMapLockedPages +MmMapLockedPagesSpecifyCache +MmMapLockedPagesWithReservedMapping +MmMapMemoryDumpMdl +MmMapUserAddressesToPage +MmMapViewInSessionSpace +MmMapViewInSessionSpaceEx +MmMapViewInSystemSpace +MmMapViewInSystemSpaceEx +MmMapViewOfSection +MmMarkPhysicalMemoryAsBad +MmMarkPhysicalMemoryAsGood +MmMdlPageContentsState +MmMdlPagesAreZero +MmPageEntireDriver +MmPrefetchPages +MmPrefetchVirtualAddresses +MmProbeAndLockPages +MmProbeAndLockProcessPages +MmProbeAndLockSelectedPages +MmProtectMdlSystemAddress +MmQuerySystemSize +MmRemovePhysicalMemory +MmResetDriverPaging +MmRotatePhysicalView +MmSectionObjectType DATA +MmSecureVirtualMemory +MmSetAddressRangeModified +MmSizeOfMdl +MmSystemRangeStart DATA +MmTrimAllSystemPagableMemory +MmUnlockPagableImageSection +MmUnlockPages +MmUnmapIoSpace +MmUnmapLockedPages +MmUnmapReservedMapping +MmUnmapViewInSessionSpace +MmUnmapViewInSystemSpace +MmUnmapViewOfSection +MmUnsecureVirtualMemory +MmUserProbeAddress DATA +NlsAnsiCodePage DATA +NlsLeadByteInfo DATA +NlsMbCodePageTag DATA +NlsMbOemCodePageTag DATA +NlsOemCodePage DATA +NlsOemLeadByteInfo DATA +NtAdjustPrivilegesToken +NtAllocateLocallyUniqueId +NtAllocateUuids +NtAllocateVirtualMemory +NtBuildGUID +NtBuildLab +NtBuildNumber +NtClose +NtCommitComplete +NtCommitEnlistment +NtCommitTransaction +NtConnectPort +NtCreateEnlistment +NtCreateEvent +NtCreateFile +NtCreateResourceManager +NtCreateSection +NtCreateTransaction +NtCreateTransactionManager +NtDeleteAtom +NtDeleteFile +NtDeviceIoControlFile +NtDuplicateObject +NtDuplicateToken +NtEnumerateTransactionObject +NtFindAtom +NtFreeVirtualMemory +NtFreezeTransactions +NtFsControlFile +NtGetEnvironmentVariableEx +NtGetNotificationResourceManager +NtGlobalFlag DATA +NtLockFile +NtMakePermanentObject +NtMapViewOfSection +NtNotifyChangeDirectoryFile +NtOpenEnlistment +NtOpenFile +NtOpenProcess +NtOpenProcessToken +NtOpenProcessTokenEx +NtOpenResourceManager +NtOpenThread +NtOpenThreadToken +NtOpenThreadTokenEx +NtOpenTransaction +NtOpenTransactionManager +NtPrePrepareComplete +NtPrePrepareEnlistment +NtPrepareComplete +NtPrepareEnlistment +NtPropagationComplete +NtPropagationFailed +NtQueryDirectoryFile +NtQueryEaFile +NtQueryEnvironmentVariableInfoEx +NtQueryInformationAtom +NtQueryInformationEnlistment +NtQueryInformationFile +NtQueryInformationProcess +NtQueryInformationResourceManager +NtQueryInformationThread +NtQueryInformationToken +NtQueryInformationTransaction +NtQueryInformationTransactionManager +NtQueryQuotaInformationFile +NtQuerySecurityAttributesToken +NtQuerySecurityObject +NtQuerySystemInformation +NtQuerySystemInformationEx +NtQueryVolumeInformationFile +NtReadFile +NtReadOnlyEnlistment +NtRecoverEnlistment +NtRecoverResourceManager +NtRecoverTransactionManager +NtRequestPort +NtRequestWaitReplyPort +NtRollbackComplete +NtRollbackEnlistment +NtRollbackTransaction +NtSetCachedSigningLevel +NtSetEaFile +NtSetEvent +NtSetInformationEnlistment +NtSetInformationFile +NtSetInformationProcess +NtSetInformationResourceManager +NtSetInformationThread +NtSetInformationToken +NtSetInformationTransaction +NtSetInformationVirtualMemory +NtSetQuotaInformationFile +NtSetSecurityObject +NtSetVolumeInformationFile +NtShutdownSystem +NtThawTransactions +NtTraceControl +NtTraceEvent +NtUnlockFile +NtVdmControl +NtWaitForSingleObject +NtWriteFile +ObAssignSecurity +ObCheckCreateObjectAccess +ObCheckObjectAccess +ObCloseHandle +ObCreateObject +ObCreateObjectType +ObDeleteCapturedInsertInfo +ObDereferenceObject +ObDereferenceObjectDeferDelete +ObDereferenceObjectDeferDeleteWithTag +ObDereferenceSecurityDescriptor +ObDuplicateObject +ObFindHandleForObject +ObGetFilterVersion +ObGetObjectSecurity +ObGetObjectType +ObInsertObject +ObIsDosDeviceLocallyMapped +ObIsKernelHandle +ObLogSecurityDescriptor +ObMakeTemporaryObject +ObOpenObjectByName +ObOpenObjectByPointer +ObOpenObjectByPointerWithTag +ObQueryNameInfo +ObQueryNameString +ObQueryObjectAuditingByHandle +ObReferenceObjectByHandle +ObReferenceObjectByHandleWithTag +ObReferenceObjectByName +ObReferenceObjectByPointer +ObReferenceObjectByPointerWithTag +ObReferenceObjectSafe +ObReferenceObjectSafeWithTag +ObReferenceSecurityDescriptor +ObRegisterCallbacks +ObReleaseObjectSecurity +ObSetHandleAttributes +ObSetSecurityDescriptorInfo +ObSetSecurityObjectByPointer +ObUnRegisterCallbacks +ObWaitForMultipleObjects +ObWaitForSingleObject +ObfDereferenceObject +ObfDereferenceObjectWithTag +ObfReferenceObject +ObfReferenceObjectWithTag +POGOBuffer DATA +PcwAddInstance +PcwCloseInstance +PcwCreateInstance +PcwRegister +PcwUnregister +PfFileInfoNotify +PfxFindPrefix +PfxInitialize +PfxInsertPrefix +PfxRemovePrefix +PoCallDriver +PoCancelDeviceNotify +PoClearPowerRequest +PoCreatePowerRequest +PoDeletePowerRequest +PoDisableSleepStates +PoEndDeviceBusy +PoFxActivateComponent +PoFxCompleteDevicePowerNotRequired +PoFxCompleteIdleCondition +PoFxCompleteIdleState +PoFxIdleComponent +PoFxNotifySurprisePowerOn +PoFxPowerControl +PoFxPowerOnCrashdumpDevice +PoFxProcessorNotification +PoFxRegisterCoreDevice +PoFxRegisterCrashdumpDevice +PoFxRegisterDevice +PoFxRegisterPlugin +PoFxRegisterPluginEx +PoFxRegisterPrimaryDevice +PoFxReportDevicePoweredOn +PoFxSetComponentLatency +PoFxSetComponentResidency +PoFxSetComponentWake +PoFxSetDeviceIdleTimeout +PoFxStartDevicePowerManagement +PoFxUnregisterDevice +PoGetProcessorIdleAccounting +PoGetSystemWake +PoInitiateProcessorWake +PoLatencySensitivityHint +PoNotifyVSyncChange +PoQueryWatchdogTime +PoQueueShutdownWorkItem +PoReenableSleepStates +PoRegisterCoalescingCallback +PoRegisterDeviceForIdleDetection +PoRegisterDeviceNotify +PoRegisterPowerSettingCallback +PoRegisterSystemState +PoRequestPowerIrp +PoRequestShutdownEvent +PoSetDeviceBusyEx +PoSetFixedWakeSource +PoSetHiberRange +PoSetPowerRequest +PoSetPowerState +PoSetSystemState +PoSetSystemWake +PoSetUserPresent +PoShutdownBugCheck +PoStartDeviceBusy +PoStartNextPowerIrp +PoUnregisterCoalescingCallback +PoUnregisterPowerSettingCallback +PoUnregisterSystemState +PoUserShutdownCancelled +PoUserShutdownInitiated +ProbeForRead +ProbeForWrite +PsAcquireProcessExitSynchronization +PsAssignImpersonationToken +PsChargePoolQuota +PsChargeProcessNonPagedPoolQuota +PsChargeProcessPagedPoolQuota +PsChargeProcessPoolQuota +PsChargeProcessWakeCounter +PsCreateSystemThread +PsCreateSystemThreadEx +PsDereferenceImpersonationToken +PsDereferenceKernelStack +PsDereferencePrimaryToken +PsDisableImpersonation +PsEnterPriorityRegion +PsEstablishWin32Callouts +PsGetContextThread +PsGetCurrentProcess +PsGetCurrentProcessId +PsGetCurrentProcessSessionId +PsGetCurrentProcessWin32Process +PsGetCurrentThread +PsGetCurrentThreadId +PsGetCurrentThreadPreviousMode +PsGetCurrentThreadProcess +PsGetCurrentThreadProcessId +PsGetCurrentThreadStackBase +PsGetCurrentThreadStackLimit +PsGetCurrentThreadTeb +PsGetCurrentThreadWin32Thread +PsGetCurrentThreadWin32ThreadAndEnterCriticalRegion +PsGetJobLock +PsGetJobSessionId +PsGetJobUIRestrictionsClass +PsGetProcessCommonJob +PsGetProcessCreateTimeQuadPart +PsGetProcessDebugPort +PsGetProcessExitProcessCalled +PsGetProcessExitStatus +PsGetProcessExitTime +PsGetProcessId +PsGetProcessImageFileName +PsGetProcessInheritedFromUniqueProcessId +PsGetProcessJob +PsGetProcessPeb +PsGetProcessPriorityClass +PsGetProcessProtection +PsGetProcessSectionBaseAddress +PsGetProcessSecurityPort +PsGetProcessSessionId +PsGetProcessSessionIdEx +PsGetProcessSignatureLevel +PsGetProcessWin32Process +PsGetProcessWin32WindowStation +PsGetThreadExitStatus +PsGetThreadFreezeCount +PsGetThreadHardErrorsAreDisabled +PsGetThreadId +PsGetThreadProcess +PsGetThreadProcessId +PsGetThreadSessionId +PsGetThreadTeb +PsGetThreadWin32Thread +PsGetVersion +PsImpersonateClient +PsInitialSystemProcess DATA +PsIsCurrentThreadPrefetching +PsIsDiskCountersEnabled +PsIsProcessBeingDebugged +PsIsProtectedProcess +PsIsProtectedProcessLight +PsIsSystemProcess +PsIsSystemThread +PsIsThreadImpersonating +PsIsThreadTerminating +PsJobType DATA +PsLeavePriorityRegion +PsLookupProcessByProcessId +PsLookupProcessThreadByCid +PsLookupThreadByThreadId +PsProcessType DATA +PsQueryProcessAttributesByToken +PsQueryProcessExceptionFlags +PsQueryTotalCycleTimeProcess +PsReferenceImpersonationToken +PsReferenceKernelStack +PsReferencePrimaryToken +PsReferenceProcessFilePointer +PsReleaseProcessExitSynchronization +PsReleaseProcessWakeCounter +PsRemoveCreateThreadNotifyRoutine +PsRemoveLoadImageNotifyRoutine +PsRestoreImpersonation +PsResumeProcess +PsReturnPoolQuota +PsReturnProcessNonPagedPoolQuota +PsReturnProcessPagedPoolQuota +PsRevertThreadToSelf +PsRevertToSelf +PsSetContextThread +PsSetCreateProcessNotifyRoutine +PsSetCreateProcessNotifyRoutineEx +PsSetCreateThreadNotifyRoutine +PsSetCurrentThreadPrefetching +PsSetLegoNotifyRoutine +PsSetLoadImageNotifyRoutine +PsSetProcessPriorityByClass +PsSetProcessPriorityClass +PsSetProcessSecurityPort +PsSetProcessWin32Process +PsSetProcessWindowStation +PsSetThreadHardErrorsAreDisabled +PsSetThreadWin32Thread +PsSuspendProcess +PsTerminateSystemThread +PsThreadType DATA +PsUILanguageComitted DATA +PsUpdateDiskCounters +PsWrapApcWow64Thread +ReadTimeStampCounter +RtlAbsoluteToSelfRelativeSD +RtlAddAccessAllowedAce +RtlAddAccessAllowedAceEx +RtlAddAce +RtlAddAtomToAtomTable +RtlAddAtomToAtomTableEx +RtlAddRange +RtlAddResourceAttributeAce +RtlAllocateHeap +RtlAnsiCharToUnicodeChar +RtlAnsiStringToUnicodeSize +RtlAnsiStringToUnicodeString +RtlAppendAsciizToString +RtlAppendStringToString +RtlAppendUnicodeStringToString +RtlAppendUnicodeToString +RtlAreAllAccessesGranted +RtlAreAnyAccessesGranted +RtlAreBitsClear +RtlAreBitsSet +RtlAssert +RtlAvlInsertNodeEx +RtlAvlRemoveNode +RtlCaptureContext +RtlCaptureStackBackTrace +RtlCharToInteger +RtlCheckPortableOperatingSystem +RtlCheckRegistryKey +RtlCheckTokenCapability +RtlCheckTokenMembership +RtlCheckTokenMembershipEx +RtlClearAllBits +RtlClearBit +RtlClearBits +RtlCmDecodeMemIoResource +RtlCmEncodeMemIoResource +RtlCompareAltitudes +RtlCompareMemory +RtlCompareMemoryUlong +RtlCompareString +RtlCompareUnicodeString +RtlCompareUnicodeStrings +RtlCompressBuffer +RtlCompressChunks +RtlComputeCrc32 +RtlContractHashTable +RtlConvertSidToUnicodeString +RtlCopyBitMap +RtlCopyLuid +RtlCopyLuidAndAttributesArray +RtlCopyMemory +RtlCopyRangeList +RtlCopySid +RtlCopySidAndAttributesArray +RtlCopyString +RtlCopyUnicodeString +RtlCrc32 +RtlCrc64 +RtlCreateAcl +RtlCreateAtomTable +RtlCreateAtomTableEx +RtlCreateHashTable +RtlCreateHashTableEx +RtlCreateHeap +RtlCreateRegistryKey +RtlCreateSecurityDescriptor +RtlCreateSystemVolumeInformationFolder +RtlCreateUnicodeString +RtlCreateUserThread +RtlCultureNameToLCID +RtlCustomCPToUnicodeN +RtlDecompressBuffer +RtlDecompressBufferEx +RtlDecompressChunks +RtlDecompressFragment +RtlDelete +RtlDeleteAce +RtlDeleteAtomFromAtomTable +RtlDeleteElementGenericTable +RtlDeleteElementGenericTableAvl +RtlDeleteElementGenericTableAvlEx +RtlDeleteHashTable +RtlDeleteNoSplay +RtlDeleteOwnersRanges +RtlDeleteRange +RtlDeleteRegistryValue +RtlDescribeChunk +RtlDestroyAtomTable +RtlDestroyHeap +RtlDowncaseUnicodeChar +RtlDowncaseUnicodeString +RtlDuplicateUnicodeString +RtlEmptyAtomTable +RtlEndEnumerationHashTable +RtlEndWeakEnumerationHashTable +RtlEnumerateEntryHashTable +RtlEnumerateGenericTable +RtlEnumerateGenericTableAvl +RtlEnumerateGenericTableLikeADirectory +RtlEnumerateGenericTableWithoutSplaying +RtlEnumerateGenericTableWithoutSplayingAvl +RtlEqualLuid +RtlEqualSid +RtlEqualString +RtlEqualUnicodeString +RtlEqualWnfChangeStamps +RtlEthernetAddressToStringA +RtlEthernetAddressToStringW +RtlEthernetStringToAddressA +RtlEthernetStringToAddressW +RtlExpandHashTable +RtlExtendedMagicDivide +RtlExtractBitMap +RtlFillMemory +RtlFillMemoryUlong +RtlFillMemoryUlonglong +RtlFindAceByType +RtlFindClearBits +RtlFindClearBitsAndSet +RtlFindClearRuns +RtlFindClosestEncodableLength +RtlFindFirstRunClear +RtlFindLastBackwardRunClear +RtlFindLeastSignificantBit +RtlFindLongestRunClear +RtlFindMessage +RtlFindMostSignificantBit +RtlFindNextForwardRunClear +RtlFindRange +RtlFindSetBits +RtlFindSetBitsAndClear +RtlFindUnicodePrefix +RtlFormatCurrentUserKeyPath +RtlFormatMessage +RtlFreeAnsiString +RtlFreeHeap +RtlFreeOemString +RtlFreeRangeList +RtlFreeUnicodeString +RtlGUIDFromString +RtlGenerate8dot3Name +RtlGenerateClass5Guid +RtlGetAce +RtlGetAppContainerNamedObjectPath +RtlGetAppContainerParent +RtlGetAppContainerSidType +RtlGetCallersAddress +RtlGetCompressionWorkSpaceSize +RtlGetDaclSecurityDescriptor +RtlGetDefaultCodePage +RtlGetElementGenericTable +RtlGetElementGenericTableAvl +RtlGetEnabledExtendedFeatures +RtlGetFirstRange +RtlGetGroupSecurityDescriptor +RtlGetIntegerAtom +RtlGetLastRange +RtlGetNextEntryHashTable +RtlGetNextRange +RtlGetNtGlobalFlags +RtlGetOwnerSecurityDescriptor +RtlGetProductInfo +RtlGetSaclSecurityDescriptor +RtlGetSetBootStatusData +RtlGetThreadLangIdByIndex +RtlGetVersion +RtlHashUnicodeString +RtlIdnToAscii +RtlIdnToNameprepUnicode +RtlIdnToUnicode +RtlImageDirectoryEntryToData +RtlImageNtHeader +RtlImageNtHeaderEx +RtlInitAnsiString +RtlInitAnsiStringEx +RtlInitCodePageTable +RtlInitEnumerationHashTable +RtlInitString +RtlInitUnicodeString +RtlInitUnicodeStringEx +RtlInitWeakEnumerationHashTable +RtlInitializeBitMap +RtlInitializeGenericTable +RtlInitializeGenericTableAvl +RtlInitializeRangeList +RtlInitializeSid +RtlInitializeUnicodePrefix +RtlInsertElementGenericTable +RtlInsertElementGenericTableAvl +RtlInsertElementGenericTableFull +RtlInsertElementGenericTableFullAvl +RtlInsertEntryHashTable +RtlInsertUnicodePrefix +RtlInt64ToUnicodeString +RtlIntegerToChar +RtlIntegerToUnicode +RtlIntegerToUnicodeString +RtlInterlockedClearBitRun +RtlInterlockedSetBitRun +RtlInterlockedSetClearRun +RtlInvertRangeList +RtlInvertRangeListEx +RtlIoDecodeMemIoResource +RtlIoEncodeMemIoResource +RtlIpv4AddressToStringA +RtlIpv4AddressToStringExA +RtlIpv4AddressToStringExW +RtlIpv4AddressToStringW +RtlIpv4StringToAddressA +RtlIpv4StringToAddressExA +RtlIpv4StringToAddressExW +RtlIpv4StringToAddressW +RtlIpv6AddressToStringA +RtlIpv6AddressToStringExA +RtlIpv6AddressToStringExW +RtlIpv6AddressToStringW +RtlIpv6StringToAddressA +RtlIpv6StringToAddressExA +RtlIpv6StringToAddressExW +RtlIpv6StringToAddressW +RtlIsGenericTableEmpty +RtlIsGenericTableEmptyAvl +RtlIsNameLegalDOS8Dot3 +RtlIsNormalizedString +RtlIsNtDdiVersionAvailable +RtlIsRangeAvailable +RtlIsServicePackVersionInstalled +RtlIsUntrustedObject +RtlIsValidOemCharacter +RtlLCIDToCultureName +RtlLengthRequiredSid +RtlLengthSecurityDescriptor +RtlLengthSid +RtlLoadString +RtlLocalTimeToSystemTime +RtlLockBootStatusData +RtlLookupAtomInAtomTable +RtlLookupElementGenericTable +RtlLookupElementGenericTableAvl +RtlLookupElementGenericTableFull +RtlLookupElementGenericTableFullAvl +RtlLookupEntryHashTable +RtlLookupFirstMatchingElementGenericTableAvl +RtlLookupFunctionEntry +RtlMapGenericMask +RtlMapSecurityErrorToNtStatus +RtlMergeRangeLists +RtlMoveMemory +RtlMultiByteToUnicodeN +RtlMultiByteToUnicodeSize +RtlNextUnicodePrefix +RtlNormalizeString +RtlNtStatusToDosError +RtlNtStatusToDosErrorNoTeb +RtlNumberGenericTableElements +RtlNumberGenericTableElementsAvl +RtlNumberOfClearBits +RtlNumberOfClearBitsInRange +RtlNumberOfSetBits +RtlNumberOfSetBitsInRange +RtlNumberOfSetBitsUlongPtr +RtlOemStringToCountedUnicodeString +RtlOemStringToUnicodeSize +RtlOemStringToUnicodeString +RtlOemToUnicodeN +RtlOpenCurrentUser +RtlOwnerAcesPresent +RtlPcToFileHeader +RtlPinAtomInAtomTable +RtlPrefetchMemoryNonTemporal +RtlPrefixString +RtlPrefixUnicodeString +RtlQueryAtomInAtomTable +RtlQueryDynamicTimeZoneInformation +RtlQueryElevationFlags +RtlQueryInformationAcl +RtlQueryModuleInformation +RtlQueryPackageIdentity +RtlQueryRegistryValues +RtlQueryRegistryValuesEx +RtlQueryTimeZoneInformation +RtlQueryValidationRunlevel +RtlRaiseException +RtlRandom +RtlRandomEx +RtlRbInsertNodeEx +RtlRbRemoveNode +RtlRealPredecessor +RtlRealSuccessor +RtlRemoveEntryHashTable +RtlRemoveUnicodePrefix +RtlReplaceSidInSd +RtlReserveChunk +RtlRestoreContext +RtlRunOnceBeginInitialize +RtlRunOnceComplete +RtlRunOnceExecuteOnce +RtlRunOnceInitialize +RtlSecondsSince1970ToTime +RtlSecondsSince1980ToTime +RtlSelfRelativeToAbsoluteSD +RtlSelfRelativeToAbsoluteSD2 +RtlSetAllBits +RtlSetBit +RtlSetBits +RtlSetControlSecurityDescriptor +RtlSetDaclSecurityDescriptor +RtlSetDynamicTimeZoneInformation +RtlSetGroupSecurityDescriptor +RtlSetOwnerSecurityDescriptor +RtlSetPortableOperatingSystem +RtlSetSaclSecurityDescriptor +RtlSetTimeZoneInformation +RtlSidHashInitialize +RtlSidHashLookup +RtlSizeHeap +RtlSplay +RtlStringFromGUID +RtlSubAuthorityCountSid +RtlSubAuthoritySid +RtlSubtreePredecessor +RtlSubtreeSuccessor +RtlSystemTimeToLocalTime +RtlTestBit +RtlTimeFieldsToTime +RtlTimeToElapsedTimeFields +RtlTimeToSecondsSince1970 +RtlTimeToSecondsSince1980 +RtlTimeToTimeFields +RtlTraceDatabaseAdd +RtlTraceDatabaseCreate +RtlTraceDatabaseDestroy +RtlTraceDatabaseEnumerate +RtlTraceDatabaseFind +RtlTraceDatabaseLock +RtlTraceDatabaseUnlock +RtlTraceDatabaseValidate +RtlUTF8ToUnicodeN +RtlUlongByteSwap +RtlUlonglongByteSwap +RtlUnicodeStringToAnsiSize +RtlUnicodeStringToAnsiString +RtlUnicodeStringToCountedOemString +RtlUnicodeStringToInteger +RtlUnicodeStringToOemSize +RtlUnicodeStringToOemString +RtlUnicodeToCustomCPN +RtlUnicodeToMultiByteN +RtlUnicodeToMultiByteSize +RtlUnicodeToOemN +RtlUnicodeToUTF8N +RtlUnlockBootStatusData +RtlUnwind +RtlUnwindEx +RtlUpcaseUnicodeChar +RtlUpcaseUnicodeString +RtlUpcaseUnicodeStringToAnsiString +RtlUpcaseUnicodeStringToCountedOemString +RtlUpcaseUnicodeStringToOemString +RtlUpcaseUnicodeToCustomCPN +RtlUpcaseUnicodeToMultiByteN +RtlUpcaseUnicodeToOemN +RtlUpperChar +RtlUpperString +RtlUshortByteSwap +RtlValidRelativeSecurityDescriptor +RtlValidSecurityDescriptor +RtlValidSid +RtlValidateUnicodeString +RtlVerifyVersionInfo +RtlVirtualUnwind +RtlVolumeDeviceToDosName +RtlWalkFrameChain +RtlWeaklyEnumerateEntryHashTable +RtlWriteRegistryValue +RtlZeroHeap +RtlZeroMemory +RtlxAnsiStringToUnicodeSize +RtlxOemStringToUnicodeSize +RtlxUnicodeStringToAnsiSize +RtlxUnicodeStringToOemSize +SeAccessCheck +SeAccessCheckEx +SeAccessCheckFromState +SeAccessCheckFromStateEx +SeAccessCheckWithHint +SeAdjustAccessStateForTrustLabel +SeAppendPrivileges +SeAssignSecurity +SeAssignSecurityEx +SeAuditHardLinkCreation +SeAuditHardLinkCreationWithTransaction +SeAuditTransactionStateChange +SeAuditingAnyFileEventsWithContext +SeAuditingAnyFileEventsWithContextEx +SeAuditingFileEvents +SeAuditingFileEventsWithContext +SeAuditingFileEventsWithContextEx +SeAuditingFileOrGlobalEvents +SeAuditingHardLinkEvents +SeAuditingHardLinkEventsWithContext +SeAuditingWithTokenForSubcategory +SeCaptureSecurityDescriptor +SeCaptureSubjectContext +SeCaptureSubjectContextEx +SeCloseObjectAuditAlarm +SeCloseObjectAuditAlarmForNonObObject +SeComputeAutoInheritByObjectType +SeCreateAccessState +SeCreateAccessStateEx +SeCreateClientSecurity +SeCreateClientSecurityEx +SeCreateClientSecurityFromSubjectContext +SeCreateClientSecurityFromSubjectContextEx +SeDeassignSecurity +SeDeleteAccessState +SeDeleteObjectAuditAlarm +SeDeleteObjectAuditAlarmWithTransaction +SeExamineSacl +SeExports DATA +SeFilterToken +SeFreePrivileges +SeGetCachedSigningLevel +SeGetLinkedToken +SeGetLogonSessionToken +SeImpersonateClient +SeImpersonateClientEx +SeIsParentOfChildAppContainer +SeLocateProcessImageName +SeLockSubjectContext +SeMarkLogonSessionForTerminationNotification +SeOpenObjectAuditAlarm +SeOpenObjectAuditAlarmForNonObObject +SeOpenObjectAuditAlarmWithTransaction +SeOpenObjectForDeleteAuditAlarm +SeOpenObjectForDeleteAuditAlarmWithTransaction +SePrivilegeCheck +SePrivilegeObjectAuditAlarm +SePublicDefaultDacl DATA +SeQueryAuthenticationIdToken +SeQueryInformationToken +SeQuerySecureBootPolicyValue +SeQuerySecurityAttributesToken +SeQuerySecurityDescriptorInfo +SeQuerySessionIdToken +SeRegisterImageVerificationCallback +SeRegisterLogonSessionTerminatedRoutine +SeReleaseSecurityDescriptor +SeReleaseSubjectContext +SeReportSecurityEvent +SeReportSecurityEventWithSubCategory +SeSecurityAttributePresent +SeSetAccessStateGenericMapping +SeSetAuditParameter +SeSetSecurityAttributesToken +SeSetSecurityDescriptorInfo +SeSetSecurityDescriptorInfoEx +SeShouldCheckForAccessRightsFromParent +SeSinglePrivilegeCheck +SeSrpAccessCheck +SeSystemDefaultDacl DATA +SeSystemDefaultSd DATA +SeTokenFromAccessInformation +SeTokenImpersonationLevel +SeTokenIsAdmin +SeTokenIsRestricted +SeTokenIsWriteRestricted +SeTokenObjectType DATA +SeTokenType +SeUnlockSubjectContext +SeUnregisterImageVerificationCallback +SeUnregisterLogonSessionTerminatedRoutine +SeValidSecurityDescriptor +TmCancelPropagationRequest +TmCommitComplete +TmCommitEnlistment +TmCommitTransaction +TmCreateEnlistment +TmCurrentTransaction +TmDereferenceEnlistmentKey +TmEnableCallbacks +TmEndPropagationRequest +TmEnlistmentObjectType DATA +TmFreezeTransactions +TmGetTransactionId +TmInitSystem +TmInitSystemPhase2 +TmInitializeTransactionManager +TmIsKTMCommitCoordinator +TmIsTransactionActive +TmPrePrepareComplete +TmPrePrepareEnlistment +TmPrepareComplete +TmPrepareEnlistment +TmPropagationComplete +TmPropagationFailed +TmReadOnlyEnlistment +TmRecoverEnlistment +TmRecoverResourceManager +TmRecoverTransactionManager +TmReferenceEnlistmentKey +TmRenameTransactionManager +TmRequestOutcomeEnlistment +TmResourceManagerObjectType DATA +TmRollbackComplete +TmRollbackEnlistment +TmRollbackTransaction +TmSetCurrentTransaction +TmSinglePhaseReject +TmThawTransactions +TmTransactionManagerObjectType DATA +TmTransactionObjectType DATA +VerSetConditionMask +VfFailDeviceNode +VfFailDriver +VfFailSystemBIOS +VfInsertContext +VfIsVerificationEnabled +VfQueryDeviceContext +VfQueryDispatchTable +VfQueryDriverContext +VfQueryIrpContext +VfQueryThreadContext +VfRemoveContext +WheaAddErrorSource +WheaConfigureErrorSource +WheaGetErrorSource +WheaInitializeRecordHeader +WheaReportHwError +WmiGetClock +WmiQueryTraceInformation +WmiTraceMessage +WmiTraceMessageVa +XIPDispatch +ZwAccessCheckAndAuditAlarm +ZwAddBootEntry +ZwAddDriverEntry +ZwAdjustPrivilegesToken +ZwAlertThread +ZwAllocateLocallyUniqueId +ZwAllocateVirtualMemory +ZwAlpcAcceptConnectPort +ZwAlpcCancelMessage +ZwAlpcConnectPort +ZwAlpcConnectPortEx +ZwAlpcCreatePort +ZwAlpcCreatePortSection +ZwAlpcCreateResourceReserve +ZwAlpcCreateSectionView +ZwAlpcCreateSecurityContext +ZwAlpcDeletePortSection +ZwAlpcDeleteResourceReserve +ZwAlpcDeleteSectionView +ZwAlpcDeleteSecurityContext +ZwAlpcDisconnectPort +ZwAlpcQueryInformation +ZwAlpcSendWaitReceivePort +ZwAlpcSetInformation +ZwAssignProcessToJobObject +ZwAssociateWaitCompletionPacket +ZwCancelIoFile +ZwCancelIoFileEx +ZwCancelTimer +ZwClearEvent +ZwClose +ZwCloseObjectAuditAlarm +ZwCommitComplete +ZwCommitEnlistment +ZwCommitTransaction +ZwConnectPort +ZwCreateDirectoryObject +ZwCreateEnlistment +ZwCreateEvent +ZwCreateFile +ZwCreateIoCompletion +ZwCreateJobObject +ZwCreateKey +ZwCreateKeyTransacted +ZwCreateResourceManager +ZwCreateSection +ZwCreateSymbolicLinkObject +ZwCreateTimer +ZwCreateTransaction +ZwCreateTransactionManager +ZwCreateWaitCompletionPacket +ZwCreateWnfStateName +ZwDeleteBootEntry +ZwDeleteDriverEntry +ZwDeleteFile +ZwDeleteKey +ZwDeleteValueKey +ZwDeleteWnfStateData +ZwDeleteWnfStateName +ZwDeviceIoControlFile +ZwDisplayString +ZwDuplicateObject +ZwDuplicateToken +ZwEnumerateBootEntries +ZwEnumerateDriverEntries +ZwEnumerateKey +ZwEnumerateTransactionObject +ZwEnumerateValueKey +ZwFlushBuffersFile +ZwFlushBuffersFileEx +ZwFlushInstructionCache +ZwFlushKey +ZwFlushVirtualMemory +ZwFreeVirtualMemory +ZwFsControlFile +ZwGetNotificationResourceManager +ZwImpersonateAnonymousToken +ZwInitiatePowerAction +ZwIsProcessInJob +ZwLoadDriver +ZwLoadKey +ZwLoadKeyEx +ZwLockFile +ZwLockProductActivationKeys +ZwLockVirtualMemory +ZwMakeTemporaryObject +ZwMapViewOfSection +ZwModifyBootEntry +ZwModifyDriverEntry +ZwNotifyChangeKey +ZwNotifyChangeSession +ZwOpenDirectoryObject +ZwOpenEnlistment +ZwOpenEvent +ZwOpenFile +ZwOpenJobObject +ZwOpenKey +ZwOpenKeyEx +ZwOpenKeyTransacted +ZwOpenKeyTransactedEx +ZwOpenProcess +ZwOpenProcessToken +ZwOpenProcessTokenEx +ZwOpenResourceManager +ZwOpenSection +ZwOpenSession +ZwOpenSymbolicLinkObject +ZwOpenThread +ZwOpenThreadToken +ZwOpenThreadTokenEx +ZwOpenTimer +ZwOpenTransaction +ZwOpenTransactionManager +ZwPowerInformation +ZwPrePrepareComplete +ZwPrePrepareEnlistment +ZwPrepareComplete +ZwPrepareEnlistment +ZwPropagationComplete +ZwPropagationFailed +ZwProtectVirtualMemory +ZwPulseEvent +ZwQueryBootEntryOrder +ZwQueryBootOptions +ZwQueryDefaultLocale +ZwQueryDefaultUILanguage +ZwQueryDirectoryFile +ZwQueryDirectoryObject +ZwQueryDriverEntryOrder +ZwQueryEaFile +ZwQueryFullAttributesFile +ZwQueryInformationEnlistment +ZwQueryInformationFile +ZwQueryInformationJobObject +ZwQueryInformationProcess +ZwQueryInformationResourceManager +ZwQueryInformationThread +ZwQueryInformationToken +ZwQueryInformationTransaction +ZwQueryInformationTransactionManager +ZwQueryInstallUILanguage +ZwQueryKey +ZwQueryLicenseValue +ZwQueryObject +ZwQueryQuotaInformationFile +ZwQuerySection +ZwQuerySecurityAttributesToken +ZwQuerySecurityObject +ZwQuerySymbolicLinkObject +ZwQuerySystemEnvironmentValueEx +ZwQuerySystemInformation +ZwQuerySystemInformationEx +ZwQueryValueKey +ZwQueryVirtualMemory +ZwQueryVolumeInformationFile +ZwQueryWnfStateData +ZwQueryWnfStateNameInformation +ZwReadFile +ZwReadOnlyEnlistment +ZwRecoverEnlistment +ZwRecoverResourceManager +ZwRecoverTransactionManager +ZwRemoveIoCompletion +ZwRemoveIoCompletionEx +ZwRenameKey +ZwReplaceKey +ZwRequestPort +ZwRequestWaitReplyPort +ZwResetEvent +ZwRestoreKey +ZwRollbackComplete +ZwRollbackEnlistment +ZwRollbackTransaction +ZwSaveKey +ZwSaveKeyEx +ZwSecureConnectPort +ZwSetBootEntryOrder +ZwSetBootOptions +ZwSetCachedSigningLevel +ZwSetDefaultLocale +ZwSetDefaultUILanguage +ZwSetDriverEntryOrder +ZwSetEaFile +ZwSetEvent +ZwSetInformationEnlistment +ZwSetInformationFile +ZwSetInformationJobObject +ZwSetInformationKey +ZwSetInformationObject +ZwSetInformationProcess +ZwSetInformationResourceManager +ZwSetInformationThread +ZwSetInformationToken +ZwSetInformationTransaction +ZwSetInformationVirtualMemory +ZwSetQuotaInformationFile +ZwSetSecurityObject +ZwSetSystemEnvironmentValueEx +ZwSetSystemInformation +ZwSetSystemTime +ZwSetTimer +ZwSetTimerEx +ZwSetValueKey +ZwSetVolumeInformationFile +ZwTerminateJobObject +ZwTerminateProcess +ZwTraceEvent +ZwTranslateFilePath +ZwUnloadDriver +ZwUnloadKey +ZwUnloadKeyEx +ZwUnlockFile +ZwUnlockVirtualMemory +ZwUnmapViewOfSection +ZwUpdateWnfStateData +ZwWaitForMultipleObjects +ZwWaitForSingleObject +ZwWriteFile +ZwYieldExecution +__C_specific_handler +__chkstk +__jump_unwind +_i64toa_s +_i64tow_s +_itoa +_itoa_s +_itow +_itow_s +_ltoa_s +_ltow_s +_makepath_s +_purecall +_setjmp +_setjmpex +_snprintf +_snprintf_s +_snscanf_s +_snwprintf +_snwprintf_s +_snwscanf_s +_splitpath_s +_stricmp +_strlwr +strlwr == _strlwr +_strnicmp +_strnset +_strnset_s +_strrev +_strset +_strset_s +_strtoui64 +_strupr +_swprintf +_ui64toa_s +_ui64tow_s +_ultoa_s +_ultow_s +_vsnprintf +_vsnprintf_s +_vsnwprintf +_vsnwprintf_s +_vswprintf +_wcsicmp +_wcslwr +wcslwr == _wcslwr +_wcsnicmp +_wcsnset +_wcsnset_s +_wcsrev +_wcsset_s +_wcsupr +_wmakepath_s +_wsplitpath_s +_wtoi +_wtol +atoi +atol +bsearch +bsearch_s +isdigit +islower +isprint +isspace +isupper +isxdigit +longjmp +mbstowcs +mbtowc +memchr +memcmp +memcpy +memcpy_s +memmove +memmove_s +memset +psMUITest DATA +qsort +rand +sprintf +sprintf_s +srand +sscanf_s +strcat +strcat_s +strchr +strcmp +strcpy +strcpy_s +strlen +strncat +strncat_s +strncmp +strncpy +strncpy_s +strnlen +strrchr +strspn +strstr +strtok_s +swprintf +swprintf_s +swscanf_s +tolower +toupper +towlower +towupper +vDbgPrintEx +vDbgPrintExWithPrefix +vsprintf +vsprintf_s +vswprintf_s +wcscat +wcscat_s +wcschr +wcscmp +wcscpy +wcscpy_s +wcscspn +wcslen +wcsncat +wcsncat_s +wcsncmp +wcsncpy +wcsncpy_s +wcsnlen +wcsrchr +wcsspn +wcsstr +wcstombs +wcstoul +wctomb diff --git a/lib/libc/mingw/libarm32/ntprint.def b/lib/libc/mingw/libarm32/ntprint.def new file mode 100644 index 0000000000..8d36a6f898 --- /dev/null +++ b/lib/libc/mingw/libarm32/ntprint.def @@ -0,0 +1,66 @@ +; +; Definition file of NTPRINT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NTPRINT.dll" +EXPORTS +ord_103 @103 +ord_104 @104 +ClassInstall32 +ord_106 @106 +ord_107 @107 +PSetupCheckForDriversInDriverStore +PSetupDownloadAndInstallLegacyDriverW +PSetupDriverStoreFindDriverPackageW +PSetupElevateAndCallDriverStoreAddDriverPackage +PSetupElevatedDriverStoreAddDriverPackageW +PSetupElevatedInstallDownloadedLegacyDriverW +PSetupElevatedInstallPrinterDriverFromTheWebW +PSetupElevatedLegacyPrintDriverInstallW +PSetupGetActualInstallSection +PSetupGetCatalogNameFromInfW +PSetupWebPnpGenerateDownLevelInfForInboxDriver +ServerInstallW +PSetupAssociateICMProfiles +PSetupBuildDriverList +PSetupBuildDriversFromPath +PSetupCopyDriverPackageFiles +PSetupCreateDrvSetupPage +PSetupCreateMonitorInfo +PSetupCreatePrinterDeviceInfoList +PSetupDestroyDriverInfo3 +PSetupDestroyMonitorInfo +PSetupDestroyPrinterDeviceInfoList +PSetupDestroySelectedDriverInfo +PSetupDisassociateICMProfiles +PSetupDriverInfoFromDeviceID +PSetupDriverInfoFromName +PSetupDriverStoreAddDriverPackage +PSetupEnumMonitor +PSetupFindCompatibleDriverFromName +PSetupFreeDrvField +PSetupFreeMem +PSetupGetDriverInfo3 +PSetupGetInfDriverStoreLocation +PSetupGetLocalDataField +PSetupGetPathToSearch +PSetupGetSelectedDriverInfo +PSetupInstallICMProfiles +PSetupInstallInboxDriverSilently +PSetupInstallMonitor +PSetupInstallPrinterDriver +PSetupIsCompatibleDriver +PSetupIsDriverInstalled +PSetupIsTheDriverFoundInInfInstalled +PSetupParseInfAndCommitFileQueue +PSetupPreSelectDriver +PSetupProcessPrinterAdded +PSetupSelectDeviceButtons +PSetupSelectDriver +PSetupSetCoreInboxDriverPath +PSetupSetDriverPlatform +PSetupSetNonInteractiveMode +PSetupSetSelectDevTitleAndInstructions +PSetupShowBlockedDriverUI +PSetupThisPlatform diff --git a/lib/libc/mingw/libarm32/ntshrui.def b/lib/libc/mingw/libarm32/ntshrui.def new file mode 100644 index 0000000000..0c37b5dc91 --- /dev/null +++ b/lib/libc/mingw/libarm32/ntshrui.def @@ -0,0 +1,20 @@ +; +; Definition file of ntshrui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ntshrui.dll" +EXPORTS +CanShareFolder +GetLocalPathFromNetResource +GetLocalPathFromNetResourceA +GetLocalPathFromNetResourceW +GetNetResourceFromLocalPath +GetNetResourceFromLocalPathA +GetNetResourceFromLocalPathW +IsFolderPrivateForUser +IsPathShared +IsPathSharedA +IsPathSharedW +SetFolderPermissionsForSharing +ShowShareFolderUI diff --git a/lib/libc/mingw/libarm32/nvcameraisp.def b/lib/libc/mingw/libarm32/nvcameraisp.def new file mode 100644 index 0000000000..ff323c2b77 --- /dev/null +++ b/lib/libc/mingw/libarm32/nvcameraisp.def @@ -0,0 +1,8 @@ +; +; Definition file of nvCameraISP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nvCameraISP.dll" +EXPORTS +CISP_InterfaceCreateInstance diff --git a/lib/libc/mingw/libarm32/nvcameraispb.def b/lib/libc/mingw/libarm32/nvcameraispb.def new file mode 100644 index 0000000000..8e53fe25a3 --- /dev/null +++ b/lib/libc/mingw/libarm32/nvcameraispb.def @@ -0,0 +1,8 @@ +; +; Definition file of nvCameraISPb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nvCameraISPb.dll" +EXPORTS +CISP_InterfaceCreateInstance diff --git a/lib/libc/mingw/libarm32/nvd3dum.def b/lib/libc/mingw/libarm32/nvd3dum.def new file mode 100644 index 0000000000..ffb08d356c --- /dev/null +++ b/lib/libc/mingw/libarm32/nvd3dum.def @@ -0,0 +1,9 @@ +; +; Definition file of NVD3DUM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NVD3DUM.dll" +EXPORTS +OpenAdapter +QueryOglResource diff --git a/lib/libc/mingw/libarm32/nvencodeapi.def b/lib/libc/mingw/libarm32/nvencodeapi.def new file mode 100644 index 0000000000..2557db6dad --- /dev/null +++ b/lib/libc/mingw/libarm32/nvencodeapi.def @@ -0,0 +1,8 @@ +; +; Definition file of nvEncodeAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "nvEncodeAPI.dll" +EXPORTS +NvEncodeAPICreateInstance diff --git a/lib/libc/mingw/libarm32/odbctrac.def b/lib/libc/mingw/libarm32/odbctrac.def new file mode 100644 index 0000000000..fed46e57e3 --- /dev/null +++ b/lib/libc/mingw/libarm32/odbctrac.def @@ -0,0 +1,131 @@ +; +; Definition file of ODBCTRAC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ODBCTRAC.dll" +EXPORTS +TraceSQLAllocConnect +TraceSQLAllocEnv +TraceSQLAllocStmt +TraceSQLBindCol +TraceSQLCancel +TraceSQLColAttributes +TraceSQLConnect +TraceSQLDescribeCol +TraceSQLDisconnect +TraceSQLError +TraceSQLExecDirect +TraceSQLExecute +TraceSQLFetch +TraceSQLFreeConnect +TraceSQLFreeEnv +TraceSQLFreeStmt +TraceSQLGetCursorName +TraceSQLNumResultCols +TraceSQLPrepare +TraceSQLRowCount +TraceSQLSetCursorName +TraceSQLSetParam +TraceSQLTransact +TraceSQLAllocHandle +TraceSQLBindParam +TraceSQLCloseCursor +TraceSQLColAttribute +TraceSQLCopyDesc +TraceSQLEndTran +TraceSQLFetchScroll +TraceSQLFreeHandle +TraceSQLGetConnectAttr +TraceSQLGetDescField +TraceSQLGetDescRec +TraceSQLGetDiagField +TraceSQLGetDiagRec +TraceSQLGetEnvAttr +TraceSQLGetStmtAttr +TraceSQLSetConnectAttr +TraceSQLColumns +TraceSQLDriverConnect +TraceSQLGetConnectOption +TraceSQLGetData +TraceSQLGetFunctions +TraceSQLGetInfo +TraceSQLGetStmtOption +TraceSQLGetTypeInfo +TraceSQLParamData +TraceSQLPutData +TraceSQLSetConnectOption +TraceSQLSetStmtOption +TraceSQLSpecialColumns +TraceSQLStatistics +TraceSQLTables +TraceSQLBrowseConnect +TraceSQLColumnPrivileges +TraceSQLDataSources +TraceSQLDescribeParam +TraceSQLExtendedFetch +TraceSQLForeignKeys +TraceSQLMoreResults +TraceSQLNativeSql +TraceSQLNumParams +TraceSQLParamOptions +TraceSQLPrimaryKeys +TraceSQLProcedureColumns +TraceSQLProcedures +TraceSQLSetPos +TraceSQLSetScrollOptions +TraceSQLTablePrivileges +TraceSQLDrivers +TraceSQLBindParameter +TraceSQLSetDescField +TraceSQLSetDescRec +TraceSQLSetEnvAttr +TraceSQLSetStmtAttr +TraceSQLAllocHandleStd +TraceSQLBulkOperations +TraceSQLCancelHandle +TraceSQLCompleteAsync +TraceSQLCompleteAsyncW +TraceVSControl +TraceSQLColAttributesW +TraceSQLConnectW +TraceSQLDescribeColW +TraceSQLErrorW +TraceSQLExecDirectW +TraceSQLGetCursorNameW +TraceSQLPrepareW +TraceSQLSetCursorNameW +TraceSQLColAttributeW +TraceSQLGetConnectAttrW +TraceSQLGetDescFieldW +TraceSQLGetDescRecW +TraceSQLGetDiagFieldW +TraceSQLGetDiagRecW +TraceSQLGetStmtAttrW +TraceSQLSetConnectAttrW +TraceSQLColumnsW +TraceSQLDriverConnectW +TraceSQLGetConnectOptionW +TraceSQLGetInfoW +TraceSQLGetTypeInfoW +TraceSQLSetConnectOptionW +TraceSQLSpecialColumnsW +TraceSQLStatisticsW +TraceSQLTablesW +TraceSQLBrowseConnectW +TraceSQLColumnPrivilegesW +TraceSQLDataSourcesW +TraceSQLForeignKeysW +TraceSQLNativeSqlW +TraceSQLPrimaryKeysW +TraceSQLProcedureColumnsW +TraceSQLProceduresW +TraceSQLTablePrivilegesW +TraceSQLDriversW +TraceSQLSetDescFieldW +TraceSQLSetStmtAttrW +TraceSQLAllocHandleStdW +TraceReturn +TraceOpenLogFile +TraceCloseLogFile +TraceVersion diff --git a/lib/libc/mingw/libarm32/oemlicense.def b/lib/libc/mingw/libarm32/oemlicense.def new file mode 100644 index 0000000000..d5be51b2f4 --- /dev/null +++ b/lib/libc/mingw/libarm32/oemlicense.def @@ -0,0 +1,11 @@ +; +; Definition file of oemlicense.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "oemlicense.dll" +EXPORTS +HrAddAppxLicense +HrRemoveAppxLicense +AddDemoAppLicense +RemoveDemoAppLicense diff --git a/lib/libc/mingw/libarm32/offreg.def b/lib/libc/mingw/libarm32/offreg.def new file mode 100644 index 0000000000..e4cd62c222 --- /dev/null +++ b/lib/libc/mingw/libarm32/offreg.def @@ -0,0 +1,27 @@ +; +; Definition file of OFFREG.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OFFREG.dll" +EXPORTS +ORCloseHive +ORCloseKey +ORCreateHive +ORCreateKey +ORDeleteKey +ORDeleteValue +OREnumKey +OREnumValue +ORGetKeySecurity +ORGetValue +ORGetVersion +ORGetVirtualFlags +OROpenHive +OROpenHiveByHandle +OROpenKey +ORQueryInfoKey +ORSaveHive +ORSetKeySecurity +ORSetValue +ORSetVirtualFlags diff --git a/lib/libc/mingw/libarm32/onex.def b/lib/libc/mingw/libarm32/onex.def new file mode 100644 index 0000000000..545e356cbf --- /dev/null +++ b/lib/libc/mingw/libarm32/onex.def @@ -0,0 +1,35 @@ +; +; Definition file of OneX.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OneX.DLL" +EXPORTS +OneXAddEapAttributes +OneXAddTLV +OneXCompareAuthParams +OneXCopyAuthParams +OneXCreateDefaultProfile +OneXCreateDiscoveryProfiles +OneXCreateSupplicantPort +OneXDeInitialize +OneXDestroySupplicantPort +OneXForceAuthenticatedState +OneXFreeAuthParams +OneXFreeMemory +OneXIndicatePacket +OneXIndicateSessionChange +OneXInitialize +OneXQueryAuthParams +OneXQueryPendingUIRequest +OneXQueryState +OneXQueryStatistics +OneXReasonCodeToString +OneXRestartReasonCodeToString +OneXSetAuthParams +OneXSetRuntimeState +OneXStartAuthentication +OneXStopAuthentication +OneXUIResponse +OneXUpdatePortProfile +OneXUpdateProfilePostDiscovery diff --git a/lib/libc/mingw/libarm32/onexui.def b/lib/libc/mingw/libarm32/onexui.def new file mode 100644 index 0000000000..27a47efa20 --- /dev/null +++ b/lib/libc/mingw/libarm32/onexui.def @@ -0,0 +1,11 @@ +; +; Definition file of OneXUI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OneXUI.DLL" +EXPORTS +OneXGetUserFriendlyText +OneXMapEAPHostInteractiveUIToOneXUIResponse +OneXShowUI +OneXShowUIFromEAPCreds diff --git a/lib/libc/mingw/libarm32/oobefldr.def b/lib/libc/mingw/libarm32/oobefldr.def new file mode 100644 index 0000000000..af23065498 --- /dev/null +++ b/lib/libc/mingw/libarm32/oobefldr.def @@ -0,0 +1,8 @@ +; +; Definition file of OOBEFLDR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OOBEFLDR.dll" +EXPORTS +ShowWelcomeCenter diff --git a/lib/libc/mingw/libarm32/osbaseln.def b/lib/libc/mingw/libarm32/osbaseln.def new file mode 100644 index 0000000000..b4a88004dd --- /dev/null +++ b/lib/libc/mingw/libarm32/osbaseln.def @@ -0,0 +1,22 @@ +; +; Definition file of osbaseln.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "osbaseln.dll" +EXPORTS +ord_1 @1 +CloseOsBaseline +EnumOsBaselineComponentsA +EnumOsBaselineComponentsW +EnumOsOutOfDateComponentsA +EnumOsOutOfDateComponentsW +GetOsBaselineComponentInfoA +GetOsBaselineComponentInfoW +GetOsInstalledComponentInfoA +GetOsInstalledComponentInfoW +GetOsLatestBaselineServicePack +OpenOsBaseline +pGetOsBaselineCurrentVersion +pGetOsCurrentBaselineServicePack +pOpenOsBaselineByVersion diff --git a/lib/libc/mingw/libarm32/osksupport.def b/lib/libc/mingw/libarm32/osksupport.def new file mode 100644 index 0000000000..81e2ad1f0b --- /dev/null +++ b/lib/libc/mingw/libarm32/osksupport.def @@ -0,0 +1,9 @@ +; +; Definition file of OskSupport.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "OskSupport.dll" +EXPORTS +InitializeOSKSupport +UninitializeOSKSupport diff --git a/lib/libc/mingw/libarm32/p2psvc.def b/lib/libc/mingw/libarm32/p2psvc.def new file mode 100644 index 0000000000..981b7d0248 --- /dev/null +++ b/lib/libc/mingw/libarm32/p2psvc.def @@ -0,0 +1,10 @@ +; +; Definition file of p2psvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "p2psvc.dll" +EXPORTS +GroupServiceMain +SvchostPushServiceGlobals +InitSecurityInterfaceW diff --git a/lib/libc/mingw/libarm32/pautoenr.def b/lib/libc/mingw/libarm32/pautoenr.def new file mode 100644 index 0000000000..d8a5dd167b --- /dev/null +++ b/lib/libc/mingw/libarm32/pautoenr.def @@ -0,0 +1,10 @@ +; +; Definition file of PAUTOENR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PAUTOENR.dll" +EXPORTS +DimsProvEntry +CertAutoEnrollment +CertAutoRemove diff --git a/lib/libc/mingw/libarm32/pcacli.def b/lib/libc/mingw/libarm32/pcacli.def new file mode 100644 index 0000000000..342d5e9a7a --- /dev/null +++ b/lib/libc/mingw/libarm32/pcacli.def @@ -0,0 +1,14 @@ +; +; Definition file of pcacli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pcacli.dll" +EXPORTS +PcaGetFileInfoFromPath +PcaIsPcaDisabled +PcaLinkChildProcessToParent +PcaMonitorProcess +PcaNotifyMsiInstall +PcaNotifyStatusIcon +PcaSendToService diff --git a/lib/libc/mingw/libarm32/pcaui.def b/lib/libc/mingw/libarm32/pcaui.def new file mode 100644 index 0000000000..5c14a356e3 --- /dev/null +++ b/lib/libc/mingw/libarm32/pcaui.def @@ -0,0 +1,11 @@ +; +; Definition file of pcaui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pcaui.dll" +EXPORTS +DisplayApphelpDialog +PcaLaunchApplicationWithConsent +PcaPersistSettingsAndLaunchApplication +PcaShowDialog diff --git a/lib/libc/mingw/libarm32/pcpksp.def b/lib/libc/mingw/libarm32/pcpksp.def new file mode 100644 index 0000000000..6d4545d186 --- /dev/null +++ b/lib/libc/mingw/libarm32/pcpksp.def @@ -0,0 +1,10 @@ +; +; Definition file of PCPKsp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PCPKsp.dll" +EXPORTS +GetAsymmetricEncryptionInterface +GetKeyStorageInterface +GetRngInterface diff --git a/lib/libc/mingw/libarm32/pcptpm12.def b/lib/libc/mingw/libarm32/pcptpm12.def new file mode 100644 index 0000000000..16e6120c32 --- /dev/null +++ b/lib/libc/mingw/libarm32/pcptpm12.def @@ -0,0 +1,9 @@ +; +; Definition file of PCPTpm12.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PCPTpm12.dll" +EXPORTS +GetAsymmetricEncryptionInterface +GetRngInterface diff --git a/lib/libc/mingw/libarm32/pcwutl.def b/lib/libc/mingw/libarm32/pcwutl.def new file mode 100644 index 0000000000..13a8fbd7bf --- /dev/null +++ b/lib/libc/mingw/libarm32/pcwutl.def @@ -0,0 +1,17 @@ +; +; Definition file of pcwutl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pcwutl.dll" +EXPORTS +LaunchApplicationW +GetAppInformationFromCOS +GetLayerFromGenome +GetMatchingInfo +GetTempFile +LogAeEvent +LogPCWDebugEvent +RetrieveFileAndProgramId +SendPcwWerReport +SendSQMForTSRun diff --git a/lib/libc/mingw/libarm32/pdhui.def b/lib/libc/mingw/libarm32/pdhui.def new file mode 100644 index 0000000000..6065b4980f --- /dev/null +++ b/lib/libc/mingw/libarm32/pdhui.def @@ -0,0 +1,17 @@ +; +; Definition file of pdhui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pdhui.dll" +EXPORTS +PdhUiBrowseCountersA +PdhUiBrowseCountersExA +PdhUiBrowseCountersExHA +PdhUiBrowseCountersExHW +PdhUiBrowseCountersExW +PdhUiBrowseCountersHA +PdhUiBrowseCountersHW +PdhUiBrowseCountersW +PdhUiSelectDataSourceA +PdhUiSelectDataSourceW diff --git a/lib/libc/mingw/libarm32/perftrack.def b/lib/libc/mingw/libarm32/perftrack.def new file mode 100644 index 0000000000..fc90a86f15 --- /dev/null +++ b/lib/libc/mingw/libarm32/perftrack.def @@ -0,0 +1,10 @@ +; +; Definition file of perftrack.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "perftrack.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/pidgenx.def b/lib/libc/mingw/libarm32/pidgenx.def new file mode 100644 index 0000000000..ab5041d448 --- /dev/null +++ b/lib/libc/mingw/libarm32/pidgenx.def @@ -0,0 +1,10 @@ +; +; Definition file of pidgenx.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pidgenx.dll" +EXPORTS +ord_117 @117 +PidGenX +PidGenX2 diff --git a/lib/libc/mingw/libarm32/pku2u.def b/lib/libc/mingw/libarm32/pku2u.def new file mode 100644 index 0000000000..afc5c25707 --- /dev/null +++ b/lib/libc/mingw/libarm32/pku2u.def @@ -0,0 +1,9 @@ +; +; Definition file of pku2u.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pku2u.dll" +EXPORTS +SpLsaModeInitialize +SpUserModeInitialize diff --git a/lib/libc/mingw/libarm32/pla.def b/lib/libc/mingw/libarm32/pla.def new file mode 100644 index 0000000000..5071a560fe --- /dev/null +++ b/lib/libc/mingw/libarm32/pla.def @@ -0,0 +1,18 @@ +; +; Definition file of PLA.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PLA.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals +PlaDeleteReport +PlaExpandTaskArguments +PlaExtractCabinet +PlaGetLegacyAlertActionsFlagsFromString +PlaGetLegacyAlertActionsStringFromFlags +PlaGetServerCapabilities +PlaHost +PlaServer +PlaUpgrade diff --git a/lib/libc/mingw/libarm32/playsndsrv.def b/lib/libc/mingw/libarm32/playsndsrv.def new file mode 100644 index 0000000000..3d2a36e743 --- /dev/null +++ b/lib/libc/mingw/libarm32/playsndsrv.def @@ -0,0 +1,9 @@ +; +; Definition file of PlaySndSrv.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PlaySndSrv.DLL" +EXPORTS +PlaySoundServerInitialize +PlaySoundServerTerminate diff --git a/lib/libc/mingw/libarm32/ploptin.def b/lib/libc/mingw/libarm32/ploptin.def new file mode 100644 index 0000000000..37973755a2 --- /dev/null +++ b/lib/libc/mingw/libarm32/ploptin.def @@ -0,0 +1,8 @@ +; +; Definition file of ploptin.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ploptin.dll" +EXPORTS +IsApplicationEligibleForPrelaunch diff --git a/lib/libc/mingw/libarm32/pnpclean.def b/lib/libc/mingw/libarm32/pnpclean.def new file mode 100644 index 0000000000..67917cfe5a --- /dev/null +++ b/lib/libc/mingw/libarm32/pnpclean.def @@ -0,0 +1,8 @@ +; +; Definition file of PNPCLEAN.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PNPCLEAN.dll" +EXPORTS +RunDLL_PnpClean diff --git a/lib/libc/mingw/libarm32/pnpts.def b/lib/libc/mingw/libarm32/pnpts.def new file mode 100644 index 0000000000..ee8573168d --- /dev/null +++ b/lib/libc/mingw/libarm32/pnpts.def @@ -0,0 +1,10 @@ +; +; Definition file of pnpts.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pnpts.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/pnpui.def b/lib/libc/mingw/libarm32/pnpui.def new file mode 100644 index 0000000000..97828bc586 --- /dev/null +++ b/lib/libc/mingw/libarm32/pnpui.def @@ -0,0 +1,10 @@ +; +; Definition file of pnpui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pnpui.dll" +EXPORTS +InstallSecurityPrompt +InstallSecurityPromptRunDllW +SimplifiedDINotificationW diff --git a/lib/libc/mingw/libarm32/pnrpauto.def b/lib/libc/mingw/libarm32/pnrpauto.def new file mode 100644 index 0000000000..60a5e340c2 --- /dev/null +++ b/lib/libc/mingw/libarm32/pnrpauto.def @@ -0,0 +1,9 @@ +; +; Definition file of pnrpauto.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pnrpauto.dll" +EXPORTS +PnrpAutoSVCServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/pnrpnsp.def b/lib/libc/mingw/libarm32/pnrpnsp.def new file mode 100644 index 0000000000..7e2cd947d5 --- /dev/null +++ b/lib/libc/mingw/libarm32/pnrpnsp.def @@ -0,0 +1,8 @@ +; +; Definition file of PNRPNSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PNRPNSP.dll" +EXPORTS +NSPStartup diff --git a/lib/libc/mingw/libarm32/pnrpsvc.def b/lib/libc/mingw/libarm32/pnrpsvc.def new file mode 100644 index 0000000000..4d921e12e4 --- /dev/null +++ b/lib/libc/mingw/libarm32/pnrpsvc.def @@ -0,0 +1,10 @@ +; +; Definition file of pnrpsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pnrpsvc.dll" +EXPORTS +IMServiceMain +SVCServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/polstore.def b/lib/libc/mingw/libarm32/polstore.def new file mode 100644 index 0000000000..754ce46632 --- /dev/null +++ b/lib/libc/mingw/libarm32/polstore.def @@ -0,0 +1,66 @@ +; +; Definition file of POLSTORE.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "POLSTORE.DLL" +EXPORTS +GenerateIPSECPolicy +ProcessIPSECPolicyEx +WriteDirectoryPolicyToWMI +IPSecAllocPolMem +IPSecAllocPolStr +IPSecAssignPolicy +IPSecClearWMIStore +IPSecClosePolicyStore +IPSecCopyAuthMethod +IPSecCopyFilterData +IPSecCopyFilterSpec +IPSecCopyISAKMPData +IPSecCopyNFAData +IPSecCopyNegPolData +IPSecCopyPolicyData +IPSecCreateFilterData +IPSecCreateISAKMPData +IPSecCreateNFAData +IPSecCreateNegPolData +IPSecCreatePolicyData +IPSecDeleteFilterData +IPSecDeleteISAKMPData +IPSecDeleteNFAData +IPSecDeleteNegPolData +IPSecDeletePolicyData +IPSecEnumFilterData +IPSecEnumISAKMPData +IPSecEnumNFAData +IPSecEnumNegPolData +IPSecEnumPolicyData +IPSecExportPolicies +IPSecFreeFilterData +IPSecFreeFilterSpec +IPSecFreeFilterSpecs +IPSecFreeISAKMPData +IPSecFreeMulFilterData +IPSecFreeMulISAKMPData +IPSecFreeMulNFAData +IPSecFreeMulNegPolData +IPSecFreeMulPolicyData +IPSecFreeNFAData +IPSecFreeNegPolData +IPSecFreePolStr +IPSecFreePolicyData +IPSecGetAssignedPolicyData +IPSecGetFilterData +IPSecGetISAKMPData +IPSecGetNegPolData +IPSecImportPolicies +IPSecIsDomainPolicyAssigned +IPSecOpenPolicyStore +IPSecSetFilterData +IPSecSetISAKMPData +IPSecSetNFAData +IPSecSetNegPolData +IPSecSetPolicyData +IPSecUnassignPolicy +RegCreateNFAData +RegCreatePolicyData diff --git a/lib/libc/mingw/libarm32/portabledeviceclassextension.def b/lib/libc/mingw/libarm32/portabledeviceclassextension.def new file mode 100644 index 0000000000..b8f53c483b --- /dev/null +++ b/lib/libc/mingw/libarm32/portabledeviceclassextension.def @@ -0,0 +1,8 @@ +; +; Definition file of PORTABLEDEVICECLASSEXTENSION.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PORTABLEDEVICECLASSEXTENSION.dll" +EXPORTS +Microsoft_WDF_UMDF_Version DATA diff --git a/lib/libc/mingw/libarm32/pots.def b/lib/libc/mingw/libarm32/pots.def new file mode 100644 index 0000000000..12c7fd5aec --- /dev/null +++ b/lib/libc/mingw/libarm32/pots.def @@ -0,0 +1,10 @@ +; +; Definition file of pots.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pots.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/powerwmiprovider.def b/lib/libc/mingw/libarm32/powerwmiprovider.def new file mode 100644 index 0000000000..a212de877e --- /dev/null +++ b/lib/libc/mingw/libarm32/powerwmiprovider.def @@ -0,0 +1,991 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PowerWmiProvider.dll" +EXPORTS +GetProviderClassID +MI_Main +t100 DATA +t101 DATA +t102 DATA +t103 DATA +t104 DATA +t105 DATA +t106 DATA +t107 DATA +t108 DATA +t109 DATA +t110 DATA +t111 DATA +t112 DATA +t113 DATA +t114 DATA +t115 DATA +t116 DATA +t117 DATA +t118 DATA +t119 DATA +t120 DATA +t121 DATA +t122 DATA +t123 DATA +t124 DATA +t125 DATA +t126 DATA +t127 DATA +t128 DATA +t129 DATA +t130 DATA +t131 DATA +t132 DATA +t133 DATA +t134 DATA +t135 DATA +t136 DATA +t137 DATA +t138 DATA +t139 DATA +t140 DATA +t141 DATA +t142 DATA +t143 DATA +t144 DATA +t145 DATA +t146 DATA +t147 DATA +t148 DATA +t149 DATA +t150 DATA +t151 DATA +t152 DATA +t152.m1 +t152.m2 +t152.m3 +t152.m4 +t153 DATA +t153.m0 +t153.m1 +t153.m2 +t154 DATA +t155 DATA +t156 DATA +t157 DATA +t158 DATA +t159 DATA +t160 DATA +t161 DATA +t162 DATA +t163 DATA +t164 DATA +t165 DATA +t166 DATA +t21 DATA +t22 DATA +t23 DATA +t24 DATA +t25 DATA +t26 DATA +t27 DATA +t28 DATA +t283 DATA +t29 DATA +t30 DATA +t304 DATA +t305 DATA +t306 DATA +t307 DATA +t307.m1 +t307.m2 +t308 DATA +t309 DATA +t31 DATA +t310 DATA +t312 DATA +t313 DATA +t314 DATA +t315 DATA +t316 DATA +t317 DATA +t318 DATA +t319 DATA +t32 DATA +t320 DATA +t321 DATA +t322 DATA +t323 DATA +t324 DATA +t325 DATA +t326 DATA +t327 DATA +t328 DATA +t329 DATA +t33 DATA +t330 DATA +t331 DATA +t332 DATA +t333 DATA +t333.m1 +t333.m2 +t334 DATA +t335 DATA +t336 DATA +t338 DATA +t339 DATA +t339.m1 +t339.m2 +t34 DATA +t340 DATA +t341 DATA +t342 DATA +t343 DATA +t344 DATA +t345 DATA +t347 DATA +t348 DATA +t349 DATA +t35 DATA +t350 DATA +t351 DATA +t353 DATA +t354 DATA +t354.m1 +t354.m2 +t355 DATA +t356 DATA +t357 DATA +t359 DATA +t36 DATA +t360 DATA +t361 DATA +t362 DATA +t363 DATA +t364 DATA +t365 DATA +t366 DATA +t367 DATA +t368 DATA +t368.m1 +t368.m2 +t369 DATA +t37 DATA +t370 DATA +t371 DATA +t372 DATA +t373 DATA +t375 DATA +t376 DATA +t376.m1 +t376.m2 +t377 DATA +t378 DATA +t379 DATA +t38 DATA +t380 DATA +t381 DATA +t382 DATA +t383 DATA +t384 DATA +t385 DATA +t387 DATA +t388 DATA +t389 DATA +t39 DATA +t390 DATA +t391 DATA +t392 DATA +t393 DATA +t394 DATA +t395 DATA +t396 DATA +t397 DATA +t398 DATA +t399 DATA +t40 DATA +t400 DATA +t401 DATA +t402 DATA +t402.m1 +t402.m2 +t403 DATA +t404 DATA +t405 DATA +t406 DATA +t407 DATA +t409 DATA +t41 DATA +t410 DATA +t410.m1 +t410.m2 +t411 DATA +t412 DATA +t413 DATA +t414 DATA +t415 DATA +t416 DATA +t417 DATA +t418 DATA +t419 DATA +t42 DATA +t420 DATA +t421 DATA +t422 DATA +t423 DATA +t425 DATA +t426 DATA +t426.m1 +t426.m2 +t427 DATA +t428 DATA +t429 DATA +t43 DATA +t431 DATA +t432 DATA +t433 DATA +t434 DATA +t435 DATA +t436 DATA +t437 DATA +t438 DATA +t439 DATA +t44 DATA +t440 DATA +t441 DATA +t442 DATA +t442.m1 +t442.m2 +t443 DATA +t444 DATA +t445 DATA +t446 DATA +t447 DATA +t449 DATA +t45 DATA +t450 DATA +t451 DATA +t452 DATA +t453 DATA +t454 DATA +t455 DATA +t456 DATA +t457 DATA +t458 DATA +t459 DATA +t46 DATA +t460 DATA +t461 DATA +t462 DATA +t463 DATA +t464 DATA +t465 DATA +t466 DATA +t467 DATA +t468 DATA +t469 DATA +t47 DATA +t470 DATA +t471 DATA +t472 DATA +t472.m1 +t472.m2 +t473 DATA +t474 DATA +t475 DATA +t476 DATA +t477 DATA +t478 DATA +t479 DATA +t48 DATA +t481 DATA +t482 DATA +t483 DATA +t484 DATA +t485 DATA +t486 DATA +t487 DATA +t488 DATA +t489 DATA +t49 DATA +t490 DATA +t490.m1 +t490.m2 +t491 DATA +t492 DATA +t493 DATA +t494 DATA +t495 DATA +t496 DATA +t497 DATA +t499 DATA +t50 DATA +t500 DATA +t501 DATA +t501.m31 +t501.m32 +t501.m33 +t501.m34 +t501.m35 +t501.m36 +t501.m37 +t501.m38 +t501.m39 +t501.m4 +t501.m40 +t501.m41 +t501.m42 +t501.m5 +t501.m6 +t502 DATA +t503 DATA +t504 DATA +t504.m0 +t505 DATA +t506 DATA +t507 DATA +t508 DATA +t508.m0 +t509 DATA +t51 DATA +t510 DATA +t510.m0 +t510.m1 +t511 DATA +t512 DATA +t512.m0 +t512.m1 +t513 DATA +t514 DATA +t514.m0 +t514.m1 +t515 DATA +t516 DATA +t517 DATA +t517.m0 +t517.m1 +t518 DATA +t519 DATA +t52 DATA +t520 DATA +t521 DATA +t522 DATA +t522.m0 +t523 DATA +t524 DATA +t525 DATA +t526 DATA +t526.m0 +t527 DATA +t528 DATA +t528.m0 +t528.m1 +t529 DATA +t53 DATA +t530 DATA +t531 DATA +t532 DATA +t533 DATA +t534 DATA +t535 DATA +t536 DATA +t537 DATA +t538 DATA +t539 DATA +t54 DATA +t540 DATA +t541 DATA +t542 DATA +t543 DATA +t543.m2 +t543.m21 +t543.m22 +t543.m23 +t543.m24 +t543.m25 +t543.m26 +t543.m27 +t544 DATA +t545 DATA +t545.m1 +t546 DATA +t547 DATA +t547.m2 +t547.m4 +t547.m5 +t548 DATA +t549 DATA +t55 DATA +t550 DATA +t550.m19 +t550.m2 +t550.m20 +t550.m21 +t550.m22 +t550.m23 +t550.m24 +t550.m25 +t551 DATA +t552 DATA +t552.m1 +t553 DATA +t554 DATA +t554.m2 +t554.m4 +t554.m5 +t555 DATA +t556 DATA +t557 DATA +t557.m16 +t557.m17 +t557.m18 +t557.m19 +t557.m2 +t557.m3 +t558 DATA +t559 DATA +t559.m1 +t56 DATA +t560 DATA +t561 DATA +t561.m2 +t561.m4 +t561.m5 +t562 DATA +t563 DATA +t564 DATA +t564.m2 +t564.m21 +t564.m22 +t564.m23 +t564.m24 +t564.m25 +t564.m26 +t564.m27 +t565 DATA +t566 DATA +t566.m1 +t567 DATA +t568 DATA +t568.m2 +t568.m4 +t568.m5 +t569 DATA +t57 DATA +t570 DATA +t571 DATA +t571.m10 +t571.m11 +t571.m2 +t571.m3 +t571.m4 +t571.m5 +t571.m7 +t571.m8 +t571.m9 +t572 DATA +t573 DATA +t574 DATA +t575 DATA +t575.m2 +t575.m4 +t575.m5 +t576 DATA +t577 DATA +t578 DATA +t578.m10 +t578.m11 +t578.m12 +t578.m13 +t578.m2 +t578.m24 +t578.m25 +t578.m26 +t578.m27 +t578.m28 +t578.m29 +t578.m30 +t578.m31 +t579 DATA +t58 DATA +t580 DATA +t580.m1 +t581 DATA +t582 DATA +t582.m2 +t582.m4 +t582.m5 +t583 DATA +t584 DATA +t585 DATA +t585.m19 +t585.m2 +t585.m20 +t585.m21 +t585.m22 +t585.m23 +t585.m24 +t585.m25 +t586 DATA +t587 DATA +t587.m1 +t588 DATA +t589 DATA +t589.m2 +t589.m4 +t589.m5 +t59 DATA +t590 DATA +t591 DATA +t592 DATA +t592.m2 +t592.m29 +t592.m30 +t592.m31 +t592.m32 +t592.m33 +t592.m34 +t592.m35 +t593 DATA +t594 DATA +t594.m1 +t595 DATA +t596 DATA +t596.m2 +t596.m4 +t596.m5 +t597 DATA +t598 DATA +t599 DATA +t599.m2 +t599.m21 +t599.m22 +t599.m23 +t599.m24 +t599.m25 +t599.m26 +t599.m27 +t60 DATA +t600 DATA +t601 DATA +t601.m1 +t602 DATA +t603 DATA +t603.m2 +t603.m4 +t603.m5 +t604 DATA +t605 DATA +t606 DATA +t606.m12 +t606.m13 +t606.m2 +t606.m24 +t606.m25 +t606.m26 +t606.m27 +t606.m28 +t606.m29 +t606.m3 +t607 DATA +t608 DATA +t608.m1 +t609 DATA +t61 DATA +t610 DATA +t610.m2 +t610.m4 +t610.m5 +t611 DATA +t612 DATA +t613 DATA +t614 DATA +t614.m10 +t614.m11 +t614.m2 +t614.m3 +t614.m4 +t614.m5 +t614.m7 +t614.m8 +t614.m9 +t615 DATA +t616 DATA +t617 DATA +t618 DATA +t618.m2 +t618.m4 +t618.m5 +t619 DATA +t62 DATA +t620 DATA +t621 DATA +t621.m19 +t621.m2 +t621.m20 +t621.m21 +t621.m22 +t621.m23 +t621.m24 +t621.m25 +t622 DATA +t623 DATA +t623.m1 +t624 DATA +t625 DATA +t625.m2 +t625.m4 +t625.m5 +t626 DATA +t627 DATA +t628 DATA +t629 DATA +t63 DATA +t630 DATA +t631 DATA +t631.m0 +t632 DATA +t633 DATA +t634 DATA +t635 DATA +t635.m1 +t635.m2 +t635.m3 +t635.m4 +t635.m5 +t635.m6 +t636 DATA +t637 DATA +t638 DATA +t638.m1 +t638.m2 +t638.m3 +t638.m4 +t638.m5 +t638.m6 +t638.m7 +t638.m8 +t638.m9 +t639 DATA +t639.m1 +t639.m2 +t639.m3 +t639.m4 +t639.m5 +t639.m6 +t639.m7 +t639.m8 +t639.m9 +t64 DATA +t640 DATA +t640.m1 +t640.m2 +t640.m3 +t640.m4 +t640.m5 +t640.m6 +t641 DATA +t641.m1 +t641.m2 +t641.m3 +t641.m4 +t641.m5 +t641.m6 +t641.m7 +t641.m8 +t641.m9 +t642 DATA +t642.m1 +t642.m2 +t642.m3 +t642.m4 +t642.m5 +t643 DATA +t643.m1 +t643.m2 +t643.m3 +t643.m4 +t643.m5 +t644 DATA +t644.m1 +t644.m2 +t644.m3 +t644.m4 +t644.m5 +t645 DATA +t645.m1 +t645.m2 +t645.m3 +t645.m4 +t645.m5 +t645.m6 +t645.m7 +t645.m8 +t645.m9 +t646 DATA +t646.m1 +t646.m2 +t646.m3 +t646.m4 +t646.m5 +t646.m6 +t646.m7 +t646.m8 +t646.m9 +t647 DATA +t647.m1 +t647.m2 +t647.m3 +t647.m4 +t647.m5 +t648 DATA +t648.m1 +t648.m2 +t648.m3 +t648.m4 +t648.m5 +t65 DATA +t650 DATA +t650.m0 +t650.m1 +t650.m10 +t650.m11 +t650.m2 +t650.m3 +t650.m4 +t650.m5 +t650.m6 +t650.m7 +t650.m8 +t650.m9 +t651 DATA +t651.m0 +t651.m1 +t651.m2 +t651.m3 +t651.m4 +t652 DATA +t652.m0 +t652.m1 +t652.m2 +t652.m3 +t652.m4 +t653 DATA +t653.m0 +t653.m1 +t653.m2 +t653.m3 +t653.m4 +t654 DATA +t654.m0 +t654.m1 +t654.m2 +t654.m3 +t654.m4 +t655 DATA +t655.m0 +t655.m1 +t655.m2 +t655.m3 +t655.m4 +t656 DATA +t656.m0 +t656.m1 +t656.m2 +t656.m3 +t656.m4 +t657 DATA +t657.m0 +t657.m1 +t657.m2 +t657.m3 +t657.m4 +t658 DATA +t658.m0 +t658.m1 +t658.m2 +t658.m3 +t658.m4 +t659 DATA +t659.m0 +t659.m1 +t659.m2 +t659.m3 +t659.m4 +t66 DATA +t660 DATA +t660.m0 +t660.m1 +t660.m2 +t660.m3 +t660.m4 +t661 DATA +t661.m0 +t661.m1 +t661.m2 +t661.m3 +t661.m4 +t662 DATA +t662.m0 +t662.m1 +t662.m2 +t662.m3 +t662.m4 +t663 DATA +t663.m0 +t663.m1 +t663.m2 +t663.m3 +t663.m4 +t664 DATA +t664.m0 +t664.m1 +t664.m2 +t664.m3 +t664.m4 +t665 DATA +t665.m0 +t665.m1 +t665.m2 +t665.m3 +t665.m4 +t666 DATA +t666.m0 +t666.m1 +t666.m2 +t666.m3 +t666.m4 +t667 DATA +t667.m0 +t667.m1 +t667.m2 +t667.m3 +t667.m4 +t668 DATA +t668.m0 +t668.m1 +t668.m2 +t668.m3 +t668.m4 +t669 DATA +t669.m0 +t669.m1 +t669.m2 +t669.m3 +t669.m4 +t67 DATA +t670 DATA +t670.m0 +t670.m1 +t670.m2 +t670.m3 +t670.m4 +t671 DATA +t671.m0 +t671.m1 +t671.m2 +t671.m3 +t671.m4 +t672 DATA +t672.m0 +t672.m1 +t672.m2 +t672.m3 +t672.m4 +t673 DATA +t673.m0 +t673.m1 +t673.m2 +t673.m3 +t673.m4 +t674 DATA +t674.m0 +t674.m1 +t674.m2 +t674.m3 +t674.m4 +t675 DATA +t675.m0 +t675.m1 +t675.m2 +t675.m3 +t675.m4 +t676 DATA +t676.m0 +t676.m1 +t676.m2 +t676.m3 +t676.m4 +t677 DATA +t677.m0 +t677.m1 +t677.m2 +t677.m3 +t677.m4 +t678 DATA +t678.m0 +t678.m1 +t678.m2 +t678.m3 +t678.m4 +t679 DATA +t679.m0 +t679.m1 +t679.m2 +t679.m3 +t679.m4 +t68 DATA +t680 DATA +t680.m0 +t680.m1 +t680.m2 +t680.m3 +t680.m4 +t681 DATA +t681.m0 +t681.m1 +t681.m2 +t681.m3 +t681.m4 +t682 DATA +t682.m0 +t682.m1 +t682.m2 +t682.m3 +t682.m4 +t683 DATA +t683.m0 +t683.m1 +t683.m2 +t683.m3 +t683.m4 +t69 DATA +t70 DATA +t71 DATA +t72 DATA +t73 DATA +t74 DATA +t75 DATA +t76 DATA +t77 DATA +t78 DATA +t79 DATA +t80 DATA +t81 DATA +t82 DATA +t83 DATA +t84 DATA +t85 DATA +t86 DATA +t87 DATA +t88 DATA +t89 DATA +t90 DATA +t91 DATA +t92 DATA +t93 DATA +t94 DATA +t95 DATA +t96 DATA +t97 DATA +t98 DATA +t99 DATA diff --git a/lib/libc/mingw/libarm32/printfilterpipelineprxy.def b/lib/libc/mingw/libarm32/printfilterpipelineprxy.def new file mode 100644 index 0000000000..54a0ac397a --- /dev/null +++ b/lib/libc/mingw/libarm32/printfilterpipelineprxy.def @@ -0,0 +1,13 @@ +; +; Definition file of PrintFilterPipelinePrxy.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PrintFilterPipelinePrxy.DLL" +EXPORTS +GetPrintProcessorCapabilities +ClosePrintProcessor +ControlPrintProcessor +EnumPrintProcessorDatatypesW +OpenPrintProcessor +PrintDocumentOnPrintProcessor diff --git a/lib/libc/mingw/libarm32/printui.def b/lib/libc/mingw/libarm32/printui.def new file mode 100644 index 0000000000..f90594c415 --- /dev/null +++ b/lib/libc/mingw/libarm32/printui.def @@ -0,0 +1,34 @@ +; +; Definition file of PRINTUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PRINTUI.dll" +EXPORTS +ConstructPrinterFriendlyName +PnPInterface +PrintUIEntryW +PrinterPropPageProvider +ReleaseArgv +StringToArgv +ConnectToPrinterDlg +DocumentPropertiesWrap +LaunchPlatformHelp +PrintNotifyTray_Exit +PrintNotifyTray_Init +PrintUIDownloadAndInstallLegacyDriver +RegisterPrintNotify +ShowErrorMessageHR +ShowErrorMessageSC +ShowHelpLinkDialog +UnregisterPrintNotify +bFolderEnumPrinters +bFolderGetPrinter +bFolderRefresh +bPrinterSetup +vDocumentDefaults +vPrinterPropPages +vQueueCreate +vServerPropPages +ord_32 @32 +PrintUIEntryDPIAwareW diff --git a/lib/libc/mingw/libarm32/prnntfy.def b/lib/libc/mingw/libarm32/prnntfy.def new file mode 100644 index 0000000000..909d6fff9d --- /dev/null +++ b/lib/libc/mingw/libarm32/prnntfy.def @@ -0,0 +1,10 @@ +; +; Definition file of prnntfy.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "prnntfy.dll" +EXPORTS +AsyncUILoaderEntryW +PrintNotifyTray_Exit +PrintNotifyTray_Init diff --git a/lib/libc/mingw/libarm32/procinst.def b/lib/libc/mingw/libarm32/procinst.def new file mode 100644 index 0000000000..413a641734 --- /dev/null +++ b/lib/libc/mingw/libarm32/procinst.def @@ -0,0 +1,8 @@ +; +; Definition file of procinst.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "procinst.dll" +EXPORTS +ProcessorClassInstall diff --git a/lib/libc/mingw/libarm32/profext.def b/lib/libc/mingw/libarm32/profext.def new file mode 100644 index 0000000000..8fd13d32a5 --- /dev/null +++ b/lib/libc/mingw/libarm32/profext.def @@ -0,0 +1,27 @@ +; +; Definition file of PROFEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PROFEXT.dll" +EXPORTS +CreateAppContainerProfileWorker +CreateDirectoryJunctionsForSystemWorker +CreateDirectoryJunctionsForUserProfileWorker +CreateGroupExWorker +CreateLinkFileExWorker +DeleteAppContainerProfileWorker +DeleteGroupWorker +DeleteLinkFileWorker +DeriveAppContainerSidFromAppContainerNameWorker +DeriveRestrictedAppContainerSidFromAppContainerSidAndRestrictedNameWorker +GetAppContainerFolderPathWorker +GetAppContainerRegistryLocationWorker +LookupAppContainerDisplayNameWorker +ProcessGroupPolicyCompletedExWorker +ProcessGroupPolicyCompletedWorker +RsopAccessCheckByTypeWorker +RsopFileAccessCheckWorker +RsopResetPolicySettingStatusWorker +RsopSetPolicySettingStatusWorker +UpdateAppContainerProfileWorker diff --git a/lib/libc/mingw/libarm32/profsvc.def b/lib/libc/mingw/libarm32/profsvc.def new file mode 100644 index 0000000000..e58babd32f --- /dev/null +++ b/lib/libc/mingw/libarm32/profsvc.def @@ -0,0 +1,11 @@ +; +; Definition file of PROFSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PROFSVC.dll" +EXPORTS +UserProfileServiceMain +GetExclusionListFromRegistry +GetUserChoiceForSlowLink +GetUserPreferenceValue diff --git a/lib/libc/mingw/libarm32/profsvcext.def b/lib/libc/mingw/libarm32/profsvcext.def new file mode 100644 index 0000000000..fd0dbf00c4 --- /dev/null +++ b/lib/libc/mingw/libarm32/profsvcext.def @@ -0,0 +1,14 @@ +; +; Definition file of PROFSVCEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PROFSVCEXT.dll" +EXPORTS +CreateRoamingProviderInstance +ConnectToRoamingVhdProfile +InitializeSuspendFolderPolicyAndUploadTaskConfig +RefreshSuspendFolderPolicyAndUploadTaskConfig +StartRoamingClassFactories +StopRoamingClassFactories +WaitForNetworkForRoamingProfile diff --git a/lib/libc/mingw/libarm32/provsvc.def b/lib/libc/mingw/libarm32/provsvc.def new file mode 100644 index 0000000000..3bfde72a34 --- /dev/null +++ b/lib/libc/mingw/libarm32/provsvc.def @@ -0,0 +1,8 @@ +; +; Definition file of PROVIDER.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PROVIDER.dll" +EXPORTS +ProviderServiceMain diff --git a/lib/libc/mingw/libarm32/proximitycommonpal.def b/lib/libc/mingw/libarm32/proximitycommonpal.def new file mode 100644 index 0000000000..23eb09e540 --- /dev/null +++ b/lib/libc/mingw/libarm32/proximitycommonpal.def @@ -0,0 +1,15 @@ +; +; Definition file of ProximityCommonPal.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ProximityCommonPal.dll" +EXPORTS +PAL_AppHasPackage +PAL_FreeTransientObjectSecurityAttribute +PAL_GetAppPlatformQualifier +PAL_GetSupportedBrowseTypes +PAL_HoldReferenceUntilAppExit +PAL_QueryTransientObjectSecurityAttribute +PAL_RegisterAppSuspendResumeCallback +PAL_UnregisterAppSuspendResumeCallback diff --git a/lib/libc/mingw/libarm32/proximityrtapipal.def b/lib/libc/mingw/libarm32/proximityrtapipal.def new file mode 100644 index 0000000000..b70d0e3ff6 --- /dev/null +++ b/lib/libc/mingw/libarm32/proximityrtapipal.def @@ -0,0 +1,13 @@ +; +; Definition file of ProximityRtapiPal.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ProximityRtapiPal.dll" +EXPORTS +PAL_App2DeviceFindAllPeers +PAL_CheckForApp2DeviceAlternateId +PAL_CheckForBluetoothSupport +PAL_GetCurrentProcessExplicitAppUserModelID +PAL_ParseAppUserModelId +PAL_SetCurrentProcessExplicitAppUserModelID diff --git a/lib/libc/mingw/libarm32/proximityservice.def b/lib/libc/mingw/libarm32/proximityservice.def new file mode 100644 index 0000000000..9ca7a9806c --- /dev/null +++ b/lib/libc/mingw/libarm32/proximityservice.def @@ -0,0 +1,13 @@ +; +; Definition file of ProximityService.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ProximityService.dll" +EXPORTS +InitProximityService +SessionChangedEvent +GetProximityClientCount +CleanupProximityService +ord_14 @14 +InitProximityServiceEx diff --git a/lib/libc/mingw/libarm32/proximityservicepal.def b/lib/libc/mingw/libarm32/proximityservicepal.def new file mode 100644 index 0000000000..509327d896 --- /dev/null +++ b/lib/libc/mingw/libarm32/proximityservicepal.def @@ -0,0 +1,34 @@ +; +; Definition file of ProximityServicePAL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ProximityServicePAL.dll" +EXPORTS +PAL_AllowNetworkInterface +PAL_BluetoothEnableDiscovery +PAL_BluetoothFindDeviceClose +PAL_BluetoothFindFirstDevice +PAL_BluetoothFindFirstRadio +PAL_BluetoothFindRadioClose +PAL_BluetoothOpenFirewall +PAL_ConvertAppIdToPackageName +PAL_CreateForegroundNotifier +PAL_CreateUnicastIpAddressEntry +PAL_DeleteUnicastIpAddressEntry +PAL_FWIndicateTupleInUse +PAL_FWResetIndicatedTupleInUse +PAL_GetCallingApplicationInfo +PAL_GetConsoleSessionInfo +PAL_HasWFDHardwareSupport +PAL_IsInteractiveApplicationId +PAL_IsMachineDomainJoined +PAL_OpenProcessForQuery +PAL_RegisterConnectedStandbyNotification +PAL_RegisterConsoleDisplayStateNotifications +PAL_ServiceFreeTransientObjectSecurityAttribute +PAL_ServiceQueryTransientObjectSecurityAttribute +PAL_UnregisterConnectedStandbyNotification +PAL_UnregisterConsoleDisplayStateNotifications +PAL_VerifyCallerIsElevated +PAL_CoCreateInstanceInSession diff --git a/lib/libc/mingw/libarm32/prvdmofcomp.def b/lib/libc/mingw/libarm32/prvdmofcomp.def new file mode 100644 index 0000000000..414b6a1544 --- /dev/null +++ b/lib/libc/mingw/libarm32/prvdmofcomp.def @@ -0,0 +1,14 @@ +; +; Definition file of prvdmofcomp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "prvdmofcomp.dll" +EXPORTS +??0MIFree@@QAA@PAX@Z +??1MIFree@@QAA@XZ +??4MIServer@@QAAAAV0@ABV0@@Z +CompileSchemaToWMI +CreateRegisterParameter +GetProviderSchema +GetProviderSchemaFile diff --git a/lib/libc/mingw/libarm32/pshed.def b/lib/libc/mingw/libarm32/pshed.def new file mode 100644 index 0000000000..dbf5bd8699 --- /dev/null +++ b/lib/libc/mingw/libarm32/pshed.def @@ -0,0 +1,30 @@ +; +; Definition file of PSHED.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PSHED.dll" +EXPORTS +PshedAllocateMemory +PshedArePluginsPresent +PshedAttemptErrorRecovery +PshedBugCheckSystem +PshedClearErrorRecord +PshedDisableErrorSource +PshedEnableErrorSource +PshedFinalizeErrorRecord +PshedFreeMemory +PshedGetAllErrorSources +PshedGetBootErrorPacket +PshedGetErrorSourceInfo +PshedGetInjectionCapabilities +PshedInitialize +PshedInjectError +PshedIsSystemWheaEnabled +PshedMarkHiberPhase +PshedReadErrorRecord +PshedRegisterPlugin +PshedRetrieveErrorInfo +PshedSetErrorSourceInfo +PshedSynchronizeExecution +PshedWriteErrorRecord diff --git a/lib/libc/mingw/libarm32/psmodulediscoveryprovider.def b/lib/libc/mingw/libarm32/psmodulediscoveryprovider.def new file mode 100644 index 0000000000..863d5bdce5 --- /dev/null +++ b/lib/libc/mingw/libarm32/psmodulediscoveryprovider.def @@ -0,0 +1,9 @@ +; +; Definition file of PSModuleDiscoveryProvider.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PSModuleDiscoveryProvider.DLL" +EXPORTS +GetProviderClassID +MI_Main diff --git a/lib/libc/mingw/libarm32/puiapi.def b/lib/libc/mingw/libarm32/puiapi.def new file mode 100644 index 0000000000..7c5c9ba729 --- /dev/null +++ b/lib/libc/mingw/libarm32/puiapi.def @@ -0,0 +1,55 @@ +; +; Definition file of puiapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "puiapi.dll" +EXPORTS +PUIAPI_CreateInstance +PUIAPI_GetErrorString +PUIAPI_GetPrinter +PUIAPI_IWaitNotify_CreateInstance +PUIAPI_IWaitNotify_RegisterTimer +PUIAPI_IWaitNotify_RegisterWaitObject +PUIAPI_IWaitNotify_UnregisterCookie +PUIAPI_ShowBrowseForPrinterDialog +PUIAPI_ShowDetailsMessageBox +PUIAPI_ShowDriverPackageRemovalUI +STRAPI_ConvertCase +STRAPI_CrackPrintUNCName +STRAPI_FindAndReplace +STRAPI_Format +STRAPI_FormatMsg +STRAPI_FormatMsgV +STRAPI_FormatV +STRAPI_GUID2String +STRAPI_GetJobStatusString +STRAPI_GetPrinterStatusString +STRAPI_LoadString +STRAPI_MultiCat +STRAPI_String2GUID +STRAPI_TrimString +STRAPI_XMLSafeText +STRBUF_AppendString +STRBUF_Create +STRBUF_CreateBSTR +STRBUF_DeleteSubstring +STRBUF_Destroy +STRBUF_FindAndReplace +STRBUF_Format +STRBUF_InsertString +STRBUF_MultiCat +STRBUF_ToLower +STRBUF_ToUpper +STRBUF_TrimLeft +STRBUF_TrimRight +STRBUF_Truncate +STRBUF_Update +XMLAPI_GetAttributeDouble +XMLAPI_GetAttributeLong +XMLAPI_GetAttributeString +XMLAPI_GetAttributeULongLong +XMLAPI_SetAttributeDouble +XMLAPI_SetAttributeLong +XMLAPI_SetAttributeString +XMLAPI_SetAttributeULongLong diff --git a/lib/libc/mingw/libarm32/pwlauncher.def b/lib/libc/mingw/libarm32/pwlauncher.def new file mode 100644 index 0000000000..366693f13d --- /dev/null +++ b/lib/libc/mingw/libarm32/pwlauncher.def @@ -0,0 +1,8 @@ +; +; Definition file of pwlauncher.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pwlauncher.dll" +EXPORTS +ShowPortableWorkspaceLauncherConfigurationUX diff --git a/lib/libc/mingw/libarm32/pwrshplugin.def b/lib/libc/mingw/libarm32/pwrshplugin.def new file mode 100644 index 0000000000..08eb01fe0a --- /dev/null +++ b/lib/libc/mingw/libarm32/pwrshplugin.def @@ -0,0 +1,19 @@ +; +; Definition file of pwrshplugin.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "pwrshplugin.dll" +EXPORTS +GetCLRVersionForPSVersion +PerformWSManPluginReportCompletion +WSManPluginCommand +WSManPluginConnect +WSManPluginReceive +WSManPluginReleaseCommandContext +WSManPluginReleaseShellContext +WSManPluginSend +WSManPluginShell +WSManPluginShutdown +WSManPluginSignal +WSManPluginStartup diff --git a/lib/libc/mingw/libarm32/qmgr.def b/lib/libc/mingw/libarm32/qmgr.def new file mode 100644 index 0000000000..340d52bdfa --- /dev/null +++ b/lib/libc/mingw/libarm32/qmgr.def @@ -0,0 +1,29 @@ +; +; Definition file of qmgr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "qmgr.dll" +EXPORTS +??0CNestedImpersonation@@QAA@ABVTokenHandle@@@Z +??0CNestedImpersonation@@QAA@XZ +??0PROXY_SETTINGS_CONTAINER@@QAA@ABV?$GenericStringHandle@G@@ABVTokenHandle@@1PBUPROXY_SETTINGS@@@Z +??4CPerfMon@@QAAAAV0@ABV0@@Z +?BITSAlloc@@YAPAXI@Z +?BITSFree@@YAXPAX@Z +?BytesRemainingInCurrentRange@CRangeCollection@@QBA_KXZ +?CalculateBytesTotal@CRangeCollection@@IAA_NXZ +?CounterIdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__COUNTER_ID@1@@Z +?Find@CCredentialsContainer@@QBAJW4__MIDL_IBackgroundCopyJob2_0001@@W4__MIDL_IBackgroundCopyJob2_0002@@PAPAU__MIDL_IBackgroundCopyJob2_0005@@@Z +?GetCounter32@CPerfMon@@QAAPAJPAU__COUNTER_ID@1@PAU__INSTANCE_ID@1@@Z +?GetCounter64@CPerfMon@@QAAPA_JPAU__COUNTER_ID@1@PAU__INSTANCE_ID@1@@Z +?GetNetworkRouteInfo@@YAKPBGPAUsockaddr_storage@@@Z +?GetSubRanges@CRangeCollection@@QBAJ_K0KIPAPAV1@@Z +?HostFromProxyDescription@@YA?AV?$auto_ptr@G@std@@PAG@Z +?IsValidInstId@CPerfMon@@ABAHPAU__OBJECT_ORD@1@PAU__INSTANCE_ID@1@@Z +?IsValidObjOrd@CPerfMon@@ABAHPAU__OBJECT_ORD@1@@Z +?ObjectIdToPerfItem@CPerfMon@@ABAPAU_PERF_ITEM@1@PAU__OBJECT_ID@1@@Z +?ObjectIdToPerfItemIndex@CPerfMon@@ABAHPAU__OBJECT_ID@1@@Z +ServiceMain +?s_EmptyString@?$GenericStringHandle@G@@0UStringData@1@A DATA +BITSServiceMain diff --git a/lib/libc/mingw/libarm32/qshvhost.def b/lib/libc/mingw/libarm32/qshvhost.def new file mode 100644 index 0000000000..0596c6b981 --- /dev/null +++ b/lib/libc/mingw/libarm32/qshvhost.def @@ -0,0 +1,19 @@ +; +; Definition file of QShvHost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "QShvHost.dll" +EXPORTS +QuarCreateSession +QuarDestroySession +QuarFreeMemory +QuarInitialize +QuarSessionEvaluateClientMachineHealth +QuarSessionGetFixupServerList +QuarSessionGetId +QuarSessionGetMachineInventory +QuarSessionGetShvResultList +QuarSessionGetSoHResponse +QuarSessionSetNewQuarantineStatus +QuarUninitialize diff --git a/lib/libc/mingw/libarm32/racengn.def b/lib/libc/mingw/libarm32/racengn.def new file mode 100644 index 0000000000..2f80530f51 --- /dev/null +++ b/lib/libc/mingw/libarm32/racengn.def @@ -0,0 +1,9 @@ +; +; Definition file of RacEngn.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RacEngn.DLL" +EXPORTS +RacSysprepGeneralize +RacSysprepSpecialize diff --git a/lib/libc/mingw/libarm32/racpldlg.def b/lib/libc/mingw/libarm32/racpldlg.def new file mode 100644 index 0000000000..c0c5d793e0 --- /dev/null +++ b/lib/libc/mingw/libarm32/racpldlg.def @@ -0,0 +1,8 @@ +; +; Definition file of RESMON.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RESMON.dll" +EXPORTS +ShowPasswordDialog diff --git a/lib/libc/mingw/libarm32/radardt.def b/lib/libc/mingw/libarm32/radardt.def new file mode 100644 index 0000000000..af49ad97cf --- /dev/null +++ b/lib/libc/mingw/libarm32/radardt.def @@ -0,0 +1,11 @@ +; +; Definition file of radardt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "radardt.dll" +EXPORTS +RdrSysprepSpecialize +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/radarrs.def b/lib/libc/mingw/libarm32/radarrs.def new file mode 100644 index 0000000000..fecd80c3a2 --- /dev/null +++ b/lib/libc/mingw/libarm32/radarrs.def @@ -0,0 +1,10 @@ +; +; Definition file of radarrs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "radarrs.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/radcui.def b/lib/libc/mingw/libarm32/radcui.def new file mode 100644 index 0000000000..7a9de245d0 --- /dev/null +++ b/lib/libc/mingw/libarm32/radcui.def @@ -0,0 +1,9 @@ +; +; Definition file of RADCUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RADCUI.dll" +EXPORTS +DUISubscribeWizardModal +DUIRemoveSubscriptionDialogModal diff --git a/lib/libc/mingw/libarm32/rascfg.def b/lib/libc/mingw/libarm32/rascfg.def new file mode 100644 index 0000000000..e1179f37b5 --- /dev/null +++ b/lib/libc/mingw/libarm32/rascfg.def @@ -0,0 +1,8 @@ +; +; Definition file of rascfg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rascfg.dll" +EXPORTS +ModemClassCoInstaller diff --git a/lib/libc/mingw/libarm32/raschapext.def b/lib/libc/mingw/libarm32/raschapext.def new file mode 100644 index 0000000000..01d5458f72 --- /dev/null +++ b/lib/libc/mingw/libarm32/raschapext.def @@ -0,0 +1,13 @@ +; +; Definition file of RASCHAPEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RASCHAPEXT.dll" +EXPORTS +RasChapExt_FreeMemory +RasChapExt_GetConfigForceNotDomainJoined +RasChapExt_GetConfigIgnoreIASLogon +RasChapExt_GetConfigKeepCredentialsOnFailure +RasChapExt_GetUserCredentials +RasChapExt_ShowHelp diff --git a/lib/libc/mingw/libarm32/rascustom.def b/lib/libc/mingw/libarm32/rascustom.def new file mode 100644 index 0000000000..99d0537879 --- /dev/null +++ b/lib/libc/mingw/libarm32/rascustom.def @@ -0,0 +1,14 @@ +; +; Definition file of RASCUSTOM.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RASCUSTOM.DLL" +EXPORTS +InitializeProtocolEngine +SendMessageToProtocolEngine +UninitializeProtocolEngine +VpnBrokerPluginIsInstalled +VpnBrokerRegisterForPluginInstallations +VpnSmCommsPluginsNotifyLogOff +VpnSmCommsPluginsRoamToBestCostInterface diff --git a/lib/libc/mingw/libarm32/rasman.def b/lib/libc/mingw/libarm32/rasman.def new file mode 100644 index 0000000000..b543fa7218 --- /dev/null +++ b/lib/libc/mingw/libarm32/rasman.def @@ -0,0 +1,192 @@ +; +; Definition file of rasman.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rasman.dll" +EXPORTS +IsRasmanProcess +RasActivateRoute +RasActivateRouteEx +RasAddConnectionPort +RasAddNotification +RasAddNotificationEx +RasAllocInterfaceLuidIndex +RasAllocateRoute +RasApplyPostConnectActions +RasAutoTriggerSaveCachedCreds +RasBundleClearStatistics +RasBundleClearStatisticsEx +RasBundleGetPort +RasBundleGetStatistics +RasBundleGetStatisticsEx +RasClearPortUserData +RasCompressionGetInfo +RasCompressionSetInfo +RasConnectionEnum +RasConnectionGetStatistics +RasCreateConnection +RasDeAllocateRoute +RasDeleteIkev2PskPolicy +RasDestroyConnection +RasDeviceConnect +RasDeviceEnum +RasDeviceGetInfo +RasDeviceSetInfo +RasDeviceSetInfoSafe +RasDoIke +RasEnableIpSec +RasEnumConnectionPorts +RasEnumLanNets +RasFindPrerequisiteEntry +RasFreeBuffer +RasFreeInterfaceLuidIndex +RasGetAutoTriggerData +RasGetBuffer +RasGetCalledIdInfo +RasGetCompartmentInfo +RasGetConnectInfo +RasGetConnectionParams +RasGetConnectionUserData +RasGetCustomScriptDll +RasGetDevConfig +RasGetDevConfigEx +RasGetDeviceConfigInfo +RasGetDeviceName +RasGetDeviceNameW +RasGetDialMachineEventContext +RasGetDialParams +RasGetEapUIData +RasGetEapUserInfo +RasGetFramingCapabilities +RasGetHConnFromEntry +RasGetHportFromConnection +RasGetInfo +RasGetInfoEx +RasGetKey +RasGetNdiswanDriverCaps +RasGetNotificationEntry +RasGetNumPortOpen +RasGetPortDialParams +RasGetPortUserData +RasGetProtocolInfo +RasGetTimeSinceLastActivity +RasGetTriggerAuthData +RasGetUnicodeDeviceName +RasGetUserCredentials +RasInitialize +RasInitializeNoWait +RasIsPulseDial +RasIsTrustedCustomDll +RasLinkGetStatistics +RasPlumbIkev2PskPolicy +RasPortBundle +RasPortCancelReceive +RasPortClearStatistics +RasPortClose +RasPortConnectComplete +RasPortDisconnect +RasPortEnum +RasPortEnumProtocols +RasPortFree +RasPortGetBundle +RasPortGetBundledPort +RasPortGetFramingEx +RasPortGetInfo +RasPortGetProtocolCompression +RasPortGetStatistics +RasPortGetStatisticsEx +RasPortListen +RasPortOpen +RasPortOpenEx +RasPortReceive +RasPortReceiveEx +RasPortReserve +RasPortRetrieveUserData +RasPortSend +RasPortSetFraming +RasPortSetFramingEx +RasPortSetInfo +RasPortSetProtocolCompression +RasPortStoreUserData +RasProtocolCallback +RasProtocolChangePassword +RasProtocolEnum +RasProtocolGetInfo +RasProtocolRetry +RasProtocolStart +RasProtocolStarted +RasProtocolStop +RasProtocolUpdateConnection +RasRPCBind +RasRefConnection +RasReferenceCustomCount +RasReferenceRasman +RasRegisterPnPEvent +RasRegisterPnPHandler +RasRegisterRedialCallback +RasRemoveNotificationEx +RasRequestNotification +RasRpcConnect +RasRpcConnectServer +RasRpcDeleteEntry +RasRpcDeviceEnum +RasRpcDisconnect +RasRpcDisconnectServer +RasRpcEnumConnections +RasRpcGetCountryInfo +RasRpcGetDevConfig +RasRpcGetErrorString +RasRpcGetInstalledProtocols +RasRpcGetInstalledProtocolsEx +RasRpcGetSystemDirectory +RasRpcGetUserPreferences +RasRpcGetVersion +RasRpcPortEnum +RasRpcPortGetInfo +RasRpcRemoteGetSystemDirectory +RasRpcRemoteGetUserPreferences +RasRpcRemoteRasDeleteEntry +RasRpcRemoteSetUserPreferences +RasRpcSetUserPreferences +RasRpcUnloadDll +RasSecurityDialogGetInfo +RasSecurityDialogReceive +RasSecurityDialogSend +RasSendCreds +RasSendNotification +RasSendProtocolResultToRasman +RasServerPortClose +RasSetAddressDisable +RasSetAdvConnectionParams +RasSetCachedCredentials +RasSetCalledIdInfo +RasSetCommSettings +RasSetConnectionParams +RasSetConnectionUserData +RasSetDevConfig +RasSetDeviceConfigInfo +RasSetDialMachineEventHandle +RasSetDialParams +RasSetEapInfo +RasSetEapUIData +RasSetEapUserInfo +RasSetEncPassword +RasSetIPAddresses +RasSetKey +RasSetNetworkInfo +RasSetPortUserData +RasSetRouterUsage +RasSetTriggerAuthData +RasSetTunnelEndPoints +RasSetVpnClientConnectionType +RasSetupSstpServerConfig +RasSignalActionRequired +RasSignalMonitorThreadExit +RasSignalNewConnection +RasStartProtocolRenegotiation +RasStartRasAutoIfRequired +RasUpdateAutoTriggerRegKeys +RasUpdateDefaultRouteSettings +RasUpdateQoSPolicies +RasmanUninitialize diff --git a/lib/libc/mingw/libarm32/rasmans.def b/lib/libc/mingw/libarm32/rasmans.def new file mode 100644 index 0000000000..e345f4f927 --- /dev/null +++ b/lib/libc/mingw/libarm32/rasmans.def @@ -0,0 +1,12 @@ +; +; Definition file of rasmans.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rasmans.dll" +EXPORTS +ServiceMain +ServiceRequestInProcess +SetEntryDialParams +VpnProfileMatchingNrpt +VpnProfileNrptHasExemptions diff --git a/lib/libc/mingw/libarm32/rasppp.def b/lib/libc/mingw/libarm32/rasppp.def new file mode 100644 index 0000000000..0570b8992f --- /dev/null +++ b/lib/libc/mingw/libarm32/rasppp.def @@ -0,0 +1,15 @@ +; +; Definition file of rasppp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rasppp.dll" +EXPORTS +InitializeProtocolEngine +InitializeServerProtocolEngine +PppStop +RasCpEnumProtocolIds +RasCpGetInfo +SendMessageToProtocolEngine +UninitializeProtocolEngine +UninitializeServerProtocolEngine diff --git a/lib/libc/mingw/libarm32/rastls.def b/lib/libc/mingw/libarm32/rastls.def new file mode 100644 index 0000000000..d415235941 --- /dev/null +++ b/lib/libc/mingw/libarm32/rastls.def @@ -0,0 +1,28 @@ +; +; Definition file of rastls.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rastls.dll" +EXPORTS +RasEapCreateConnectionProperties2 +RasEapCreateConnectionPropertiesXml +RasEapCreateMethodConfiguration +RasEapCreateUserProperties2 +RasEapCreateConnectionProperties +RasEapCreateUserProperties +RasEapFreeMemory +RasEapGetConfigBlobAndUserBlob +RasEapGetCredentials +RasEapGetIdentity +RasEapGetIdentityPageGuid +RasEapGetInfo +RasEapGetMethodProperties +RasEapGetNextPageGuid +RasEapInvokeConfigUI +RasEapInvokeInteractiveUI +RasEapQueryCredentialInputFields +RasEapQueryInteractiveUIInputFields +RasEapQueryUIBlobFromInteractiveUIInputFields +RasEapQueryUserBlobFromCredentialInputFields +RasEapUpdateServerConfig diff --git a/lib/libc/mingw/libarm32/rastlsext.def b/lib/libc/mingw/libarm32/rastlsext.def new file mode 100644 index 0000000000..59e8125437 --- /dev/null +++ b/lib/libc/mingw/libarm32/rastlsext.def @@ -0,0 +1,17 @@ +; +; Definition file of RASTLSEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RASTLSEXT.dll" +EXPORTS +RasTlsExt_FreeMemory +RasTlsExt_GetConfigCacheOnlyCertValidation +RasTlsExt_GetConfigForceNotDomainJoined +RasTlsExt_GetPinUserBlob +RasTlsExt_GetServerCertDetails +RasTlsExt_PackUserBlob +RasTlsExt_SelectCertificate +RasTlsExt_ShowHelp +RasTlsExt_UnpackUserBlob +RasTlsExt_ValidateServer diff --git a/lib/libc/mingw/libarm32/rdbui.def b/lib/libc/mingw/libarm32/rdbui.def new file mode 100644 index 0000000000..9a769491a6 --- /dev/null +++ b/lib/libc/mingw/libarm32/rdbui.def @@ -0,0 +1,8 @@ +; +; Definition file of rdbui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rdbui.dll" +EXPORTS +RDBMgmtLaunchPropertiesW diff --git a/lib/libc/mingw/libarm32/rdpcore.def b/lib/libc/mingw/libarm32/rdpcore.def new file mode 100644 index 0000000000..3b303fbabd --- /dev/null +++ b/lib/libc/mingw/libarm32/rdpcore.def @@ -0,0 +1,8 @@ +; +; Definition file of RDPCORE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RDPCORE.dll" +EXPORTS +RDPAPI_CreateInstance diff --git a/lib/libc/mingw/libarm32/rdpendp.def b/lib/libc/mingw/libarm32/rdpendp.def new file mode 100644 index 0000000000..6e19e41a36 --- /dev/null +++ b/lib/libc/mingw/libarm32/rdpendp.def @@ -0,0 +1,8 @@ +; +; Definition file of RdpEndpoint.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RdpEndpoint.dll" +EXPORTS +GetTSAudioEndpointEnumeratorForSession diff --git a/lib/libc/mingw/libarm32/rdsappxhelper.def b/lib/libc/mingw/libarm32/rdsappxhelper.def new file mode 100644 index 0000000000..56d2add0f1 --- /dev/null +++ b/lib/libc/mingw/libarm32/rdsappxhelper.def @@ -0,0 +1,10 @@ +; +; Definition file of RDSAppXHelper.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RDSAppXHelper.dll" +EXPORTS +DestroyAppXHelper +GetInstanceOfAppXPackageManager +InitializeAppXHelper diff --git a/lib/libc/mingw/libarm32/rdsdwmdr.def b/lib/libc/mingw/libarm32/rdsdwmdr.def new file mode 100644 index 0000000000..4cf9e354cc --- /dev/null +++ b/lib/libc/mingw/libarm32/rdsdwmdr.def @@ -0,0 +1,10 @@ +; +; Definition file of rdsdwmdr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rdsdwmdr.dll" +EXPORTS +DwmIndirectCreate +DwmIndirectOutput +DwmIndirectSetDebugFlag diff --git a/lib/libc/mingw/libarm32/rdvidcrl.def b/lib/libc/mingw/libarm32/rdvidcrl.def new file mode 100644 index 0000000000..1624a7f90e --- /dev/null +++ b/lib/libc/mingw/libarm32/rdvidcrl.def @@ -0,0 +1,32 @@ +; +; Definition file of rdvidcrl.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rdvidcrl.dll" +EXPORTS +Initialize +Uninitialize +PassportFreeMemory +CreateIdentityHandle +SetCredential +GetIdentityProperty +SetIdentityProperty +CloseIdentityHandle +AuthIdentityToService +GetAuthState +LogonIdentity +InitializeEx +LogonIdentityEx +AuthIdentityToServiceEx +GetAuthStateEx +CancelPendingRequest +GetIdentityPropertyByName +SetIdcrlOptions +GetExtendedError +GetAuthenticationStatus +GetRealmInfo +CreateIdentityHandleEx +GetToken +CreateIdentityHandle2 +GetRealmInfo2 diff --git a/lib/libc/mingw/libarm32/rdvvmtransport.def b/lib/libc/mingw/libarm32/rdvvmtransport.def new file mode 100644 index 0000000000..55c1737643 --- /dev/null +++ b/lib/libc/mingw/libarm32/rdvvmtransport.def @@ -0,0 +1,10 @@ +; +; Definition file of rdvvmtransport.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rdvvmtransport.dll" +EXPORTS +RdvTransport_CreateInstance +RdvTransport_GetInstance +RdvTransport_TerminateInstance diff --git a/lib/libc/mingw/libarm32/reagent.def b/lib/libc/mingw/libarm32/reagent.def new file mode 100644 index 0000000000..a0a3f3ca2c --- /dev/null +++ b/lib/libc/mingw/libarm32/reagent.def @@ -0,0 +1,63 @@ +; +; Definition file of ReAgent.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ReAgent.dll" +EXPORTS +WinRE_Specialize +WinReClearOemImagePath +WinReRestoreConfigAfterPBR +WinReServiceBootUxFiles +WinReServicePbrFiles +winreCollectAuxiliaryData +WinRECheckGuid +WinREUseNewPBRImage +WinRE_Generalize +WinReAddLogFile +WinReClearBootApp +WinReClearError +WinReCompleteRecovery +WinReConfigureTask +WinReCopyLogFilesToRamdisk +WinReCopySetupFiles +WinReCreateLogInstance +WinReCreateLogInstanceEx +WinReDeleteLogFiles +WinReGetConfig +WinReGetCustomization +WinReGetError +WinReGetGroupPolicies +WinReGetLogDirPath +WinReGetLogFile +WinReGetWIMInfo +WinReInstall +WinReInstallOnTargetOS +WinReIsInstallMedia +WinReIsWimBootEnabled +WinReIsWinPE +WinReOobeInstall +WinReOpenLogInstance +WinRePostBCDRepair +WinRePostRecovery +WinReRepair +WinReRestoreLogFiles +WinReSetBootApp +WinReSetConfig +WinReSetCustomization +WinReSetError +WinReSetRecoveryAction +WinReSetRecoveryActionEx +WinReSetTriggerFile +WinReSetupBackupWinRE +WinReSetupCheckWinRE +WinReSetupInstall +WinReSetupMigrateDrivers +WinReSetupRestoreWinRE +WinReSetupRestoreWinREEx +WinReSetupSetImage +WinReUnInstall +WinReUpdateLogInstance +WinReValidateRecoveryWim +winreFindInstallMedia +winreGetBinaryArch diff --git a/lib/libc/mingw/libarm32/reinfo.def b/lib/libc/mingw/libarm32/reinfo.def new file mode 100644 index 0000000000..21cfafd10c --- /dev/null +++ b/lib/libc/mingw/libarm32/reinfo.def @@ -0,0 +1,8 @@ +; +; Definition file of ReInfo.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ReInfo.dll" +EXPORTS +WinReGetConfig diff --git a/lib/libc/mingw/libarm32/reseteng.def b/lib/libc/mingw/libarm32/reseteng.def new file mode 100644 index 0000000000..74749de78d --- /dev/null +++ b/lib/libc/mingw/libarm32/reseteng.def @@ -0,0 +1,49 @@ +; +; Definition file of ResetEng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ResetEng.dll" +EXPORTS +RjvApplyData +RjvApplyDataEntryPoint +RjvBasicReset +RjvBasicResetChecks +RjvCheckBattery +RjvCheckBitLocker +RjvCheckDiskSpace +RjvCheckOsHealth +RjvCheckRecoveryImage +RjvCheckWinRE +RjvCleanup +RjvCommitReset +RjvDelayedCleanup +RjvDelayedCleanupEntryPoint +RjvFactoryReset +RjvFactoryResetChecks +RjvFinalize +RjvGenerateBMRConfigData +RjvGetVolumeInfo +RjvInitializeEngine +RjvLoadState +RjvLogFailureEntryPoint +RjvLogSuccessEntryPoint +RjvOfflineCleanup +RjvPBCDClearRollBackEntry +RjvPBCDSetRollBackEntry +RjvPDeleteFilesFromVolume +RjvPEraseVolume +RjvPostApplyDataEntryPoint +RjvPreApplyDataEntryPoint +RjvPrepareForReset +RjvReInitializeEngine +RjvRollBack +RjvSaveState +RjvSendFailureReport +RjvStageBasicReset +RjvSysResetErrBasicEntryPoint +RjvSysResetErrFactoryEntryPoint +RjvTestFunction +RjvUndoPrepareForReset +RjvUninitializeEngine +RjvVerifySystemDiskInfo diff --git a/lib/libc/mingw/libarm32/rgb9rast.def b/lib/libc/mingw/libarm32/rgb9rast.def new file mode 100644 index 0000000000..884d428690 --- /dev/null +++ b/lib/libc/mingw/libarm32/rgb9rast.def @@ -0,0 +1,37 @@ +; +; Definition file of rgbrast.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rgbrast.dll" +EXPORTS +??0PrimProcessor@@QAA@XZ +??1PrimProcessor@@QAA@XZ +??4PrimProcessor@@QAAAAV0@ABV0@@Z +?AllocSpans@PrimProcessor@@QAAJPAIPAPAUtagD3DI_RASTSPAN@@@Z +?AppendPrim@PrimProcessor@@AAAJXZ +?Begin@PrimProcessor@@QAAXXZ +?BeginPrimSet@PrimProcessor@@QAAXW4_D3DPRIMITIVETYPE@@W4_RAST_VERTEX_TYPE@@@Z +?ClrFlags@PrimProcessor@@QAAXI@Z +?End@PrimProcessor@@QAAJXZ +?FillPointSpan@PrimProcessor@@AAAXPAU_D3DTLVERTEX@@PAUtagD3DI_RASTSPAN@@@Z +?Flush@PrimProcessor@@AAAJXZ +?FlushPartial@PrimProcessor@@AAAJXZ +?FreeSpans@PrimProcessor@@QAAXI@Z +?GetFlags@PrimProcessor@@QAAIXZ +?Initialize@PrimProcessor@@QAAJXZ +?Line@PrimProcessor@@QAAJPAU_D3DTLVERTEX@@00@Z +?LineSetup@PrimProcessor@@AAAHPAU_D3DTLVERTEX@@0@Z +?NormalizeLineRHW@PrimProcessor@@AAAXPAU_D3DTLVERTEX@@0@Z +?NormalizePointRHW@PrimProcessor@@AAAXPAU_D3DTLVERTEX@@@Z +?NormalizeTriRHW@PrimProcessor@@AAAXPAU_D3DTLVERTEX@@00@Z +?Point@PrimProcessor@@QAAJPAU_D3DTLVERTEX@@0@Z +?PointDiamondCheck@PrimProcessor@@AAAHHHHH@Z +?ResetBuffer@PrimProcessor@@AAAXXZ +?SetCtx@PrimProcessor@@QAAXPAUtagD3DI_RASTCTX@@@Z +?SetFlags@PrimProcessor@@QAAXI@Z +?SetTriFunctions@PrimProcessor@@AAAXXZ +?StateChanged@PrimProcessor@@QAAXXZ +?Tri@PrimProcessor@@QAAJPAU_D3DTLVERTEX@@00@Z +?TriSetup@PrimProcessor@@AAAHPAU_D3DTLVERTEX@@00@Z +D3D9GetSWInfo diff --git a/lib/libc/mingw/libarm32/rpchttp.def b/lib/libc/mingw/libarm32/rpchttp.def new file mode 100644 index 0000000000..69248b1aeb --- /dev/null +++ b/lib/libc/mingw/libarm32/rpchttp.def @@ -0,0 +1,25 @@ +; +; Definition file of rpchttp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "rpchttp.dll" +EXPORTS +CompareHttpTransportCredentials +ConvertToUnicodeHttpTransportCredentials +DuplicateHttpTransportCredentials +FreeHttpTransportCredentials +HTTP2GetRpcConnectionTransport +HTTP2ProcessComplexTReceive +HTTP2ProcessComplexTSend +HTTP2ProcessRuntimePostedEvent +HTTP2TestHook +HttpParseNetworkOptions +HttpSendIdentifyResponse +I_RpcGetRpcProxy +I_RpcTransFreeHttpCredentials +I_RpcTransGetHttpCredentials +WS_HTTP2_CONNECTION__Initialize +WS_HTTP2_INITIAL_CONNECTION__new +I_RpcProxyNewConnection +I_RpcReplyToClientWithStatus diff --git a/lib/libc/mingw/libarm32/rpcrtremote.def b/lib/libc/mingw/libarm32/rpcrtremote.def new file mode 100644 index 0000000000..e9b9a14f6e --- /dev/null +++ b/lib/libc/mingw/libarm32/rpcrtremote.def @@ -0,0 +1,9 @@ +; +; Definition file of RpcRtRemote.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RpcRtRemote.dll" +EXPORTS +DllGetContractDescription +I_RpcExtInitializeExtensionPoint diff --git a/lib/libc/mingw/libarm32/rshx32.def b/lib/libc/mingw/libarm32/rshx32.def new file mode 100644 index 0000000000..c4acdc602a --- /dev/null +++ b/lib/libc/mingw/libarm32/rshx32.def @@ -0,0 +1,8 @@ +; +; Definition file of RSHX32.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RSHX32.dll" +EXPORTS +EditFSSecurity diff --git a/lib/libc/mingw/libarm32/rtworkq.def b/lib/libc/mingw/libarm32/rtworkq.def new file mode 100644 index 0000000000..2f5642fdc5 --- /dev/null +++ b/lib/libc/mingw/libarm32/rtworkq.def @@ -0,0 +1,38 @@ +; +; Definition file of RTWorkQ.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "RTWorkQ.DLL" +EXPORTS +RtwqAddPeriodicCallback +RtwqAllocateSerialWorkQueue +RtwqAllocateWorkQueue +RtwqBeginRegisterWorkQueueWithMMCSS +RtwqBeginUnregisterWorkQueueWithMMCSS +RtwqCancelWorkItem +RtwqCreateAsyncResult +RtwqEndRegisterWorkQueueWithMMCSS +RtwqEndUnregisterWorkQueueWithMMCSS +RtwqGetWorkQueueMMCSSClass +RtwqGetWorkQueueMMCSSPriority +RtwqGetWorkQueueMMCSSTaskId +RtwqInvokeCallback +RtwqJoinWorkQueue +RtwqLockPlatform +RtwqLockSharedWorkQueue +RtwqLockWorkQueue +RtwqPutWaitingWorkItem +RtwqPutWorkItem +RtwqRegisterPlatformEvents +RtwqRegisterPlatformWithMMCSS +RtwqRemovePeriodicCallback +RtwqScheduleWorkItem +RtwqSetLongRunning +RtwqShutdown +RtwqStartup +RtwqUnjoinWorkQueue +RtwqUnlockPlatform +RtwqUnlockWorkQueue +RtwqUnregisterPlatformEvents +RtwqUnregisterPlatformFromMMCSS diff --git a/lib/libc/mingw/libarm32/samlib.def b/lib/libc/mingw/libarm32/samlib.def new file mode 100644 index 0000000000..232db2956a --- /dev/null +++ b/lib/libc/mingw/libarm32/samlib.def @@ -0,0 +1,77 @@ +; +; Definition file of SAMLIB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SAMLIB.dll" +EXPORTS +OnMachineUILanguageInit +SamAddMemberToAlias +SamAddMemberToGroup +SamAddMultipleMembersToAlias +SamChangePasswordUser +SamChangePasswordUser2 +SamCloseHandle +SamConnect +SamConnectWithCreds +SamCreateAliasInDomain +SamCreateGroupInDomain +SamCreateUser2InDomain +SamCreateUserInDomain +SamDeleteAlias +SamDeleteGroup +SamDeleteUser +SamEnumerateAliasesInDomain +SamEnumerateDomainsInSamServer +SamEnumerateGroupsInDomain +SamEnumerateUsersInDomain +SamEnumerateUsersInDomain2 +SamFreeMemory +SamGetAliasMembership +SamGetCompatibilityMode +SamGetDisplayEnumerationIndex +SamGetGroupsForUser +SamGetMembersInAlias +SamGetMembersInGroup +SamLookupDomainInSamServer +SamLookupIdsInDomain +SamLookupNamesInDomain +SamLookupNamesInDomain2 +SamOpenAlias +SamOpenDomain +SamOpenGroup +SamOpenUser +SamPerformGenericOperation +SamQueryDisplayInformation +SamQueryInformationAlias +SamQueryInformationDomain +SamQueryInformationGroup +SamQueryInformationUser +SamQueryLocalizableAccountsInDomain +SamQuerySecurityObject +SamRegisterObjectChangeNotification +SamRemoveMemberFromAlias +SamRemoveMemberFromForeignDomain +SamRemoveMemberFromGroup +SamRemoveMultipleMembersFromAlias +SamRidToSid +SamSetInformationAlias +SamSetInformationDomain +SamSetInformationGroup +SamSetInformationUser +SamSetMemberAttributesOfGroup +SamSetSecurityObject +SamShutdownSamServer +SamTestPrivateFunctionsDomain +SamTestPrivateFunctionsUser +SamUnregisterObjectChangeNotification +SamValidatePassword +SamiChangeKeys +SamiChangePasswordUser +SamiChangePasswordUser2 +SamiEncryptPasswords +SamiLmChangePasswordUser +SamiSetBootKeyInformation +SamiSetDSRMPassword +SamiSetDSRMPasswordOWF +SamiSyncDSRMPasswordFromAccount diff --git a/lib/libc/mingw/libarm32/samsrv.def b/lib/libc/mingw/libarm32/samsrv.def new file mode 100644 index 0000000000..0af60509ae --- /dev/null +++ b/lib/libc/mingw/libarm32/samsrv.def @@ -0,0 +1,328 @@ +; +; Definition file of SAMSRV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SAMSRV.dll" +EXPORTS +RtlDeleteElementGenericTable2 +RtlInitializeGenericTable2 +RtlInsertElementGenericTable2 +RtlLookupElementGenericTable2 +SAM_MIDL_user_allocate +SAM_MIDL_user_free +SamDsExtAlloc +SamDsExtFree +SamIAccountRestrictions +SamIAddDSNameToAlias +SamIChangePasswordForeignUser +SamIClaimIsValid +SamIConnect +SamIConvertSecurityAttributesToClaimsBlob +SamICopyCurrentDomainAccountSettings +SamICreateKrbTgt +SamIDecodeClaimsBlob +SamIDecodeClaimsBlobIntoClaimsSet +SamIDecodeClaimsBlobToAuthz +SamIDemote +SamIDemoteUndo +SamIDoFSMORoleChange +SamIFreeAuthzSecurityAttributesInfo +SamIFreeClaimsBlob +SamIFreeDecodedClaimsSet +SamIFreeLookupNamesInfo +SamIFreeLookupSidsInfo +SamIFreeOidList +SamIFreeRealmList +SamIFreeSecurityAttributesInfo +SamIFreeSidAndAttributesList +SamIFreeSidArray +SamIFreeVoid +SamIFree_SAMPR_DISPLAY_INFO_BUFFER +SamIFree_SAMPR_DOMAIN_INFO_BUFFER +SamIFree_SAMPR_ENUMERATION_BUFFER +SamIFree_SAMPR_GET_GROUPS_BUFFER +SamIFree_SAMPR_RETURNED_USTRING_ARRAY +SamIFree_SAMPR_ULONG_ARRAY +SamIFree_SAMPR_USER_INFO_BUFFER +SamIFree_UserInternal6Information +SamIGetAliasMembership +SamIGetConfigurationOidList +SamIGetDefaultAdministratorName +SamIGetResourceGroupMembershipsTransitive +SamIGetUserLogonInformation +SamIGetUserLogonInformation2 +SamIGetUserLogonInformation3 +SamIGetUserLogonInformationEx +SamIHandleObjectUpdate +SamIImpersonateNullSession +SamIInitialize +SamIIsDownlevelDcUpgrade +SamIIsExtendedSidMode +SamIIsRebootAfterPromotion +SamIIsSetupInProgress +SamILoadDownlevelDatabase +SamILookupNamesBySid +SamILookupNamesInDomain +SamILookupSidsByName +SamILoopbackConnect +SamIMixedDomain +SamIMixedDomain2 +SamINT4UpgradeInProgress +SamINetLogonPing +SamINotifyRoleChange +SamIOpenUserByAlternateId +SamIPromote +SamIPromoteUndo +SamIPurgeSecrets +SamIQueryAccountSecretsCachability +SamIQueryCapabilities +SamIQueryRealmList +SamIQueryServerRole +SamIQueryServerRole2 +SamIRemoveDSNameFromAlias +SamIReplaceDownlevelDatabase +SamIReplicateAccountData +SamIResetBadPwdCountOnPdc +SamIRetrieveMultiplePrimaryCredentials +SamIRetrievePrimaryCredentials +SamIRevertNullSession +SamIScorePassword +SamISetAuditingInformation +SamISetMachinePassword +SamISetPasswordForeignUser2 +SamISetPasswordForeignUser3 +SamISetPasswordInfoOnDc +SamIStorePrimaryCredentials +SamITransformClaims +SamIUPNFromUserHandle +SamIUnLoadDownlevelDatabase +SamIUninitialize +SamIUpdateLogonStatistics +SamIValidateAccountName +SamIValidateNewAccountName +SampAccountControlToFlags +SampAcquireReadLock +SampAcquireSamLockExclusive +SampAcquireWriteLock +SampAddAccountToGroupMembers +SampAddAccountsAndApplyMemberships +SampAddDeltaTime +SampAddNonLocalDomainRelativeMemberships +SampAddSameDomainMemberToGlobalOrUniversalGroup +SampAddUserToGroup +SampAlInvalidateAliasInformation +SampAllocateNextCurrentRidFromIndex +SampApplyDomainUpdatesForAllDomains +SampAssignPrimaryGroup +SampAuditAccountEnableDisableChange +SampAuditAccountNameChange +SampAuditAnyEvent +SampAuditGroupTypeChange +SampAuditSidHistory +SampBuildDsNameFromSid +SampBuildSamProtection +SampCalculateLmAndNtOwfPasswords +SampChangeAliasAccountName +SampChangeGroupAccountName +SampChangeUserAccountName +SampCheckForAccountLockout +SampCheckGroupTypeBits +SampCheckSidType +SampCommitBufferedWrites +SampCompareDisplayStrings +SampComputePasswordExpired +SampConnect +SampConvertUiListToApiList +SampCreateAccountContext2 +SampCreateAliasInDomain +SampCreateContextEx +SampCreateDefaultUPN +SampCreateFullSid +SampCreateGroupInDomain +SampCreateUserInDomain +SampCurrentThreadOwnsLock +SampDeReferenceContext +SampDecrementActiveThreads +SampDecryptCredentialData +SampDeleteContext +SampDeleteDsDirsToDeleteKey +SampDeleteKeyForPostBootPromote +SampDeltaChangeNotify +SampDsChangePasswordUser +SampDsConvertReadAttrBlock +SampDsGetPrimaryDomainStart +SampDsInitializeSingleDomain +SampDsIsRunning +SampDsMakeAttrBlock +SampDsSetBuiltinDomainPolicy +SampDsSetDomainPolicy +SampDsSetPasswordUser +SampDsUpdateContextAttributes +SampDuplicateGroupInfo +SampDuplicateMachineInfo +SampDuplicateOemGroupInfo +SampDuplicateOemUserInfo +SampDuplicateUnicodeString +SampDuplicateUserInfo +SampEncryptCredentialData +SampExamineSid +SampExtendDefinedDomains +SampFlagsToAccountControl +SampFreeGroupInfo +SampFreeMachineInfo +SampFreeOemGroupInfo +SampFreeOemUserInfo +SampFreeUnicodeString +SampFreeUserInfo +SampGenerateRandomPassword +SampGetAccessAttribute +SampGetAccountDomainInfo +SampGetBehaviorVersion +SampGetCurrentOwnerAndPrimaryGroup +SampGetDisableOutboundRSO +SampGetDisableRSOOnPDCForward +SampGetDisableResetBadPwdCountForward +SampGetDisableSingleObjectRepl +SampGetDnsDomainNameFromIndex +SampGetDomainContextFromIndex +SampGetDomainObjectFromAccountContext +SampGetDomainObjectFromIndex +SampGetDomainServerRoleFromIndex +SampGetDomainSidFromAccountContext +SampGetDomainSidFromIndex +SampGetDomainSidListForSam +SampGetDomainUpgradeTasks +SampGetDownLevelDomainControllersPresent +SampGetExtendedAttribute +SampGetExternalNameFromIndex +SampGetFixedAttributes +SampGetHasNeverTime +SampGetIgnoreGCFailures +SampGetLogLevel +SampGetNT4UpgradeInProgress +SampGetNewAccountSecurityNt4 +SampGetNextUnmodifiedRidFromIndex +SampGetNoGcLogonEnforceKerberosIpCheck +SampGetNoGcLogonEnforceNTLMCheck +SampGetObjectSD +SampGetObjectTypeNameFromIndex +SampGetPasswordMustChangeWithUF_UAC +SampGetReverseMembershipTransitive +SampGetSamSubsystemName +SampGetSerialNumberDomain2 +SampGetServerObjectName +SampGetSidArrayAttribute +SampGetSidAttribute +SampGetSuccessAccountAuditingEnabled +SampGetUlongArrayAttribute +SampGetUnicodeStringAttribute +SampGetUserAccountControlComputed +SampGetUserAccountSettings +SampGetWillNeverTime +SampImpersonateClient +SampIncreaseBadPwdCountLoopback +SampIncrementActiveThreads +SampIncrementNetlogonChangeLogSerialNumber +SampInvalidateDomainCache +SampIsAccountBuiltIn +SampIsAuditingEnabled +SampIsBuiltinDomain +SampIsDomainHosted +SampIsServiceRunning +SampIsSetupInProgress +SampLogPrint +SampLookupContext +SampMarkPerAttributeInvalidFromWhichFields +SampNeedUserAccountSettingsDuringQuery +SampNetLogonNotificationRequired +SampNotifyAuditChange +SampNotifyReplicatedInChange +SampPasswordChangeNotify +SampPasswordChangeNotifyWorker +SampPositionOfHighestBit +SampQueryCapabilities +SampQueryInformationUserInternal +SampReadExtendedAttributes +SampRecordSystemSchemaVerisonInRegistry +SampReferenceContext +SampRegObjToDsObj +SampReleaseReadLock +SampReleaseSamLockExclusive +SampReleaseWriteLock +SampRemoveAccountFromGroupMembers +SampRemoveSameDomainMemberFromGlobalOrUniversalGroup +SampRemoveUserFromGroup +SampRenameKrbtgtAccount +SampReplaceUserLogonHours +SampReplaceUserV1aFixed +SampRetrieveGroupV1Fixed +SampRetrieveMultipleCredentials +SampRetrieveUserPasswords +SampRetrieveUserV1aFixed +SampRevertToSelf +SampRtlWellKnownPrivilegeCheck +SampSetAccessAttribute +SampSetAdminPassword +SampSetAttributeAccess +SampSetComputerObjectDsName +SampSetDSRMPasswordWorker +SampSetExtendedAttributeAccess +SampSetFixedAttributes +SampSetGlobalDsSids +SampSetPassword +SampSetPasswordInfoOnPdcByHandle +SampSetPasswordInfoOnPdcByIndex +SampSetSerialNumberDomain2 +SampSetTransactionDomain +SampSetTransactionWithinDomain +SampSetUnicodeStringAttribute +SampSetUserAccountControl +SampSplitSid +SampStoreObjectAttributes +SampStringFromGuid +SampTraceEvent +SampUpdateAccountDisabledFlag +SampUpdateComputedUserAccountControlBits +SampUpdateMixedModeAndFindDomain +SampUpdatePerformanceCounters +SampUpgradeUserParmsActual +SampUsingDsData +SampValidateDomainCacheCallback +SampValidateDomainControllerCreation +SampValidatePwdSettingAttempt +SampValidateRegAttributes +SampWriteEventLog +SampWriteGroupType +SamrAddMemberToAlias +SamrAddMemberToGroup +SamrCloseHandle +SamrCreateUser2InDomain +SamrCreateUserInDomain +SamrDeleteAlias +SamrDeleteGroup +SamrDeleteUser +SamrEnumerateUsersInDomain +SamrEnumerateUsersInDomain2 +SamrGetAliasMembership +SamrGetGroupsForUser +SamrLookupIdsInDomain +SamrLookupNamesInDomain +SamrLookupNamesInDomain2 +SamrOpenAlias +SamrOpenDomain +SamrOpenGroup +SamrOpenUser +SamrQueryDisplayInformation +SamrQueryInformationDomain +SamrQueryInformationUser +SamrQueryInformationUser2 +SamrQuerySecurityObject +SamrRemoveMemberFromAlias +SamrRemoveMemberFromGroup +SamrRidToSid +SamrSetInformationAlias +SamrSetInformationGroup +SamrSetInformationUser +SamrSetSecurityObject +SamrValidatePassword diff --git a/lib/libc/mingw/libarm32/sbeio.def b/lib/libc/mingw/libarm32/sbeio.def new file mode 100644 index 0000000000..8bda826bc3 --- /dev/null +++ b/lib/libc/mingw/libarm32/sbeio.def @@ -0,0 +1,9 @@ +; +; Definition file of sbeio.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sbeio.dll" +EXPORTS +DVRCreateDVRFileSink +DVRCreateDVRFileSource diff --git a/lib/libc/mingw/libarm32/scansetting.def b/lib/libc/mingw/libarm32/scansetting.def new file mode 100644 index 0000000000..866cd07b6a --- /dev/null +++ b/lib/libc/mingw/libarm32/scansetting.def @@ -0,0 +1,11 @@ +; +; Definition file of ScanSetting.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ScanSetting.DLL" +EXPORTS +GetDefaultProfileScan +GetImageDialog +ProfilesDialog +ProgDlgTakeFgIfShowing diff --git a/lib/libc/mingw/libarm32/scardsvr.def b/lib/libc/mingw/libarm32/scardsvr.def new file mode 100644 index 0000000000..2f1bf2d312 --- /dev/null +++ b/lib/libc/mingw/libarm32/scardsvr.def @@ -0,0 +1,9 @@ +; +; Definition file of SCardSvr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCardSvr.dll" +EXPORTS +CalaisMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/sccls.def b/lib/libc/mingw/libarm32/sccls.def new file mode 100644 index 0000000000..4d75f1f694 --- /dev/null +++ b/lib/libc/mingw/libarm32/sccls.def @@ -0,0 +1,8 @@ +; +; Definition file of SCCLS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCCLS.dll" +EXPORTS +ScClassInstaller diff --git a/lib/libc/mingw/libarm32/scdeviceenum.def b/lib/libc/mingw/libarm32/scdeviceenum.def new file mode 100644 index 0000000000..ac518f7cfd --- /dev/null +++ b/lib/libc/mingw/libarm32/scdeviceenum.def @@ -0,0 +1,9 @@ +; +; Definition file of ScDeviceEnum.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ScDeviceEnum.dll" +EXPORTS +ScDeviceEnumServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/scecli.def b/lib/libc/mingw/libarm32/scecli.def new file mode 100644 index 0000000000..9ac249851a --- /dev/null +++ b/lib/libc/mingw/libarm32/scecli.def @@ -0,0 +1,77 @@ +; +; Definition file of SCECLI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCECLI.dll" +EXPORTS +ConvertSecurityDescriptorToText +DeltaNotify +InitializeChangeNotify +SceConfigureConvertedFileSecurity +SceGenerateGroupPolicy +SceNotifyPolicyDelta +SceOpenPolicy +SceProcessSecurityPolicyGPO +SceProcessSecurityPolicyGPOEx +SceSysPrep +SceAddToNameList +SceAddToNameStatusList +SceAddToObjectList +SceAnalyzeSystem +SceAppendSecurityProfileInfo +SceBrowseDatabaseTable +SceCloseProfile +SceCommitTransaction +SceCompareNameList +SceCompareSecurityDescriptors +SceConfigureSystem +SceCopyBaseProfile +SceCreateDirectory +SceDcPromoCreateGPOsInSysvol +SceDcPromoCreateGPOsInSysvolEx +SceDcPromoteSecurity +SceDcPromoteSecurityEx +SceEnforceSecurityPolicyPropagation +SceEnumerateServices +SceFreeMemory +SceFreeProfileMemory +SceGenerateRollback +SceGetAnalysisAreaSummary +SceGetAreas +SceGetDatabaseSetting +SceGetDbTime +SceGetObjectChildren +SceGetObjectSecurity +SceGetScpProfileDescription +SceGetSecurityProfileInfo +SceGetServerProductType +SceGetTimeStamp +SceIsSystemDatabase +SceLookupPrivRightName +SceOpenProfile +SceRegisterRegValues +SceRollbackTransaction +SceSetDatabaseSetting +SceSetupBackupSecurity +SceSetupConfigureServices +SceSetupGenerateTemplate +SceSetupMoveSecurityFile +SceSetupRootSecurity +SceSetupSystemByInfName +SceSetupUnwindSecurityFile +SceSetupUpdateSecurityFile +SceSetupUpdateSecurityKey +SceSetupUpdateSecurityService +SceStartTransaction +SceSvcConvertSDToText +SceSvcConvertTextToSD +SceSvcFree +SceSvcGetInformationTemplate +SceSvcQueryInfo +SceSvcSetInfo +SceSvcSetInformationTemplate +SceSvcUpdateInfo +SceUpdateObjectInfo +SceUpdateSecurityProfile +SceWriteSecurityProfileInfo diff --git a/lib/libc/mingw/libarm32/scext.def b/lib/libc/mingw/libarm32/scext.def new file mode 100644 index 0000000000..2d0efad3b7 --- /dev/null +++ b/lib/libc/mingw/libarm32/scext.def @@ -0,0 +1,8 @@ +; +; Definition file of SCEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCEXT.dll" +EXPORTS +ScExtInitialize diff --git a/lib/libc/mingw/libarm32/scksp.def b/lib/libc/mingw/libarm32/scksp.def new file mode 100644 index 0000000000..49121e65b3 --- /dev/null +++ b/lib/libc/mingw/libarm32/scksp.def @@ -0,0 +1,8 @@ +; +; Definition file of SCKsp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCKsp.dll" +EXPORTS +GetKeyStorageInterface diff --git a/lib/libc/mingw/libarm32/scrptadm.def b/lib/libc/mingw/libarm32/scrptadm.def new file mode 100644 index 0000000000..6037b0c49d --- /dev/null +++ b/lib/libc/mingw/libarm32/scrptadm.def @@ -0,0 +1,8 @@ +; +; Definition file of SCRPTADM.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SCRPTADM.DLL" +EXPORTS +CreateParserObject diff --git a/lib/libc/mingw/libarm32/sdiagschd.def b/lib/libc/mingw/libarm32/sdiagschd.def new file mode 100644 index 0000000000..57cc753a4d --- /dev/null +++ b/lib/libc/mingw/libarm32/sdiagschd.def @@ -0,0 +1,9 @@ +; +; Definition file of sdiagschd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sdiagschd.dll" +EXPORTS +EnableScheduledDiagnostics +GetScheduledDiagnosticsExecutionLevel diff --git a/lib/libc/mingw/libarm32/sechost.def b/lib/libc/mingw/libarm32/sechost.def new file mode 100644 index 0000000000..95c85b9948 --- /dev/null +++ b/lib/libc/mingw/libarm32/sechost.def @@ -0,0 +1,187 @@ +; +; Definition file of SECHOST.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SECHOST.dll" +EXPORTS +I_ScSetServiceBitsA +I_ScSetServiceBitsW +AuditComputeEffectivePolicyBySid +AuditEnumerateCategories +AuditEnumeratePerUserPolicy +AuditEnumerateSubCategories +AuditFree +AuditLookupCategoryNameW +AuditLookupSubCategoryNameW +AuditQueryGlobalSaclW +AuditQueryPerUserPolicy +AuditQuerySecurity +AuditQuerySystemPolicy +AuditSetGlobalSaclW +AuditSetPerUserPolicy +AuditSetSecurity +AuditSetSystemPolicy +ChangeServiceConfig2A +ChangeServiceConfig2W +ChangeServiceConfigA +ChangeServiceConfigW +CloseServiceHandle +CloseTrace +ControlService +ControlServiceExA +ControlServiceExW +ControlTraceA +ControlTraceW +ConvertSecurityDescriptorToStringSecurityDescriptorW +ConvertSidToStringSidW +ConvertStringSecurityDescriptorToSecurityDescriptorW +ConvertStringSidToSidW +CreateServiceA +CreateServiceW +CredBackupCredentials +CredDeleteA +CredDeleteW +CredEncryptAndMarshalBinaryBlob +CredEnumerateA +CredEnumerateW +CredFindBestCredentialA +CredFindBestCredentialW +CredFree +CredGetSessionTypes +CredGetTargetInfoA +CredGetTargetInfoW +CredIsMarshaledCredentialW +CredIsProtectedA +CredIsProtectedW +CredMarshalCredentialA +CredMarshalCredentialW +CredParseUserNameWithType +CredProfileLoaded +CredProfileLoadedEx +CredProfileUnloaded +CredProtectA +CredProtectW +CredReadA +CredReadByTokenHandle +CredReadDomainCredentialsA +CredReadDomainCredentialsW +CredReadW +CredRestoreCredentials +CredUnmarshalCredentialA +CredUnmarshalCredentialW +CredUnprotectA +CredUnprotectW +CredWriteA +CredWriteDomainCredentialsA +CredWriteDomainCredentialsW +CredWriteW +CredpConvertCredential +CredpConvertOneCredentialSize +CredpConvertTargetInfo +CredpDecodeCredential +CredpEncodeCredential +CredpEncodeSecret +DeleteService +EnableTraceEx2 +EnumDependentServicesW +EnumServicesStatusExW +EnumerateIdentityProviders +EnumerateTraceGuidsEx +EtwQueryRealtimeConsumer +EventAccessControl +EventAccessQuery +EventAccessRemove +GetDefaultIdentityProvider +GetIdentityProviderInfoByGUID +GetIdentityProviderInfoByName +I_QueryTagInformation +I_ScBroadcastServiceControlMessage +I_ScIsSecurityProcess +I_ScPnPGetServiceName +I_ScQueryServiceConfig +I_ScRegisterDeviceNotification +I_ScRegisterPreshutdownRestart +I_ScRpcBindA +I_ScRpcBindW +I_ScSendPnPMessage +I_ScSendTSMessage +I_ScUnregisterDeviceNotification +I_ScValidatePnPService +LocalGetConditionForString +LocalGetReferencedTokenTypesForCondition +LocalGetStringForCondition +LookupAccountNameLocalA +LookupAccountNameLocalW +LookupAccountSidLocalA +LookupAccountSidLocalW +LsaAddAccountRights +LsaClose +LsaCreateSecret +LsaEnumerateAccountRights +LsaEnumerateAccountsWithUserRight +LsaFreeMemory +LsaICLookupNames +LsaICLookupNamesWithCreds +LsaICLookupSids +LsaICLookupSidsWithCreds +LsaLookupClose +LsaLookupFreeMemory +LsaLookupGetDomainInfo +LsaLookupManageSidNameMapping +LsaLookupNames2 +LsaLookupOpenLocalPolicy +LsaLookupSids +LsaLookupSids2 +LsaLookupTranslateNames +LsaLookupTranslateSids +LsaOpenPolicy +LsaOpenSecret +LsaQueryInformationPolicy +LsaQuerySecret +LsaRemoveAccountRights +LsaRetrievePrivateData +LsaSetInformationPolicy +LsaSetSecret +LsaStorePrivateData +NotifyServiceStatusChange +NotifyServiceStatusChangeA +NotifyServiceStatusChangeW +OpenSCManagerA +OpenSCManagerW +OpenServiceA +OpenServiceW +OpenTraceW +ProcessTrace +QueryAllTracesA +QueryAllTracesW +QueryServiceConfig2A +QueryServiceConfig2W +QueryServiceConfigA +QueryServiceConfigW +QueryServiceDynamicInformation +QueryServiceObjectSecurity +QueryServiceStatus +QueryServiceStatusEx +RegisterServiceCtrlHandlerA +RegisterServiceCtrlHandlerExA +RegisterServiceCtrlHandlerExW +RegisterServiceCtrlHandlerW +RegisterTraceGuidsA +ReleaseIdentityProviderEnumContext +RemoveTraceCallback +SetServiceObjectSecurity +SetServiceStatus +SetTraceCallback +StartServiceA +StartServiceCtrlDispatcherA +StartServiceCtrlDispatcherW +StartServiceW +StartTraceA +StartTraceW +StopTraceW +SubscribeServiceChangeNotifications +TraceQueryInformation +TraceSetInformation +UnsubscribeServiceChangeNotifications +WaitServiceState diff --git a/lib/libc/mingw/libarm32/secproc.def b/lib/libc/mingw/libarm32/secproc.def new file mode 100644 index 0000000000..399a5f600f --- /dev/null +++ b/lib/libc/mingw/libarm32/secproc.def @@ -0,0 +1,37 @@ +; +; Definition file of iwb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iwb.dll" +EXPORTS +SPAttest +SPBindLicense +SPCheckEnvironmentSecurity +SPCommit +SPCreateDecryptor +SPCreateEnablingPrincipal +SPCreateEncryptor +SPCreatePCE +SPCreateSecurityProcessor +SPDecrypt +SPDecryptFinal +SPDecryptUpdate +SPEnableAndEncrypt +SPEnablePublishingLicense +SPEncrypt +SPEncryptFinal +SPEncryptUpdate +SPGetBoundRightKey +SPGetCurrentTime +SPGetInfo +SPGetLicenseAttribute +SPGetLicenseAttributeCount +SPGetLicenseObject +SPGetLicenseObjectCount +SPGetProcAddress +SPIsActivated +SPLoadLibrary +SPRegisterRevocationList +SPSign +SPCloseHandle diff --git a/lib/libc/mingw/libarm32/secproc_isv.def b/lib/libc/mingw/libarm32/secproc_isv.def new file mode 100644 index 0000000000..399a5f600f --- /dev/null +++ b/lib/libc/mingw/libarm32/secproc_isv.def @@ -0,0 +1,37 @@ +; +; Definition file of iwb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "iwb.dll" +EXPORTS +SPAttest +SPBindLicense +SPCheckEnvironmentSecurity +SPCommit +SPCreateDecryptor +SPCreateEnablingPrincipal +SPCreateEncryptor +SPCreatePCE +SPCreateSecurityProcessor +SPDecrypt +SPDecryptFinal +SPDecryptUpdate +SPEnableAndEncrypt +SPEnablePublishingLicense +SPEncrypt +SPEncryptFinal +SPEncryptUpdate +SPGetBoundRightKey +SPGetCurrentTime +SPGetInfo +SPGetLicenseAttribute +SPGetLicenseAttributeCount +SPGetLicenseObject +SPGetLicenseObjectCount +SPGetProcAddress +SPIsActivated +SPLoadLibrary +SPRegisterRevocationList +SPSign +SPCloseHandle diff --git a/lib/libc/mingw/libarm32/secproc_ssp.def b/lib/libc/mingw/libarm32/secproc_ssp.def new file mode 100644 index 0000000000..f526f97b7c --- /dev/null +++ b/lib/libc/mingw/libarm32/secproc_ssp.def @@ -0,0 +1,37 @@ +; +; Definition file of sb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sb.dll" +EXPORTS +SPAttest +SPBindLicense +SPCheckEnvironmentSecurity +SPCommit +SPCreateDecryptor +SPCreateEnablingPrincipal +SPCreateEncryptor +SPCreatePCE +SPCreateSecurityProcessor +SPDecrypt +SPDecryptFinal +SPDecryptUpdate +SPEnableAndEncrypt +SPEnablePublishingLicense +SPEncrypt +SPEncryptFinal +SPEncryptUpdate +SPGetBoundRightKey +SPGetCurrentTime +SPGetInfo +SPGetLicenseAttribute +SPGetLicenseAttributeCount +SPGetLicenseObject +SPGetLicenseObjectCount +SPGetProcAddress +SPIsActivated +SPLoadLibrary +SPRegisterRevocationList +SPSign +SPCloseHandle diff --git a/lib/libc/mingw/libarm32/secproc_ssp_isv.def b/lib/libc/mingw/libarm32/secproc_ssp_isv.def new file mode 100644 index 0000000000..f526f97b7c --- /dev/null +++ b/lib/libc/mingw/libarm32/secproc_ssp_isv.def @@ -0,0 +1,37 @@ +; +; Definition file of sb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sb.dll" +EXPORTS +SPAttest +SPBindLicense +SPCheckEnvironmentSecurity +SPCommit +SPCreateDecryptor +SPCreateEnablingPrincipal +SPCreateEncryptor +SPCreatePCE +SPCreateSecurityProcessor +SPDecrypt +SPDecryptFinal +SPDecryptUpdate +SPEnableAndEncrypt +SPEnablePublishingLicense +SPEncrypt +SPEncryptFinal +SPEncryptUpdate +SPGetBoundRightKey +SPGetCurrentTime +SPGetInfo +SPGetLicenseAttribute +SPGetLicenseAttributeCount +SPGetLicenseObject +SPGetLicenseObjectCount +SPGetProcAddress +SPIsActivated +SPLoadLibrary +SPRegisterRevocationList +SPSign +SPCloseHandle diff --git a/lib/libc/mingw/libarm32/sensorsapi.def b/lib/libc/mingw/libarm32/sensorsapi.def new file mode 100644 index 0000000000..a61b36a60a --- /dev/null +++ b/lib/libc/mingw/libarm32/sensorsapi.def @@ -0,0 +1,10 @@ +; +; Definition file of SensorsApi.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SensorsApi.DLL" +EXPORTS +SensorPermissionsHandler +SensorPermissionsHandlerA +SensorPermissionsHandlerW diff --git a/lib/libc/mingw/libarm32/sensorsclassextension.def b/lib/libc/mingw/libarm32/sensorsclassextension.def new file mode 100644 index 0000000000..4be4a63270 --- /dev/null +++ b/lib/libc/mingw/libarm32/sensorsclassextension.def @@ -0,0 +1,8 @@ +; +; Definition file of SensorDriverClassExtension.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SensorDriverClassExtension.dll" +EXPORTS +Microsoft_WDF_UMDF_Version DATA diff --git a/lib/libc/mingw/libarm32/sensrsvc.def b/lib/libc/mingw/libarm32/sensrsvc.def new file mode 100644 index 0000000000..3a779d6208 --- /dev/null +++ b/lib/libc/mingw/libarm32/sensrsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of SensrSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SensrSvc.dll" +EXPORTS +ServiceCtrlHandler +ServiceMain diff --git a/lib/libc/mingw/libarm32/sessenv.def b/lib/libc/mingw/libarm32/sessenv.def new file mode 100644 index 0000000000..586a9283e0 --- /dev/null +++ b/lib/libc/mingw/libarm32/sessenv.def @@ -0,0 +1,9 @@ +; +; Definition file of SessEnv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SessEnv.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/setbcdlocale.def b/lib/libc/mingw/libarm32/setbcdlocale.def new file mode 100644 index 0000000000..30ed1e1bd5 --- /dev/null +++ b/lib/libc/mingw/libarm32/setbcdlocale.def @@ -0,0 +1,8 @@ +; +; Definition file of setbcdlocale.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "setbcdlocale.dll" +EXPORTS +OnMachineUILanguageSwitch diff --git a/lib/libc/mingw/libarm32/settingsyncpolicy.def b/lib/libc/mingw/libarm32/settingsyncpolicy.def new file mode 100644 index 0000000000..d63b59931f --- /dev/null +++ b/lib/libc/mingw/libarm32/settingsyncpolicy.def @@ -0,0 +1,14 @@ +; +; Definition file of SETTINGSYNCPOLICY.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SETTINGSYNCPOLICY.dll" +EXPORTS +SettingSync_IsAllowedByGroupPolicy +SettingSync_IsSyncAllowedOnCurrentNetwork +SettingSync_IsCollectionAllowedToSync +SettingSync_ShouldInlineBlobsOnFindChanges +SettingSync_IsCollectionPermittedToUploadOrDownload +SettingSync_CreateDirectory +SettingSync_IsAppDataBackupRestoreEnabled diff --git a/lib/libc/mingw/libarm32/sfc_os.def b/lib/libc/mingw/libarm32/sfc_os.def new file mode 100644 index 0000000000..8dac0b98ac --- /dev/null +++ b/lib/libc/mingw/libarm32/sfc_os.def @@ -0,0 +1,25 @@ +; +; Definition file of sfc_os.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sfc_os.dll" +EXPORTS +BeginFileMapEnumeration +CloseFileMapEnumeration +GetNextFileMapContent +SRSetRestorePointA +SRSetRestorePointW +SfcClose +SfcConnectToServer +SfcFileException +SfcGetNextProtectedFile +SfcInitProt +SfcInitiateScan +SfcInstallProtectedFiles +SfcIsFileProtected +SfcIsKeyProtected +SfcTerminateWatcherThread +SfpDeleteCatalog +SfpInstallCatalog +SfpVerifyFile diff --git a/lib/libc/mingw/libarm32/shimeng.def b/lib/libc/mingw/libarm32/shimeng.def new file mode 100644 index 0000000000..3ca3edf016 --- /dev/null +++ b/lib/libc/mingw/libarm32/shimeng.def @@ -0,0 +1,18 @@ +; +; Definition file of ShimEng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ShimEng.dll" +EXPORTS +SE_DllLoaded +SE_DllUnloaded +SE_DynamicShim +SE_GetHookAPIs +SE_GetMaxShimCount +SE_GetProcAddressIgnoreIncExc +SE_GetShimCount +SE_InstallAfterInit +SE_InstallBeforeInit +SE_IsShimDll +SE_ProcessDying diff --git a/lib/libc/mingw/libarm32/shsetup.def b/lib/libc/mingw/libarm32/shsetup.def new file mode 100644 index 0000000000..57fd5cf4dc --- /dev/null +++ b/lib/libc/mingw/libarm32/shsetup.def @@ -0,0 +1,13 @@ +; +; Definition file of shsetup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "shsetup.dll" +EXPORTS +SHUnattendedSetup +SHUnattendedSetupA +SHUnattendedSetupW +Sysprep_Cleanup_Shell +Sysprep_Generalize_Shell +Sysprep_Specialize_Shell diff --git a/lib/libc/mingw/libarm32/shwebsvc.def b/lib/libc/mingw/libarm32/shwebsvc.def new file mode 100644 index 0000000000..2abcd58e9a --- /dev/null +++ b/lib/libc/mingw/libarm32/shwebsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of SHWEBSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SHWEBSVC.dll" +EXPORTS +AddNetPlaceRunDll +PublishRunDll diff --git a/lib/libc/mingw/libarm32/simauth.def b/lib/libc/mingw/libarm32/simauth.def new file mode 100644 index 0000000000..f8d014fb44 --- /dev/null +++ b/lib/libc/mingw/libarm32/simauth.def @@ -0,0 +1,10 @@ +; +; Definition file of Simauth.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Simauth.dll" +EXPORTS +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerGetInfo diff --git a/lib/libc/mingw/libarm32/simcfg.def b/lib/libc/mingw/libarm32/simcfg.def new file mode 100644 index 0000000000..17be6f4cd4 --- /dev/null +++ b/lib/libc/mingw/libarm32/simcfg.def @@ -0,0 +1,19 @@ +; +; Definition file of SimPeerConfigDll.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SimPeerConfigDll.dll" +EXPORTS +EapPeerGetIdentityPageGuid +InternalFunction01 +InternalFunction02 +EapPeerConfigBlob2Xml +EapPeerConfigXml2Blob +EapPeerCredentialsXml2Blob +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerGetConfigBlobAndUserBlob +EapPeerInvokeConfigUI +EapPeerInvokeIdentityUI +EapPeerInvokeInteractiveUI diff --git a/lib/libc/mingw/libarm32/slpts.def b/lib/libc/mingw/libarm32/slpts.def new file mode 100644 index 0000000000..a3c210e376 --- /dev/null +++ b/lib/libc/mingw/libarm32/slpts.def @@ -0,0 +1,10 @@ +; +; Definition file of slpts.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "slpts.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/slr100.def b/lib/libc/mingw/libarm32/slr100.def new file mode 100644 index 0000000000..6e6516495e --- /dev/null +++ b/lib/libc/mingw/libarm32/slr100.def @@ -0,0 +1,123 @@ +; +; Definition file of slr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "slr.dll" +EXPORTS +RhpResolveInterfaceMethod +GetRuntimeException +ProcessFinalizers +RhCanUnloadModule +RhCollect +RhExceptionHandling_FailedAllocation +RhExceptionHandling_ThrowClasslibArithmeticException +RhExceptionHandling_ThrowClasslibDivideByZeroException +RhExceptionHandling_ThrowClasslibIndexOutOfRangeException +RhExceptionHandling_ThrowClasslibOverflowException +RhExceptionHandling_ThrowInter +RhExceptionHandling_ThrowIntra +RhGcStress_Initialize +RhHandleAlloc +RhHandleFree +RhHandleGet +RhHandleSet +RhMemberwiseClone +RhNewArray +RhNewObject +RhSuppressFinalize +RhTypeCast_AreTypesEquivalent +RhTypeCast_CheckArrayStore +RhTypeCast_CheckCastArray +RhTypeCast_CheckCastClass +RhTypeCast_CheckCastInterface +RhTypeCast_CheckUnbox +RhTypeCast_CheckVectorElemAddr +RhTypeCast_IsInstanceOfArray +RhTypeCast_IsInstanceOfClass +RhTypeCast_IsInstanceOfInterface +RhWaitForPendingFinalizers +RhpCheckedAssignRefR1 +RhpCheckedLockCmpXchg +RhpCheckedXchg +RhpCollect +RhpCopyObjectContents +RhpDbl2IntOvf +RhpDbl2Lng +RhpDbl2LngOvf +RhpDbl2ULng +RhpDbl2ULngOvf +RhpDblRemRev +RhpEHJumpByref +RhpEHJumpByrefGCStress +RhpEHJumpObject +RhpEHJumpObjectGCStress +RhpEHJumpScalar +RhpEHJumpScalarGCStress +RhpFlt2IntOvf +RhpFlt2LngOvf +RhpFltRemRev +RhpGcPoll +RhpGcPollStress +RhpGetClasslibFunction +RhpGetEHInfo +RhpGetNextFinalizableObject +RhpGetThread +RhpHandleAlloc +RhpHandleFree +RhpHandleGet +RhpHandleSet +RhpHijackForGcStress +RhpIDiv +RhpIMod +RhpInitialVSDTarget +RhpInitializeGcStress +RhpLDiv +RhpLMod +RhpLMul +RhpLMulOvf +RhpLng2Dbl +RhpLoopHijack +RhpNewArray +RhpNewArrayAlign8 +RhpNewFast +RhpNewFastAlign8 +RhpNewFastMisalign +RhpNewFinalizable +RhpNewFinalizableAlign8 +RhpRegisterModule +RhpReversePInvoke +RhpReversePInvokeBadTransition +RhpReversePInvokeReturn +RhpShutdown +RhpSignalFinalizationComplete +RhpSuppressFinalize +RhpSuppressGcStress +RhpTrapThreads DATA +RhpUDiv +RhpULDiv +RhpULMod +RhpULMul +RhpULMulOvf +RhpULng2Dbl +RhpUMod +RhpUnsuppressGcStress +RhpWaitForFinalizerRequest +RhpWaitForGC +RhpWaitForPendingFinalizers +RhpWaitForSuspend +t101 DATA +t12 DATA +t2 DATA +t2.m1 +t26 DATA +t3 DATA +t3.m1 +t30 DATA +t33 DATA +t36 DATA +t42 DATA +t48 DATA +t63 DATA +t64 DATA +t71 DATA diff --git a/lib/libc/mingw/libarm32/smartcardsimulator.def b/lib/libc/mingw/libarm32/smartcardsimulator.def new file mode 100644 index 0000000000..66838d5a48 --- /dev/null +++ b/lib/libc/mingw/libarm32/smartcardsimulator.def @@ -0,0 +1,18 @@ +; +; Definition file of SmartCardSimulator.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SmartCardSimulator.dll" +EXPORTS +VGidsSimulatorCreate +VGidsSimulatorDestroy +VGidsSimulatorReadProperties +VGidsSimulatorWriteProperties +VTransportClose +VTransportDeinitialize +VTransportInitialize +VTransportOpen +VTransportReceive +VTransportTransmit +Microsoft_WDF_UMDF_Version DATA diff --git a/lib/libc/mingw/libarm32/smbwmiv2.def b/lib/libc/mingw/libarm32/smbwmiv2.def new file mode 100644 index 0000000000..48585be84e --- /dev/null +++ b/lib/libc/mingw/libarm32/smbwmiv2.def @@ -0,0 +1,9 @@ +; +; Definition file of SMBWMIV2.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SMBWMIV2.DLL" +EXPORTS +GetProviderClassID +MI_Main diff --git a/lib/libc/mingw/libarm32/smiengine.def b/lib/libc/mingw/libarm32/smiengine.def new file mode 100644 index 0000000000..c1d0d71594 --- /dev/null +++ b/lib/libc/mingw/libarm32/smiengine.def @@ -0,0 +1,16 @@ +; +; Definition file of SmiEngine.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SmiEngine.dll" +EXPORTS +ConstructHiveLocation +CreateSettingsEnginePriv +ConstructRegLocation +CreateLalInstance +CreateWcmEngineCore +DeleteCompilerObject +GetCompilerObject +GetItemFromCoreObject +SetLalCreator diff --git a/lib/libc/mingw/libarm32/smsrouter.def b/lib/libc/mingw/libarm32/smsrouter.def new file mode 100644 index 0000000000..a5db3bcbd7 --- /dev/null +++ b/lib/libc/mingw/libarm32/smsrouter.def @@ -0,0 +1,10 @@ +; +; Definition file of smsrouter.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "smsrouter.DLL" +EXPORTS +InitSmsRouter +SmsRouterNotify +UnInitSmsRouter diff --git a/lib/libc/mingw/libarm32/spbcd.def b/lib/libc/mingw/libarm32/spbcd.def new file mode 100644 index 0000000000..c801380044 --- /dev/null +++ b/lib/libc/mingw/libarm32/spbcd.def @@ -0,0 +1,9 @@ +; +; Definition file of sysbcd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysbcd.dll" +EXPORTS +Sysprep_Generalize_Bcd +Sysprep_Specialize_Bcd diff --git a/lib/libc/mingw/libarm32/spfileq.def b/lib/libc/mingw/libarm32/spfileq.def new file mode 100644 index 0000000000..6eaec6f218 --- /dev/null +++ b/lib/libc/mingw/libarm32/spfileq.def @@ -0,0 +1,25 @@ +; +; Definition file of SPFILEQ.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SPFILEQ.dll" +EXPORTS +SpFileQueueClose +SpFileQueueCommit +SpFileQueueCopy +SpFileQueueDelete +SpFileQueueFileInUse +SpFileQueueGetFlags +SpFileQueueGetQueueCount +SpFileQueueNodeGetSecurityDescriptor +SpFileQueueNodeGetSourceFilename +SpFileQueueNodeGetSourcePath +SpFileQueueNodeGetSourceRootPath +SpFileQueueNodeGetStyleFlags +SpFileQueueNodeGetTargetDirectory +SpFileQueueNodeGetTargetFilename +SpFileQueueNodeRemove +SpFileQueueOpen +SpFileQueueRename +SpFileQueueSetFlags diff --git a/lib/libc/mingw/libarm32/spinf.def b/lib/libc/mingw/libarm32/spinf.def new file mode 100644 index 0000000000..97c942e24f --- /dev/null +++ b/lib/libc/mingw/libarm32/spinf.def @@ -0,0 +1,56 @@ +; +; Definition file of SPINF.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SPINF.dll" +EXPORTS +SpInfDetermineInfStyle +SpInfDoesInfContainString +SpInfEnumInfSections +SpInfFileFullPathFromLineContext +SpInfFindFirstLine +SpInfFindNextMatchLine +SpInfFindValueInSectionList +SpInfFreeInfFile +SpInfGetBestInstallSection +SpInfGetBestModelsSection +SpInfGetDirIdHandler +SpInfGetDriverVer +SpInfGetField +SpInfGetIndirectString +SpInfGetInfInformation +SpInfGetInfLineNumber +SpInfGetInfSections +SpInfGetInfStyle +SpInfGetLanguageId +SpInfGetLineByIndex +SpInfGetLineCount +SpInfGetLineCountFromSection +SpInfGetLineFieldCount +SpInfGetLineTextWithKey +SpInfGetLogToken +SpInfGetNextInf +SpInfGetOriginalInfName +SpInfGetPathFromDirId +SpInfGetPrevInf +SpInfGetStringField +SpInfGetStringsSection +SpInfGetTargetPath +SpInfGetVersionDatum +SpInfGetVersionNode +SpInfIsIndirectString +SpInfLineFromContext +SpInfLineIsSearchable +SpInfLoadInfFile +SpInfLocateLine +SpInfLocateSection +SpInfLockInf +SpInfQueryInfFileInformation +SpInfQueryInfVersionInformation +SpInfSectionNameFromLineContext +SpInfSetDirIdHandler +SpInfSetDirectoryId +SpInfSourcePathFromHandle +SpInfUnlockInf +SpInfVersionNodeFromInfInformation diff --git a/lib/libc/mingw/libarm32/spmpm.def b/lib/libc/mingw/libarm32/spmpm.def new file mode 100644 index 0000000000..1c7d35cdcb --- /dev/null +++ b/lib/libc/mingw/libarm32/spmpm.def @@ -0,0 +1,8 @@ +; +; Definition file of spmpm.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "spmpm.dll" +EXPORTS +Sysprep_Generalize_MountPointManager diff --git a/lib/libc/mingw/libarm32/spnet.def b/lib/libc/mingw/libarm32/spnet.def new file mode 100644 index 0000000000..8ed95490c0 --- /dev/null +++ b/lib/libc/mingw/libarm32/spnet.def @@ -0,0 +1,9 @@ +; +; Definition file of sysnet.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysnet.dll" +EXPORTS +Sysprep_Clean_Net +Sysprep_Generalize_Net diff --git a/lib/libc/mingw/libarm32/spopk.def b/lib/libc/mingw/libarm32/spopk.def new file mode 100644 index 0000000000..070055c91f --- /dev/null +++ b/lib/libc/mingw/libarm32/spopk.def @@ -0,0 +1,11 @@ +; +; Definition file of sysopk.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysopk.dll" +EXPORTS +Sysprep_Clean_Opk +Sysprep_Clean_Validate_Opk +Sysprep_Generalize_Opk +Sysprep_Specialize_Opk diff --git a/lib/libc/mingw/libarm32/sppc.def b/lib/libc/mingw/libarm32/sppc.def new file mode 100644 index 0000000000..f04236e0f9 --- /dev/null +++ b/lib/libc/mingw/libarm32/sppc.def @@ -0,0 +1,73 @@ +; +; Definition file of sppc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sppc.dll" +EXPORTS +SLCallServer +SLpAuthenticateGenuineTicketResponse +SLpBeginGenuineTicketTransaction +SLpClearActivationInProgress +SLpDepositDownlevelGenuineTicket +SLpDepositTokenActivationResponse +SLpGenerateTokenActivationChallenge +SLpGetGenuineBlob +SLpGetGenuineLocal +SLpGetLicenseAcquisitionInfo +SLpGetMSPidInformation +SLpGetMachineUGUID +SLpGetTokenActivationGrantInfo +SLpIAActivateProduct +SLpProcessVMPipeMessage +SLpSetActivationInProgress +SLpTriggerServiceWorker +SLpVLActivateProduct +SLClose +SLConsumeRight +SLDepositMigrationBlob +SLDepositOfflineConfirmationId +SLDepositOfflineConfirmationIdEx +SLDepositStoreToken +SLFireEvent +SLGatherMigrationBlob +SLGatherMigrationBlobEx +SLGenerateOfflineInstallationId +SLGenerateOfflineInstallationIdEx +SLGetActiveLicenseInfo +SLGetApplicationInformation +SLGetApplicationPolicy +SLGetAuthenticationResult +SLGetEncryptedPIDEx +SLGetGenuineInformation +SLGetInstalledProductKeyIds +SLGetLicense +SLGetLicenseFileId +SLGetLicenseInformation +SLGetLicensingStatusInformation +SLGetPKeyId +SLGetPKeyInformation +SLGetPolicyInformation +SLGetPolicyInformationDWORD +SLGetProductSkuInformation +SLGetSLIDList +SLGetServiceInformation +SLInstallLicense +SLInstallProofOfPurchase +SLInstallProofOfPurchaseEx +SLIsGenuineLocalEx +SLLoadApplicationPolicies +SLOpen +SLPersistApplicationPolicies +SLPersistRTSPayloadOverride +SLReArm +SLRegisterEvent +SLRegisterPlugin +SLSetAuthenticationData +SLSetCurrentProductKey +SLSetGenuineInformation +SLUninstallLicense +SLUninstallProofOfPurchase +SLUnloadApplicationPolicies +SLUnregisterEvent +SLUnregisterPlugin diff --git a/lib/libc/mingw/libarm32/sppcext.def b/lib/libc/mingw/libarm32/sppcext.def new file mode 100644 index 0000000000..372575bcd6 --- /dev/null +++ b/lib/libc/mingw/libarm32/sppcext.def @@ -0,0 +1,26 @@ +; +; Definition file of sppcext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sppcext.dll" +EXPORTS +SLAcquireGenuineTicketForAppId +SLAcquireGenuineTicket +SLActivateProduct +SLDepositTokenActivationResponse +SLFreeTokenActivationCertificates +SLFreeTokenActivationGrants +SLGenerateTokenActivationChallenge +SLGetGenuineInformationEx +SLGetPackageProductKey +SLGetPackageProperties +SLGetPackageToken +SLGetReferralInformation +SLGetServerStatus +SLGetTokenActivationCertificates +SLGetTokenActivationGrants +SLInitialize +SLInstallPackage +SLSignTokenActivationChallenge +SLUninstallPackage diff --git a/lib/libc/mingw/libarm32/sppcommdlg.def b/lib/libc/mingw/libarm32/sppcommdlg.def new file mode 100644 index 0000000000..b022d46980 --- /dev/null +++ b/lib/libc/mingw/libarm32/sppcommdlg.def @@ -0,0 +1,8 @@ +; +; Definition file of sppcommdlg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sppcommdlg.dll" +EXPORTS +SLUXActivationWizard diff --git a/lib/libc/mingw/libarm32/sppnp.def b/lib/libc/mingw/libarm32/sppnp.def new file mode 100644 index 0000000000..08786f8b42 --- /dev/null +++ b/lib/libc/mingw/libarm32/sppnp.def @@ -0,0 +1,11 @@ +; +; Definition file of syspnp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "syspnp.dll" +EXPORTS +Sysprep_Generalize_Pnp +Sysprep_Generalize_Pnp_Drivers +Sysprep_Respecialize_Pnp +Sysprep_Specialize_Pnp diff --git a/lib/libc/mingw/libarm32/sppobjs.def b/lib/libc/mingw/libarm32/sppobjs.def new file mode 100644 index 0000000000..c6763b0c55 --- /dev/null +++ b/lib/libc/mingw/libarm32/sppobjs.def @@ -0,0 +1,12 @@ +; +; Definition file of sppobjs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sppobjs.dll" +EXPORTS +SppPluginCanUnloadNow +SppPluginCreateInstance +SppPluginInitialize +SppPluginShutdown +SppPluginVersion diff --git a/lib/libc/mingw/libarm32/sppwinob.def b/lib/libc/mingw/libarm32/sppwinob.def new file mode 100644 index 0000000000..eb3f93834e --- /dev/null +++ b/lib/libc/mingw/libarm32/sppwinob.def @@ -0,0 +1,12 @@ +; +; Definition file of sppwinob.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sppwinob.dll" +EXPORTS +SppPluginCanUnloadNow +SppPluginCreateInstance +SppPluginInitialize +SppPluginShutdown +SppPluginVersion diff --git a/lib/libc/mingw/libarm32/spwinsat.def b/lib/libc/mingw/libarm32/spwinsat.def new file mode 100644 index 0000000000..0963bdd1da --- /dev/null +++ b/lib/libc/mingw/libarm32/spwinsat.def @@ -0,0 +1,8 @@ +; +; Definition file of sysoobe.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysoobe.dll" +EXPORTS +Sysprep_Clean_WinSAT diff --git a/lib/libc/mingw/libarm32/sqlcecompact40.def b/lib/libc/mingw/libarm32/sqlcecompact40.def new file mode 100644 index 0000000000..17ee683a3e --- /dev/null +++ b/lib/libc/mingw/libarm32/sqlcecompact40.def @@ -0,0 +1,8 @@ +; +; Definition file of SQLCECOMPACT40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SQLCECOMPACT40.dll" +EXPORTS +SeRebuild diff --git a/lib/libc/mingw/libarm32/sqlcese40.def b/lib/libc/mingw/libarm32/sqlcese40.def new file mode 100644 index 0000000000..e1650a3cf0 --- /dev/null +++ b/lib/libc/mingw/libarm32/sqlcese40.def @@ -0,0 +1,65 @@ +; +; Definition file of SQLCESE40.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SQLCESE40.dll" +EXPORTS +EnableStorePlayback +EnableStoreTracing +InitSerialization +SuspendStoreOperation +EnableCedbFailpoint +SqlCeAddDatabaseProps +SqlCeAddSyncPartner +SqlCeAttachCustomTrackingData +SqlCeBeginSyncSession +SqlCeBeginTransaction +SqlCeChangeDatabaseLCID +SqlCeCloseHandle +SqlCeCreateDatabase +SqlCeCreateSession +SqlCeDeleteDatabase +SqlCeDeleteRecord +SqlCeEndSyncSession +SqlCeEndTransaction +SqlCeEnumDBVolumes +SqlCeFindFirstDatabase +SqlCeFindNextChangedRecord +SqlCeFindNextDatabase +SqlCeFlushDBVol +SqlCeFreeNotification +SqlCeGetChangedRecordCnt +SqlCeGetChangedRecords +SqlCeGetCustomTrackingData +SqlCeGetDBInformationByHandle +SqlCeGetDatabaseProps +SqlCeGetDatabaseSession +SqlCeGetPropChangeInfo +SqlCeGetRecordChangeInfo +SqlCeMarkRecord +SqlCeMountDBVol +SqlCeOidGetInfo +SqlCeOnServerLoad +SqlCeOpenDatabase +SqlCeOpenDatabaseEx +SqlCeOpenStream +SqlCePurgeTrackingData +SqlCePurgeTrackingGenerations +SqlCeReadRecordProps +SqlCeRemoveDatabaseProps +SqlCeRemoveDatabaseTracking +SqlCeRemoveSyncPartner +SqlCeSeekDatabase +SqlCeSetDatabaseInfo +SqlCeSetSessionOption +SqlCeStreamRead +SqlCeStreamSaveChanges +SqlCeStreamSeek +SqlCeStreamSetSize +SqlCeStreamWrite +SqlCeTrackDatabase +SqlCeTrackProperty +SqlCeUninitialize +SqlCeUnmountDBVol +SqlCeWriteRecordProps diff --git a/lib/libc/mingw/libarm32/sqmapi.def b/lib/libc/mingw/libarm32/sqmapi.def new file mode 100644 index 0000000000..4ea36043e6 --- /dev/null +++ b/lib/libc/mingw/libarm32/sqmapi.def @@ -0,0 +1,70 @@ +; +; Definition file of sqmapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sqmapi.dll" +EXPORTS +SqmCheckEscalationAddToStreamDWord64 +SqmCheckEscalationAddToStreamDWord +SqmCheckEscalationAddToStreamString +SqmCheckEscalationSetDWord64 +SqmCheckEscalationSetDWord +SqmCheckEscalationSetString +SqmGetEscalationRuleStatus +SqmGetInstrumentationProperty +SqmLoadEscalationManifest +SqmSetEscalationInfo +SqmUnloadEscalationManifest +SqmAddToAverage +SqmAddToStream +SqmAddToStreamDWord +SqmAddToStreamDWord64 +SqmAddToStreamString +SqmAddToStreamV +SqmCleanup +SqmClearFlags +SqmCreateNewId +SqmEndSession +SqmEndSessionEx +SqmFlushSession +SqmGetEnabled +SqmGetFlags +SqmGetLastUploadTime +SqmGetMachineId +SqmGetSession +SqmGetSessionStartTime +SqmGetUserId +SqmIncrement +SqmIsNamespaceEnabled +SqmIsWindowsOptedIn +SqmReadSharedMachineId +SqmReadSharedUserId +SqmSet +SqmSetAppId +SqmSetAppVersion +SqmSetBits +SqmSetBool +SqmSetCurrentTimeAsUploadTime +SqmSetDWord64 +SqmSetEnabled +SqmSetFlags +SqmSetIfMax +SqmSetIfMin +SqmSetMachineId +SqmSetString +SqmSetUserId +SqmStartSession +SqmStartUpload +SqmStartUploadEx +SqmSysprepCleanup +SqmSysprepGeneralize +SqmSysprepSpecialize +SqmTimerAccumulate +SqmTimerAddToAverage +SqmTimerRecord +SqmTimerStart +SqmUnattendedSetup +SqmWaitForUploadComplete +SqmWriteSharedMachineId +SqmWriteSharedUserId diff --git a/lib/libc/mingw/libarm32/srchadmin.def b/lib/libc/mingw/libarm32/srchadmin.def new file mode 100644 index 0000000000..05f5229df8 --- /dev/null +++ b/lib/libc/mingw/libarm32/srchadmin.def @@ -0,0 +1,9 @@ +; +; Definition file of SRCHADMIN.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SRCHADMIN.dll" +EXPORTS +ProcessGroupPolicy +CPlApplet diff --git a/lib/libc/mingw/libarm32/srclient.def b/lib/libc/mingw/libarm32/srclient.def new file mode 100644 index 0000000000..7548812795 --- /dev/null +++ b/lib/libc/mingw/libarm32/srclient.def @@ -0,0 +1,20 @@ +; +; Definition file of SRCLIENT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SRCLIENT.dll" +EXPORTS +SysprepCleanup +SysprepGeneralize +DisableSR +DisableSRInternal +EnableSR +EnableSREx +EnableSRInternal +SRNewSystemId +SRRemoveRestorePoint +SRSetRestorePointA +SRSetRestorePointInternal +SRSetRestorePointW +SetSRStateAfterSetup diff --git a/lib/libc/mingw/libarm32/srumapi.def b/lib/libc/mingw/libarm32/srumapi.def new file mode 100644 index 0000000000..00f74a2ff6 --- /dev/null +++ b/lib/libc/mingw/libarm32/srumapi.def @@ -0,0 +1,12 @@ +; +; Definition file of SrumAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SrumAPI.dll" +EXPORTS +SruFreeRecordSet +SruQueryStats +SruRegisterRealTimeStats +SruUnregisterRealTimeStats +SruUpdateStats diff --git a/lib/libc/mingw/libarm32/srumsvc.def b/lib/libc/mingw/libarm32/srumsvc.def new file mode 100644 index 0000000000..78a87516ee --- /dev/null +++ b/lib/libc/mingw/libarm32/srumsvc.def @@ -0,0 +1,10 @@ +; +; Definition file of SrumSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SrumSvc.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/sscore.def b/lib/libc/mingw/libarm32/sscore.def new file mode 100644 index 0000000000..4ebaf9dad3 --- /dev/null +++ b/lib/libc/mingw/libarm32/sscore.def @@ -0,0 +1,49 @@ +; +; Definition file of sscore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sscore.dll" +EXPORTS +SsCoreAliasAdd +SsCoreAliasAddEx +SsCoreAliasDel +SsCoreAliasDelEx +SsCoreCloseInstance +SsCoreDeregisterNetnameForMultichannel +SsCoreFileDel +SsCoreFileDelForInstance +SsCoreFileEnum +SsCoreFileEnumForInstance +SsCoreFileNotifyClose +SsCoreFileNotifyCloseForInstance +SsCoreFreeBuffer +SsCoreInitialize +SsCoreInitializeEx +SsCoreInvalidationRequest +SsCoreLockVolumes +SsCoreMarkAsClusterSvc +SsCoreNodeSetInfo +SsCoreOpenInstance +SsCoreRegisterNetnameForMultichannel +SsCoreServerTransportSetInfo +SsCoreSessionDel +SsCoreSessionDelForInstance +SsCoreSessionEnlist +SsCoreSessionEnum +SsCoreSessionEnumForInstance +SsCoreShareAdd +SsCoreShareAddEx +SsCoreShareAddForInstance +SsCoreShareCleanup +SsCoreShareDel +SsCoreShareDelForInstance +SsCoreShareGetInfo +SsCoreShareGetInfoForInstance +SsCoreShareSetInfo +SsCoreShareSetInfoForInstance +SsCoreShareShutdownForScope +SsCoreStartInstance +SsCoreStopInstance +SsCoreUninitialize +SsCoreUnlockVolumes diff --git a/lib/libc/mingw/libarm32/sscoreext.def b/lib/libc/mingw/libarm32/sscoreext.def new file mode 100644 index 0000000000..486149e89a --- /dev/null +++ b/lib/libc/mingw/libarm32/sscoreext.def @@ -0,0 +1,20 @@ +; +; Definition file of sscoreext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sscoreext.dll" +EXPORTS +SsCoreExtMiApplicationClose +SsCoreExtMiApplicationInitialize +SsCoreExtMiApplicationNewOperationOptions +SsCoreExtMiApplicationNewParameterSet +SsCoreExtMiApplicationNewSession +SsCoreExtMiInstanceAddElement +SsCoreExtMiInstanceDelete +SsCoreExtMiOperationClose +SsCoreExtMiOperationGetInstance +SsCoreExtMiOperationOptionsDelete +SsCoreExtMiOperationOptionsSetResourceUriPrefix +SsCoreExtMiSessionClose +SsCoreExtMiSessionInvoke diff --git a/lib/libc/mingw/libarm32/ssdpapi.def b/lib/libc/mingw/libarm32/ssdpapi.def new file mode 100644 index 0000000000..fa6a7b7c25 --- /dev/null +++ b/lib/libc/mingw/libarm32/ssdpapi.def @@ -0,0 +1,36 @@ +; +; Definition file of SSDPAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SSDPAPI.dll" +EXPORTS +BeginRegisterPropChangeNotificationEx +CleanupCache +DHSetICSInterfaces +DHSetICSOff +DeregisterNotification +DeregisterService +DisableFirewallRule +EnableFirewallRule +EndRegisterPropChangeNotificationEx +FindServices +FindServicesCallback +FindServicesCallbackEx +FindServicesCancel +FindServicesClose +FindServicesEx +FindServicesOnNetworkCallbackEx +FreeSsdpMessage +FreeSsdpMessageEx +GetFirstService +GetFirstServiceEx +GetNextService +GetNextServiceEx +RegisterAliveNotificationOnNetworkEx +RegisterNotification +RegisterNotificationEx +RegisterService +RegisterServiceEx +SsdpCleanup +SsdpStartup diff --git a/lib/libc/mingw/libarm32/ssdpsrv.def b/lib/libc/mingw/libarm32/ssdpsrv.def new file mode 100644 index 0000000000..549a554c00 --- /dev/null +++ b/lib/libc/mingw/libarm32/ssdpsrv.def @@ -0,0 +1,9 @@ +; +; Definition file of ssdpsrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ssdpsrv.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/sspisrv.def b/lib/libc/mingw/libarm32/sspisrv.def new file mode 100644 index 0000000000..0b4d9299ed --- /dev/null +++ b/lib/libc/mingw/libarm32/sspisrv.def @@ -0,0 +1,9 @@ +; +; Definition file of SspiSrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SspiSrv.dll" +EXPORTS +SspiSrvClientCallback +SspiSrvInitialize diff --git a/lib/libc/mingw/libarm32/ssshim.def b/lib/libc/mingw/libarm32/ssshim.def new file mode 100644 index 0000000000..6a6ee3282b --- /dev/null +++ b/lib/libc/mingw/libarm32/ssshim.def @@ -0,0 +1,12 @@ +; +; Definition file of ssshim.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ssshim.dll" +EXPORTS +SssBindServicingStack +SssGetServicingStackFilePath +SssGetServicingStackFilePathLength +SssPreloadDownlevelDependencies +SssReleaseServicingStack diff --git a/lib/libc/mingw/libarm32/sstpsvc.def b/lib/libc/mingw/libarm32/sstpsvc.def new file mode 100644 index 0000000000..e86ccecb94 --- /dev/null +++ b/lib/libc/mingw/libarm32/sstpsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of sstpsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sstpsvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/sti.def b/lib/libc/mingw/libarm32/sti.def new file mode 100644 index 0000000000..83b426bc3f --- /dev/null +++ b/lib/libc/mingw/libarm32/sti.def @@ -0,0 +1,24 @@ +; +; Definition file of STI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "STI.dll" +EXPORTS +??0BUFFER@@QAA@I@Z +??0BUFFER_CHAIN@@QAA@XZ +??0BUFFER_CHAIN_ITEM@@QAA@I@Z +??1BUFFER@@QAA@XZ +??1BUFFER_CHAIN@@QAA@XZ +??1BUFFER_CHAIN_ITEM@@QAA@XZ +??_FBUFFER@@QAAXXZ +??_FBUFFER_CHAIN_ITEM@@QAAXXZ +?QueryPtr@BUFFER@@QBAPAXXZ +?QuerySize@BUFFER@@QBAIXZ +?QueryUsed@BUFFER_CHAIN_ITEM@@QBAKXZ +?SetUsed@BUFFER_CHAIN_ITEM@@QAAXK@Z +GetProxyDllInfo +MigrateRegisteredSTIAppsForWIAEvents +SelectDeviceDialog2 +StiCreateInstance +StiCreateInstanceW diff --git a/lib/libc/mingw/libarm32/sti_ci.def b/lib/libc/mingw/libarm32/sti_ci.def new file mode 100644 index 0000000000..30bd6af961 --- /dev/null +++ b/lib/libc/mingw/libarm32/sti_ci.def @@ -0,0 +1,24 @@ +; +; Definition file of sti_ci.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sti_ci.dll" +EXPORTS +AddDevice +CreateWiaDeviceList +DestroyWiaDeviceList +DisableWiaDevice +EnableWiaDevice +GetWiaDeviceProperty +InstallWiaDevice +InstallWiaService +SetWiaDeviceProperty +UninstallWiaDevice +WiaAddDevice +WiaCreatePortList +WiaDestroyPortList +?WiaDeviceEnum@@YAHXZ +WiaRemoveDevice +ClassInstall +CoinstallerEntry diff --git a/lib/libc/mingw/libarm32/storagewmi.def b/lib/libc/mingw/libarm32/storagewmi.def new file mode 100644 index 0000000000..a65af083a1 --- /dev/null +++ b/lib/libc/mingw/libarm32/storagewmi.def @@ -0,0 +1,9 @@ +; +; Definition file of STORAGEWMI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "STORAGEWMI.DLL" +EXPORTS +GetProviderClassID +MI_Main diff --git a/lib/libc/mingw/libarm32/storagewmi_passthru.def b/lib/libc/mingw/libarm32/storagewmi_passthru.def new file mode 100644 index 0000000000..d9e0478f96 --- /dev/null +++ b/lib/libc/mingw/libarm32/storagewmi_passthru.def @@ -0,0 +1,8 @@ +; +; Definition file of storagewmi_passthru.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "storagewmi_passthru.dll" +EXPORTS +CreatePassThrough diff --git a/lib/libc/mingw/libarm32/storprop.def b/lib/libc/mingw/libarm32/storprop.def new file mode 100644 index 0000000000..63530210b2 --- /dev/null +++ b/lib/libc/mingw/libarm32/storprop.def @@ -0,0 +1,19 @@ +; +; Definition file of PROPPAGE.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PROPPAGE.DLL" +EXPORTS +AtaPropPageProvider +CdromDisableDigitalPlayback +CdromEnableDigitalPlayback +CdromIsDigitalPlaybackEnabled +CdromKnownGoodDigitalPlayback +CdromSetDefaultDvdRegion +DiskClassInstaller +DiskPropPageProvider +DvdClassInstaller +DvdLauncher +DvdPropPageProvider +HdcCoInstaller diff --git a/lib/libc/mingw/libarm32/storsvc.def b/lib/libc/mingw/libarm32/storsvc.def new file mode 100644 index 0000000000..aa20ceef61 --- /dev/null +++ b/lib/libc/mingw/libarm32/storsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of StorSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "StorSvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/subscriptionmgr.def b/lib/libc/mingw/libarm32/subscriptionmgr.def new file mode 100644 index 0000000000..ec3dafc948 --- /dev/null +++ b/lib/libc/mingw/libarm32/subscriptionmgr.def @@ -0,0 +1,13 @@ +; +; Definition file of SubscriptionMgr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SubscriptionMgr.dll" +EXPORTS +SubscriptionManagerDeinit +SubscriptionManagerInit +SubscriptionManagerNotify +SubscriptionManagerQueryParameter +SubscriptionManagerSetParameter +g_hMobileOperatorNotificationMutex DATA diff --git a/lib/libc/mingw/libarm32/svsvc.def b/lib/libc/mingw/libarm32/svsvc.def new file mode 100644 index 0000000000..ced736d9e5 --- /dev/null +++ b/lib/libc/mingw/libarm32/svsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of SVSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SVSVC.dll" +EXPORTS +ServiceCtrlHandler +ServiceMain diff --git a/lib/libc/mingw/libarm32/sxshared.def b/lib/libc/mingw/libarm32/sxshared.def new file mode 100644 index 0000000000..d298fb7080 --- /dev/null +++ b/lib/libc/mingw/libarm32/sxshared.def @@ -0,0 +1,15 @@ +; +; Definition file of SXSHARED.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SXSHARED.dll" +EXPORTS +GetLastFailureAsHRESULT +HRESULTFromNTSTATUS +SxTracerDebuggerBreak +SxTracerGetThreadContextDebug +SxTracerGetThreadContextRetail +SxTracerShouldTrackFailure +Win32FromHRESULT +Win32FromNTSTATUS diff --git a/lib/libc/mingw/libarm32/sxssrv.def b/lib/libc/mingw/libarm32/sxssrv.def new file mode 100644 index 0000000000..4709a04f83 --- /dev/null +++ b/lib/libc/mingw/libarm32/sxssrv.def @@ -0,0 +1,8 @@ +; +; Definition file of SXSSRV.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SXSSRV.dll" +EXPORTS +ServerDllInitialization diff --git a/lib/libc/mingw/libarm32/sxsstore.def b/lib/libc/mingw/libarm32/sxsstore.def new file mode 100644 index 0000000000..9f0f3b63ea --- /dev/null +++ b/lib/libc/mingw/libarm32/sxsstore.def @@ -0,0 +1,9 @@ +; +; Definition file of SxsStore.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SxsStore.DLL" +EXPORTS +SxsStoreFinalize +SxsStoreInitialize diff --git a/lib/libc/mingw/libarm32/sysclass.def b/lib/libc/mingw/libarm32/sysclass.def new file mode 100644 index 0000000000..bd4e26ad5f --- /dev/null +++ b/lib/libc/mingw/libarm32/sysclass.def @@ -0,0 +1,8 @@ +; +; Definition file of sysclass.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysclass.dll" +EXPORTS +StorageCoInstaller diff --git a/lib/libc/mingw/libarm32/sysmain.def b/lib/libc/mingw/libarm32/sysmain.def new file mode 100644 index 0000000000..ccde884c6d --- /dev/null +++ b/lib/libc/mingw/libarm32/sysmain.def @@ -0,0 +1,19 @@ +; +; Definition file of sysmain.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "sysmain.dll" +EXPORTS +PfSvWsSwapAssessmentTask +AgGlLoad +AgPdLoad +AgTwLoad +CloseReadyBoostPerfData +CollectReadyBoostPerfData +GetProviderClassID +MI_Main +OpenReadyBoostPerfData +PfSvSysprepCleanup +PfSvUnattendCallback +SysMtServiceMain diff --git a/lib/libc/mingw/libarm32/sysntfy.def b/lib/libc/mingw/libarm32/sysntfy.def new file mode 100644 index 0000000000..c4efc45a85 --- /dev/null +++ b/lib/libc/mingw/libarm32/sysntfy.def @@ -0,0 +1,9 @@ +; +; Definition file of SYSNTFY.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SYSNTFY.dll" +EXPORTS +SysNotifyStartServer +SysNotifyStopServer diff --git a/lib/libc/mingw/libarm32/syssetup.def b/lib/libc/mingw/libarm32/syssetup.def new file mode 100644 index 0000000000..3893a1e9cf --- /dev/null +++ b/lib/libc/mingw/libarm32/syssetup.def @@ -0,0 +1,18 @@ +; +; Definition file of SYSSETUP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SYSSETUP.dll" +EXPORTS +AsrAddSifEntryA +AsrAddSifEntryW +AsrCreateStateFileA +AsrCreateStateFileW +AsrFreeContext +AsrRestorePlugPlayRegistryData +GetAnswerFileSetting +SetupChangeFontSize +SetupInfObjectInstallActionW +SetupSetDisplay +WaitForSamService diff --git a/lib/libc/mingw/libarm32/systemeventsbrokerclient.def b/lib/libc/mingw/libarm32/systemeventsbrokerclient.def new file mode 100644 index 0000000000..a43a76aab1 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemeventsbrokerclient.def @@ -0,0 +1,30 @@ +; +; Definition file of SystemEventsBrokerClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemEventsBrokerClient.dll" +EXPORTS +SebCreateBackgroundDownloadEvent +SebCreateDeviceServicingEvent +SebCreateDeviceUseEvent +SebCreateDisplayOnEvent +SebCreateInfrastructureConditionEvent +SebCreateLocationEvent +SebCreateLockScreenAppAddedEvent +SebCreateLockScreenAppRemovedEvent +SebCreateNetOperatorHotSpotAuthEvent +SebCreateOEMPreInstallEvent +SebCreateSessionConnectedEvent +SebCreateSessionStartEvent +SebCreateUnconstrainedBackgroundDownloadEvent +SebCreateUserPresentEvent +SebDeleteEvent +SebEnumerateEvents +SebQueryEventData +SebRegisterPrivateEvent +SebRegisterWellKnownEvent +SebRegisterWellKnownFilteredEvent +SebSignalBackgroundDownloadEvent +SebSignalDeviceEvent +SebSignalOEMPreInstallEvent diff --git a/lib/libc/mingw/libarm32/systemeventsbrokerserver.def b/lib/libc/mingw/libarm32/systemeventsbrokerserver.def new file mode 100644 index 0000000000..0df7c986b5 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemeventsbrokerserver.def @@ -0,0 +1,9 @@ +; +; Definition file of SystemEventsBrokerServer.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemEventsBrokerServer.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/systemsettings.deviceencryptionhandlers.def b/lib/libc/mingw/libarm32/systemsettings.deviceencryptionhandlers.def new file mode 100644 index 0000000000..40652d3e49 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemsettings.deviceencryptionhandlers.def @@ -0,0 +1,9 @@ +; +; Definition file of SystemSettings.DeviceEncryptionHandlers.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemSettings.DeviceEncryptionHandlers.dll" +EXPORTS +GetActualDeviceEncryptionUIState +GetSetting diff --git a/lib/libc/mingw/libarm32/systemsettings.handlers.def b/lib/libc/mingw/libarm32/systemsettings.handlers.def new file mode 100644 index 0000000000..d1216933a4 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemsettings.handlers.def @@ -0,0 +1,8 @@ +; +; Definition file of SystemSettings.Handlers.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemSettings.Handlers.dll" +EXPORTS +GetSetting diff --git a/lib/libc/mingw/libarm32/systemsettingsadminflowui.def b/lib/libc/mingw/libarm32/systemsettingsadminflowui.def new file mode 100644 index 0000000000..93839cdea9 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemsettingsadminflowui.def @@ -0,0 +1,24 @@ +; +; Definition file of SystemSettingsAdminFlowUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemSettingsAdminFlowUI.dll" +EXPORTS +InitializeXamlCustomResourceLoader +InitializeXamlRuntime +UninitializeXamlCustomResourceLoader +UninitializeXamlRuntime +AddDomainUserPage_CreateInstance +CorpDeviceConfirmationPage_CreateInstance +CorpDeviceManagementPage_CreateInstance +DeviceEncryptionPage_CreateInstance +EditUserPage_CreateInstance +JoinDomainPage_CreateInstance +LeaveDomainPage_CreateInstance +LockdownAppPage_CreateInstance +LockdownUserPage_CreateInstance +RemoveUserPage_CreateInstance +RenamePCPage_CreateInstance +SetDateTimePage_CreateInstance +UnblockSimPinPage_CreateInstance diff --git a/lib/libc/mingw/libarm32/systemsettingsdatabase.def b/lib/libc/mingw/libarm32/systemsettingsdatabase.def new file mode 100644 index 0000000000..c996729f34 --- /dev/null +++ b/lib/libc/mingw/libarm32/systemsettingsdatabase.def @@ -0,0 +1,8 @@ +; +; Definition file of SystemSettingsDatabase.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "SystemSettingsDatabase.dll" +EXPORTS +GetSettingsDatabase diff --git a/lib/libc/mingw/libarm32/tabbtn.def b/lib/libc/mingw/libarm32/tabbtn.def new file mode 100644 index 0000000000..f8101210d9 --- /dev/null +++ b/lib/libc/mingw/libarm32/tabbtn.def @@ -0,0 +1,232 @@ +; +; Definition file of TabBtn.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TabBtn.dll" +EXPORTS +??0?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAA@ABV01@@Z +??0?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAA@XZ +??0?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAA@ABV01@@Z +??0?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAA@XZ +??0?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAA@ABV01@@Z +??0?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAA@XZ +??0?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAA@ABV01@@Z +??0?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAA@XZ +??0?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAA@XZ +??0CActions@@QAA@ABV0@@Z +??0CActions@@QAA@XZ +??0CButtonAction@@QAA@W4BUTTONACTION_TYPE@@@Z +??0CButtonConfig@@QAA@ABV0@@Z +??0CButtonConfig@@QAA@XZ +??0CButtonMonitor@@QAA@ABV0@@Z +??0CButtonMonitor@@QAA@XZ +??0CButtonSetting@@QAA@ABV0@@Z +??0CButtonSetting@@QAA@XZ +??0CButtonSettings@@QAA@ABV0@@Z +??0CButtonSettings@@QAA@XZ +??0CFunctionNotification@@QAA@XZ +??0CHidButton@@QAA@PAUHWND__@@II@Z +??0COrientation@@QAA@XZ +??1?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAA@XZ +??1?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAA@XZ +??1?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAA@XZ +??1?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAA@XZ +??1?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAA@XZ +??1CActions@@QAA@XZ +??1CButtonAction@@QAA@XZ +??1CButtonConfig@@QAA@XZ +??1CButtonMonitor@@QAA@XZ +??1CButtonSetting@@QAA@XZ +??1CButtonSettings@@QAA@XZ +??1CFunctionNotification@@QAA@XZ +??1CHidButton@@QAA@XZ +??1COrientation@@QAA@XZ +??4?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAAAV01@ABV01@@Z +??4?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAAAV01@ABV01@@Z +??4?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAAAV01@ABV01@@Z +??4?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAAAV01@ABV01@@Z +??4?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAAAV01@ABV01@@Z +??4CActions@@QAAAAV0@ABV0@@Z +??4CButtonAction@@QAAAAV0@ABV0@@Z +??4CButtonConfig@@QAAAAV0@ABV0@@Z +??4CButtonMonitor@@QAAAAV0@ABV0@@Z +??4CButtonSetting@@QAAAAV0@ABV0@@Z +??4CButtonSettings@@QAAAAV0@ABV0@@Z +??4CFunctionNotification@@QAAAAV0@ABV0@@Z +??4CHidButton@@QAAAAV0@ABV0@@Z +??4COrientation@@QAAAAV0@ABV0@@Z +??A?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAAAPAUACTION@@H@Z +??A?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QBAABQAUACTION@@H@Z +??A?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAAAPAVCButtonAction@@H@Z +??A?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QBAABQAVCButtonAction@@H@Z +??A?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAAAPAVCButtonSetting@@H@Z +??A?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QBAABQAVCButtonSetting@@H@Z +??A?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAAAPAVCOrientation@@H@Z +??A?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QBAABQAVCOrientation@@H@Z +?Add@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAHABQAUACTION@@@Z +?Add@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAHABQAVCButtonAction@@@Z +?Add@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAHABQAVCButtonSetting@@@Z +?Add@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAHABQAVCOrientation@@@Z +?Add@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAHABKABQAVCButtonImages@@@Z +?CanRepeat@CButtonAction@@QBAHXZ +?Clone@CButtonAction@@QBAJPAPAV1@@Z +?CreateExtendedActionObject@CButtonMonitor@@SAJPAPAUIUnknown@@@Z +?CreateTrayWindow@CFunctionNotification@@AAAJXZ +?DispatchHidBtnEvents@CHidButton@@QAAJPAUHRAWINPUT__@@@Z +?DoBuiltInAction@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?DoButtonAction@CButtonMonitor@@AAAJPAVCButtonAction@@KHH@Z +?ExecuteObject@CButtonMonitor@@AAAJPBG0@Z +?Find@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QBAHABQAUACTION@@@Z +?Find@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QBAHABQAVCButtonAction@@@Z +?Find@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QBAHABQAVCButtonSetting@@@Z +?Find@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QBAHABQAVCOrientation@@@Z +?FindActionById@CActions@@QAAPAUACTION@@K@Z +?FindDeviceByHandle@CHidButton@@QAAPAU_hidbtndev@@PAX@Z +?FindKey@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAHABK@Z +?FindUsage@CHidButton@@AAAHPAU_USAGE_AND_PAGE@@KGG@Z +?FindVal@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAHABQAVCButtonImages@@@Z +?FreeData@CButtonAction@@QAAXXZ +?GetActionAt@CActions@@QAAPAUACTION@@H@Z +?GetActionFromOrientation@CButtonSetting@@QAAJKPAPAVCButtonAction@@00@Z +?GetAllowedActions@CButtonSetting@@QAAPBGXZ +?GetButtonActionType@CButtonAction@@QBA?BW4BUTTONACTION_TYPE@@XZ +?GetButtonConfig@CButtonMonitor@@QAAPAVCButtonConfig@@XZ +?GetButtonCount@CButtonSettings@@QBAHXZ +?GetButtonFromId@CButtonSettings@@QAAJKPAPAVCButtonSetting@@@Z +?GetButtonIdFromIndex@CButtonSettings@@QAAKK@Z +?GetButtonIds@CButtonSettings@@QBAJPAKH@Z +?GetButtonName@CButtonSetting@@QAAPBGXZ +?GetButtonName@CButtonSettings@@QBAPBGH@Z +?GetCount@CActions@@QAAHXZ +?GetCurrentDisplayOrientation@CButtonConfig@@QAAKXZ +?GetData@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QBAPAPAUACTION@@XZ +?GetData@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QBAPAPAVCButtonAction@@XZ +?GetData@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QBAPAPAVCButtonSetting@@XZ +?GetData@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QBAPAPAVCOrientation@@XZ +?GetData@CButtonAction@@QBAQAEXZ +?GetDataDWORD@CButtonAction@@QBA?BKXZ +?GetDefSeq@COrientation@@QAAKXZ +?GetDescription@COrientation@@QAAPBGXZ +?GetDetailImage@CButtonSettings@@QAAPAUHBITMAP__@@KK@Z +?GetDisallowedActions@CButtonSetting@@QAAPBGXZ +?GetDisplayOrientationName@CButtonConfig@@QAAPBGK@Z +?GetFlags@CButtonSetting@@QAAKXZ +?GetFnKeyButtonId@CButtonSettings@@QAAKXZ +?GetHidBtnUsages@CHidButton@@AAAHPAU_hidbtndev@@PAUtagRAWINPUT@@GGPAU_USAGE_AND_PAGE@@PAK@Z +?GetId@CButtonAction@@QBAKXZ +?GetId@CButtonSetting@@QAAKXZ +?GetKeyAt@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAAAKH@Z +?GetKeyName@COrientation@@QAAPBGXZ +?GetLocationImage@CButtonSettings@@QAAPAUHBITMAP__@@KK@Z +?GetMode@COrientation@@QAAKXZ +?GetOrientSeq@CButtonConfig@@QBAKI@Z +?GetOrientSeqCount@CButtonConfig@@QBAKXZ +?GetOrientationMode@CButtonAction@@QBAKXZ +?GetRegType@CButtonAction@@QBAKXZ +?GetSize@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QBAHXZ +?GetSize@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QBAHXZ +?GetSize@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QBAHXZ +?GetSize@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QBAHXZ +?GetSize@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAHXZ +?GetSize@CButtonAction@@QBAKXZ +?GetValueAt@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAAAPAVCButtonImages@@H@Z +HandleTabletButtonMessages +?Hide@CFunctionNotification@@QAAJXZ +?InSession0@CButtonMonitor@@AAAHXZ +?Init@CActions@@QAAJXZ +?Init@CButtonConfig@@QAAJH@Z +?Init@CButtonMonitor@@QAAJPAUHWND__@@@Z +?Init@COrientation@@QAAJPAUHKEY__@@@Z +InitializeTabletButtons +?InternalSetAtIndex@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAXHABQAUACTION@@@Z +?InternalSetAtIndex@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAXHABQAVCButtonAction@@@Z +?InternalSetAtIndex@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAXHABQAVCButtonSetting@@@Z +?InternalSetAtIndex@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAXHABQAVCOrientation@@@Z +?InternalSetAtIndex@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAXHABKABQAVCButtonImages@@@Z +?IsActionRepeatable@CButtonAction@@SAHK@Z +?IsActionUnsupported@CButtonMonitor@@SAHK@Z +?IsSameAction@CButtonAction@@QBAHPBV1@@Z +?LoadImageDLL@CButtonSettings@@AAAHXZ +?LoadSettings@CButtonConfig@@QAAJXZ +?Lookup@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAPAVCButtonImages@@ABK@Z +?MakeAllUserActionsEqual@CButtonSetting@@QAAJK@Z +?NotifyFnMode@CButtonMonitor@@AAAJH@Z +?OnActionAppCommand@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionContextMenu@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionDisplayOff@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionLaunchApp@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionMouseWheel@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionSendKey@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionSetOrientation@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionUnknown@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionWindowsFlip3d@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnActionWindowsFlip@CButtonMonitor@@AAAJPAVCButtonAction@@HH@Z +?OnButtonDown@CButtonMonitor@@AAAXIJ@Z +?OnButtonUp@CButtonMonitor@@AAAXIJ@Z +?OnDisplayChange@CButtonMonitor@@AAAXIJ@Z +?OnFnKeyTimer@CButtonMonitor@@AAAXXZ +?OnHoldTimer@CButtonMonitor@@AAAXXZ +?OnInput@CButtonMonitor@@AAAXIJ@Z +?OnMessage@CButtonMonitor@@QAAXIIJ@Z +?OnRepeatTimer@CButtonMonitor@@AAAXXZ +?OnSettingChange@CButtonMonitor@@AAAXIJ@Z +?OnTimer@CButtonMonitor@@AAAXIJ@Z +?ProcessAction@CButtonMonitor@@AAAJKH@Z +?ProcessEvent@CButtonMonitor@@AAAJKH@Z +?RegReadActions@CButtonConfig@@QAAXPAUHKEY__@@PAVCButtonSetting@@H@Z +?RegReadAndAllocate@CButtonConfig@@SAJPAUHKEY__@@PBGPAKPAPAE2@Z +?RegReadButtonSetting@CButtonConfig@@QAAJPAUHKEY__@@HH@Z +?RegReadButtonsSettings@CButtonConfig@@QAAJXZ +?RegReadDisplayOrientations@CButtonConfig@@QAAJXZ +?RegReadOrientationSeq@CButtonConfig@@QAAJXZ +?RegisterButtonDevices@CButtonMonitor@@QAAJXZ +?RegisterForPopups@CButtonMonitor@@AAAJXZ +?RegisterHidBtnDevice@CHidButton@@QAAPAU_hidbtndev@@PAXPAK@Z +?ReleaseDownButtons@CButtonMonitor@@AAAJXZ +?ReleaseRepeatOrHoldButton@CButtonMonitor@@AAAJXZ +?Remove@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAHABQAUACTION@@@Z +?Remove@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAHABQAVCButtonAction@@@Z +?Remove@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAHABQAVCButtonSetting@@@Z +?Remove@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAHABQAVCOrientation@@@Z +?Remove@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAHABK@Z +?RemoveAll@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAXXZ +?RemoveAll@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAXXZ +?RemoveAll@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAXXZ +?RemoveAll@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAXXZ +?RemoveAll@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAXXZ +?RemoveAt@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAHH@Z +?RemoveAt@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAHH@Z +?RemoveAt@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAHH@Z +?RemoveAt@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAHH@Z +?RemoveAt@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAHH@Z +?ResetDeprecatedAction@CButtonConfig@@AAAXPAVCButtonAction@@@Z +?ReverseLookup@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QBAKABQAVCButtonImages@@@Z +?SaveSettings@CButtonConfig@@QAAJXZ +?SendAppCommand@CButtonMonitor@@AAAJG@Z +?SendModKeys@CButtonMonitor@@CAXEH@Z +?SendVKey@CButtonMonitor@@CAXEEH@Z +?Set@CButtonAction@@QAAJPBV1@@Z +?SetAt@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAHABKABQAVCButtonImages@@@Z +?SetAtIndex@?$CSimpleArray@PAUACTION@@V?$CSimpleArrayEqualHelper@PAUACTION@@@ATL@@@ATL@@QAAHHABQAUACTION@@@Z +?SetAtIndex@?$CSimpleArray@PAVCButtonAction@@V?$CSimpleArrayEqualHelper@PAVCButtonAction@@@ATL@@@ATL@@QAAHHABQAVCButtonAction@@@Z +?SetAtIndex@?$CSimpleArray@PAVCButtonSetting@@V?$CSimpleArrayEqualHelper@PAVCButtonSetting@@@ATL@@@ATL@@QAAHHABQAVCButtonSetting@@@Z +?SetAtIndex@?$CSimpleArray@PAVCOrientation@@V?$CSimpleArrayEqualHelper@PAVCOrientation@@@ATL@@@ATL@@QAAHHABQAVCOrientation@@@Z +?SetAtIndex@?$CSimpleMap@KPAVCButtonImages@@V?$CSimpleMapEqualHelper@KPAVCButtonImages@@@ATL@@@ATL@@QAAHHABKABQAVCButtonImages@@@Z +?SetData@CButtonAction@@QAAJQAEK@Z +?SetDataDWORD@CButtonAction@@QAAJK@Z +?SetDisplayOrientation@CButtonMonitor@@AAAJH@Z +?SetDisplayPower@CButtonMonitor@@AAAXH@Z +?SetId@CButtonAction@@QAAXK@Z +?ShouldButtonShowUI@CButtonSettings@@QBAHH@Z +?ShouldSendEscapeForBack@CButtonMonitor@@AAAHXZ +?Show@CFunctionNotification@@QAAJXZ +?ShowWindowSwitchWindow@CButtonMonitor@@CAJXZ +UninitializeTabletButtons +?UnregisterButtonDevices@CButtonMonitor@@QAAJXZ +?UnregisterHidBtnDevice@CHidButton@@QAAHPAU_hidbtndev@@PAK@Z +?UpdateButtonRates@CButtonConfig@@QAAJXZ +?UpdateCurrentDisplayOrientation@CButtonConfig@@QAAXXZ +?WinEventProc@CButtonMonitor@@SAXPAUHWINEVENTHOOK__@@KPAUHWND__@@JJKK@Z +?WindowProc@CFunctionNotification@@SAJPAUHWND__@@IIJ@Z +?sm_dwPopupCount@CButtonMonitor@@2KA DATA diff --git a/lib/libc/mingw/libarm32/tabsvc.def b/lib/libc/mingw/libarm32/tabsvc.def new file mode 100644 index 0000000000..4d96ee6ee5 --- /dev/null +++ b/lib/libc/mingw/libarm32/tabsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of TabSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TabSvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/tapisrv.def b/lib/libc/mingw/libarm32/tapisrv.def new file mode 100644 index 0000000000..98180731d1 --- /dev/null +++ b/lib/libc/mingw/libarm32/tapisrv.def @@ -0,0 +1,9 @@ +; +; Definition file of tapisrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tapisrv.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/tapisysprep.def b/lib/libc/mingw/libarm32/tapisysprep.def new file mode 100644 index 0000000000..2aee9004b2 --- /dev/null +++ b/lib/libc/mingw/libarm32/tapisysprep.def @@ -0,0 +1,8 @@ +; +; Definition file of tapisysprep.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tapisysprep.dll" +EXPORTS +TapiSysPrepClean diff --git a/lib/libc/mingw/libarm32/taskcomp.def b/lib/libc/mingw/libarm32/taskcomp.def new file mode 100644 index 0000000000..ab6613c7d4 --- /dev/null +++ b/lib/libc/mingw/libarm32/taskcomp.def @@ -0,0 +1,14 @@ +; +; Definition file of taskcomp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "taskcomp.dll" +EXPORTS +DeleteTaskNotification +InitializeAdapter +IsRegistering +RegisterTaskNotification +SetSdNotification +ShutdownAdapter +UpdateJobStatus diff --git a/lib/libc/mingw/libarm32/tcpipsetup.def b/lib/libc/mingw/libarm32/tcpipsetup.def new file mode 100644 index 0000000000..f8c3b84711 --- /dev/null +++ b/lib/libc/mingw/libarm32/tcpipsetup.def @@ -0,0 +1,8 @@ +; +; Definition file of TcpipSetup.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TcpipSetup.dll" +EXPORTS +DllRegisterNetSetupPlugin diff --git a/lib/libc/mingw/libarm32/tcpmib.def b/lib/libc/mingw/libarm32/tcpmib.def new file mode 100644 index 0000000000..a3742bd057 --- /dev/null +++ b/lib/libc/mingw/libarm32/tcpmib.def @@ -0,0 +1,42 @@ +; +; Definition file of TCPMIB.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TCPMIB.dll" +EXPORTS +??0CTcpMib@@QAA@ABV0@@Z +??0CTcpMib@@QAA@XZ +??0CTcpMibABC@@QAA@ABV0@@Z +??0CTcpMibABC@@QAA@XZ +??1CTcpMib@@UAA@XZ +??1CTcpMibABC@@UAA@XZ +??4CTcpMib@@QAAAAV0@ABV0@@Z +??4CTcpMibABC@@QAAAAV0@ABV0@@Z +??_7CTcpMib@@6B@ DATA +??_7CTcpMibABC@@6B@ DATA +?GetDeviceDescription@CTcpMib@@UAAKPBD0KPAGK@Z +?GetDeviceId@CTcpMib@@UAAJPBGKPAGKPAK@Z +?GetDeviceIdFromIni@CTcpMib@@AAAJPBGKPAGKPAK@Z +?GetDeviceIdFromMib@CTcpMib@@AAAJPBGKPAGKPAK@Z +?GetNextRequestId@CTcpMib@@UAAKPAK@Z +?GetPortList@CTcpMib@@UAAJPBGPAEKPAK@Z +?GetPortListFromIni@CTcpMib@@AAAJPBGPAEKPAK@Z +?GetPortListFromMib@CTcpMib@@AAAJPBGPAEKPAK@Z +?GetStatusFromVBL@CTcpMib@@CAKPAXPAUsmiVALUE@@11@Z +?InitSnmp@CTcpMib@@UAAKXZ +?IsValid@CTcpMib@@QBAHXZ +?MapAsynchToPortStatus@CTcpMib@@CAHKPAU_PORT_INFO_3W@@@Z +?RFC1157ToString@CTcpMib@@UAAHPAUSnmpVarBind@@PAGKPAK@Z +?RegisterDeviceStatusCallback@CTcpMib@@UAAKP6AKHPBD0KKK@ZPAPAX@Z +?RequestDeviceStatus@CTcpMib@@UAAKPAXKPBG1K@Z +?SnmpCallback@CTcpMib@@CAKPAXPAUHWND__@@IIJ0@Z +?SnmpGet@CTcpMib@@QAAKPBD0PAUSnmpVarBindList@@@Z +?SnmpGet@CTcpMib@@UAAKPBD00PAUSnmpVarBindList@@@Z +?SnmpGet@CTcpMib@@UAAKPBD0PAUAsnObjectIdentifier@@PAUSnmpVarBindList@@@Z +?SnmpGetNext@CTcpMib@@QAAKPBD0PAUSnmpVarBindList@@@Z +?SnmpGetNext@CTcpMib@@UAAKPBD0PAUAsnObjectIdentifier@@PAUSnmpVarBindList@@@Z +?SupportsPortMonMib@CTcpMib@@AAAJPBGPAH@Z +?SupportsPrinterMib@CTcpMib@@UAAHPBD0KPAH@Z +?UnInitSnmp@CTcpMib@@UAAXXZ +GetTcpMibPtr diff --git a/lib/libc/mingw/libarm32/tcpmonui.def b/lib/libc/mingw/libarm32/tcpmonui.def new file mode 100644 index 0000000000..47b049555e --- /dev/null +++ b/lib/libc/mingw/libarm32/tcpmonui.def @@ -0,0 +1,22 @@ +; +; Definition file of TCPMonUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TCPMonUI.dll" +EXPORTS +??0CPortABC@@QAA@ABV0@@Z +??0CPortABC@@QAA@XZ +??0CTcpMibABC@@QAA@ABV0@@Z +??0CTcpMibABC@@QAA@XZ +??1CPortABC@@UAA@XZ +??1CTcpMibABC@@UAA@XZ +??4CPortABC@@QAAAAV0@ABV0@@Z +??4CTcpMibABC@@QAAAAV0@ABV0@@Z +??_7CPortABC@@6B@ DATA +??_7CTcpMibABC@@6B@ DATA +InitializePrintMonitorUI2 +?Read@CPortABC@@UAAKQAXPAEKPAK@Z +InitializePrintMonitorUI +LocalAddPortUI +LocalConfigurePortUI diff --git a/lib/libc/mingw/libarm32/termsrv.def b/lib/libc/mingw/libarm32/termsrv.def new file mode 100644 index 0000000000..e1013f484b --- /dev/null +++ b/lib/libc/mingw/libarm32/termsrv.def @@ -0,0 +1,9 @@ +; +; Definition file of TermSrv.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TermSrv.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/tetheringieprovider.def b/lib/libc/mingw/libarm32/tetheringieprovider.def new file mode 100644 index 0000000000..f472567904 --- /dev/null +++ b/lib/libc/mingw/libarm32/tetheringieprovider.def @@ -0,0 +1,8 @@ +; +; Definition file of TetheringIeProvider.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TetheringIeProvider.dll" +EXPORTS +VsIeProviderGetFunctionTable diff --git a/lib/libc/mingw/libarm32/tetheringmgr.def b/lib/libc/mingw/libarm32/tetheringmgr.def new file mode 100644 index 0000000000..e1061a19af --- /dev/null +++ b/lib/libc/mingw/libarm32/tetheringmgr.def @@ -0,0 +1,12 @@ +; +; Definition file of TetheringMgr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TetheringMgr.dll" +EXPORTS +TetheringManagerDeinit +TetheringManagerInit +TetheringManagerNotify +TetheringManagerQueryParameter +TetheringManagerSetParameter diff --git a/lib/libc/mingw/libarm32/tetheringstation.def b/lib/libc/mingw/libarm32/tetheringstation.def new file mode 100644 index 0000000000..6e1a7c54ea --- /dev/null +++ b/lib/libc/mingw/libarm32/tetheringstation.def @@ -0,0 +1,15 @@ +; +; Definition file of TetheringStation.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TetheringStation.dll" +EXPORTS +TetheringStationConnect +TetheringStationDeinitialize +TetheringStationDisconnect +TetheringStationEnumerate +TetheringStationFreeMemory +TetheringStationInitialize +TetheringStationRegisterForNotification +TetheringStationUnregisterForNotification diff --git a/lib/libc/mingw/libarm32/themecpl.def b/lib/libc/mingw/libarm32/themecpl.def new file mode 100644 index 0000000000..761431fc90 --- /dev/null +++ b/lib/libc/mingw/libarm32/themecpl.def @@ -0,0 +1,8 @@ +; +; Definition file of THEMECPL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "THEMECPL.dll" +EXPORTS +OpenThemeActionW diff --git a/lib/libc/mingw/libarm32/themeservice.def b/lib/libc/mingw/libarm32/themeservice.def new file mode 100644 index 0000000000..b364735253 --- /dev/null +++ b/lib/libc/mingw/libarm32/themeservice.def @@ -0,0 +1,8 @@ +; +; Definition file of THEMESERVICE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "THEMESERVICE.dll" +EXPORTS +ThemeServiceMain diff --git a/lib/libc/mingw/libarm32/timebrokerclient.def b/lib/libc/mingw/libarm32/timebrokerclient.def new file mode 100644 index 0000000000..232c0b22dc --- /dev/null +++ b/lib/libc/mingw/libarm32/timebrokerclient.def @@ -0,0 +1,17 @@ +; +; Definition file of TimeBrokerClient.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TimeBrokerClient.dll" +EXPORTS +TbCreateCEvent +TbCreateEvent +TbDeleteCEvent +TbDeleteEvent +TbEnumerateCEvents +TbEnumerateEvents +TbQueryCEventData +TbQueryEventData +TbUpdateCEvent +TbUpdateEvent diff --git a/lib/libc/mingw/libarm32/timebrokerserver.def b/lib/libc/mingw/libarm32/timebrokerserver.def new file mode 100644 index 0000000000..f3000bd195 --- /dev/null +++ b/lib/libc/mingw/libarm32/timebrokerserver.def @@ -0,0 +1,9 @@ +; +; Definition file of TimeBrokerServer.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TimeBrokerServer.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/timedatemuicallback.def b/lib/libc/mingw/libarm32/timedatemuicallback.def new file mode 100644 index 0000000000..85c93f80b0 --- /dev/null +++ b/lib/libc/mingw/libarm32/timedatemuicallback.def @@ -0,0 +1,8 @@ +; +; Definition file of TIMEDATEMUICALLBACK.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TIMEDATEMUICALLBACK.dll" +EXPORTS +OnMachineUILanguageSwitch diff --git a/lib/libc/mingw/libarm32/tlscsp.def b/lib/libc/mingw/libarm32/tlscsp.def new file mode 100644 index 0000000000..fdb191c08e --- /dev/null +++ b/lib/libc/mingw/libarm32/tlscsp.def @@ -0,0 +1,17 @@ +; +; Definition file of tlscsp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tlscsp.dll" +EXPORTS +TLSCspInit +TLSCspShutdown +TLSGetTSCertificate +TLSFreeTSCertificate +LsCsp_GetServerData +LsCsp_EncryptHwid +LsCsp_DecryptEnvelopedData +LsCsp_StoreSecret +LsCsp_RetrieveSecret +TLSCspStartInstallCertificateThread diff --git a/lib/libc/mingw/libarm32/tpmcompc.def b/lib/libc/mingw/libarm32/tpmcompc.def new file mode 100644 index 0000000000..49dfb1b8b0 --- /dev/null +++ b/lib/libc/mingw/libarm32/tpmcompc.def @@ -0,0 +1,8 @@ +; +; Definition file of tpmcc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tpmcc.dll" +EXPORTS +CHOOSER2_PickTargetComputer diff --git a/lib/libc/mingw/libarm32/tpmvsc.def b/lib/libc/mingw/libarm32/tpmvsc.def new file mode 100644 index 0000000000..0ae0f1937b --- /dev/null +++ b/lib/libc/mingw/libarm32/tpmvsc.def @@ -0,0 +1,35 @@ +; +; Definition file of tpmvsc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tpmvsc.dll" +EXPORTS +TpmVCardCreate +TpmVCardCreateInProc +TpmVCardDestroy +TpmVCardDestroyInProc +VCardAuthenticatePin +VCardChangePin +VCardClose +VCardCreateKey +VCardDeauthenticate +VCardDecrypt +VCardDeinitialize +VCardDeleteKey +VCardEncrypt +VCardExportRsaPubKey +VCardGetChallenge +VCardGetKeyType +VCardGetPinLength +VCardGetRemainingRetryCount +VCardGetTransportKeyAlg +VCardImportRsaKey +VCardImportSymKey +VCardInitialize +VCardInvalidateChallenge +VCardOpen +VCardResetPin +VCardSetResponse +VCardSignHash +VCardUnblockPin diff --git a/lib/libc/mingw/libarm32/tquery.def b/lib/libc/mingw/libarm32/tquery.def new file mode 100644 index 0000000000..4e0956a2bf --- /dev/null +++ b/lib/libc/mingw/libarm32/tquery.def @@ -0,0 +1,92 @@ +; +; Definition file of TQUERY.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TQUERY.DLL" +EXPORTS +??0CDriveInfo@@QAA@PBGK@Z +??0CFullPath@@QAA@PBG@Z +??0CFullPropSpec@@QAA@ABV0@@Z +??0CMemSerStream@@QAA@PAEK@Z +??0CPidLookupTable@@QAA@XZ +??0CUnNormalizer@@QAA@XZ +??0CiStorage@@QAA@PBGKPAUICiCAdviseStatus@@KH@Z +??0XAct@@QAA@XZ +??1CMemSerStream@@UAA@XZ +??1CPhysStorage@@UAA@XZ +??1CPidLookupTable@@QAA@XZ +??1CiStorage@@UAA@XZ +?CoTaskAllocator@@3VCCoTaskAllocator@@A DATA +?ContainsDrive@CDriveInfo@@SAHPBG@Z +CreatePropMapperStorage +CreateSecurityStoreStorage +?EnumerateProperty@CPidLookupTable@@QAAKAAVCFullPropSpec@@AAI@Z +ExceptInitialize +?GetBlob@CMemDeSerStream@@UAAXPAEK@Z +?GetByte@CMemDeSerStream@@UAAEXZ +?GetChar@CMemDeSerStream@@UAAXPADK@Z +?GetDiskSpace@CDriveInfo@@QAAXAA_J0@Z +?GetDouble@CMemDeSerStream@@UAANXZ +?GetDrive@CDriveInfo@@SAXPBGPAG@Z +?GetFloat@CMemDeSerStream@@UAAMXZ +?GetGUID@CMemDeSerStream@@UAAXAAU_GUID@@@Z +?GetLong@CMemDeSerStream@@UAAJXZ +?GetSectorSize@CDriveInfo@@QAAKXZ +?GetString@CMemDeSerStream@@UAAPADXZ +?GetULong@CMemDeSerStream@@UAAKXZ +?GetUShort@CMemDeSerStream@@UAAGXZ +?GetWChar@CMemDeSerStream@@UAAXPAGK@Z +?GetWString@CMemDeSerStream@@UAAPAGXZ +?Init@CPidLookupTable@@QAAHPAVPRcovStorageObj@@@Z +?IsSameDrive@CDriveInfo@@QAAHPBG@Z +?IsWriteProtected@CDriveInfo@@QAAHXZ +?MakePath@CFullPath@@QAAXPBG@Z +?PeekULong@CMemDeSerStream@@UAAKXZ +?PutBlob@CMemSerStream@@UAAXPBEK@Z +?PutByte@CMemSerStream@@UAAXE@Z +?PutChar@CMemSerStream@@UAAXPBDK@Z +?PutDouble@CMemSerStream@@UAAXN@Z +?PutFloat@CMemSerStream@@UAAXM@Z +?PutGUID@CMemSerStream@@UAAXABU_GUID@@@Z +?PutLong@CMemSerStream@@UAAXJ@Z +?PutString@CMemSerStream@@UAAXPBD@Z +?PutULong@CMemSerStream@@UAAXK@Z +?PutUShort@CMemSerStream@@UAAXG@Z +?PutWChar@CMemSerStream@@UAAXPBGK@Z +?PutWString@CMemSerStream@@UAAXPBG@Z +?QueryPidLookupTable@CiStorage@@QAAPAVPRcovStorageObj@@K@Z +?Read@CCiFile@@QAAXXZ +?ResetType@CAllocStorageVariant@@IAAXAAVPMemoryAllocator@@@Z +?SetLPWSTR@CStorageVariant@@QAAXPBGI@Z +?SetProperty@CFullPropSpec@@QAAHPBG@Z +?SetProperty@CFullPropSpec@@QAAXK@Z +?SkipBlob@CMemDeSerStream@@UAAXK@Z +?SkipByte@CMemDeSerStream@@UAAXXZ +?SkipChar@CMemDeSerStream@@UAAXK@Z +?SkipDouble@CMemDeSerStream@@UAAXXZ +?SkipFloat@CMemDeSerStream@@UAAXXZ +?SkipGUID@CMemDeSerStream@@UAAXXZ +?SkipLong@CMemDeSerStream@@UAAXXZ +?SkipULong@CMemDeSerStream@@UAAXXZ +?SkipUShort@CMemDeSerStream@@UAAXXZ +?SkipWChar@CMemDeSerStream@@UAAXK@Z +?UnNormalizeKey@CUnNormalizer@@QAAXABVCKeyBuf@@AAUtagPROPVARIANT@@PAGK@Z +UseLowFragmentationHeap +?ciDelete@@YAXPAX@Z +?ciNew@@YAPAXI@Z +?ciNewNoThrow@@YAPAXI@Z +AccessDebugTracer +AccessRetailTracer +CIState +ExternPropagateEventToOpenQueries +ForceMasterMerge +PerfmonClose +PerfmonCollect +PerfmonIDXClose +PerfmonIDXCollect +PerfmonIDXOpen +PerfmonOpen +RetailTracerDisable +RetailTracerEnable +RetailTracerReleaseAll diff --git a/lib/libc/mingw/libarm32/trkwks.def b/lib/libc/mingw/libarm32/trkwks.def new file mode 100644 index 0000000000..a0aa007311 --- /dev/null +++ b/lib/libc/mingw/libarm32/trkwks.def @@ -0,0 +1,9 @@ +; +; Definition file of trkwks.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "trkwks.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/tsgqec.def b/lib/libc/mingw/libarm32/tsgqec.def new file mode 100644 index 0000000000..5f1f9e88ea --- /dev/null +++ b/lib/libc/mingw/libarm32/tsgqec.def @@ -0,0 +1,9 @@ +; +; Definition file of tsgQec.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tsgQec.dll" +EXPORTS +InitializeQec +UninitializeQec diff --git a/lib/libc/mingw/libarm32/tspkg.def b/lib/libc/mingw/libarm32/tspkg.def new file mode 100644 index 0000000000..45c90c11d7 --- /dev/null +++ b/lib/libc/mingw/libarm32/tspkg.def @@ -0,0 +1,9 @@ +; +; Definition file of TSPKG.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TSPKG.dll" +EXPORTS +SpLsaModeInitialize +SpUserModeInitialize diff --git a/lib/libc/mingw/libarm32/tspnprdrcoinstaller.def b/lib/libc/mingw/libarm32/tspnprdrcoinstaller.def new file mode 100644 index 0000000000..d07b381e0b --- /dev/null +++ b/lib/libc/mingw/libarm32/tspnprdrcoinstaller.def @@ -0,0 +1,8 @@ +; +; Definition file of TsPnPRdrCoInstaller.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TsPnPRdrCoInstaller.dll" +EXPORTS +TsPnPRdrCoInstaller diff --git a/lib/libc/mingw/libarm32/tsusbgdcoinstaller.def b/lib/libc/mingw/libarm32/tsusbgdcoinstaller.def new file mode 100644 index 0000000000..1a67b85781 --- /dev/null +++ b/lib/libc/mingw/libarm32/tsusbgdcoinstaller.def @@ -0,0 +1,8 @@ +; +; Definition file of TsUsbGDCoInstaller.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TsUsbGDCoInstaller.dll" +EXPORTS +TsUsbGDCoInstaller diff --git a/lib/libc/mingw/libarm32/tsusbredirectiongrouppolicyextension.def b/lib/libc/mingw/libarm32/tsusbredirectiongrouppolicyextension.def new file mode 100644 index 0000000000..e84d99f8d7 --- /dev/null +++ b/lib/libc/mingw/libarm32/tsusbredirectiongrouppolicyextension.def @@ -0,0 +1,10 @@ +; +; Definition file of TsUsbRedirectionGroupPolicyExtension.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TsUsbRedirectionGroupPolicyExtension.dll" +EXPORTS +ExecuteProcessGroupPolicyEx +ExecuteProcessGroupPolicyExWithError +ProcessGroupPolicyEx diff --git a/lib/libc/mingw/libarm32/tsworkspace.def b/lib/libc/mingw/libarm32/tsworkspace.def new file mode 100644 index 0000000000..b0f699dccd --- /dev/null +++ b/lib/libc/mingw/libarm32/tsworkspace.def @@ -0,0 +1,16 @@ +; +; Definition file of tsworkspace.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "tsworkspace.dll" +EXPORTS +RADCUISupportCreateSubscriptionClient +RADCUISupportCreateDiscoveryStrategy +RADCProcessGroupPolicyEx +TaskUpdateWorkspaces2 +TaskUpdateWorkspaces +TaskUpdateWorkspacesIfNeeded +WorkspaceSilentSetupW +WorkspaceStatusNotify2 +WorkspaceStatusNotify diff --git a/lib/libc/mingw/libarm32/ttlsauth.def b/lib/libc/mingw/libarm32/ttlsauth.def new file mode 100644 index 0000000000..4a76a1d25b --- /dev/null +++ b/lib/libc/mingw/libarm32/ttlsauth.def @@ -0,0 +1,10 @@ +; +; Definition file of TtlsAuth.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TtlsAuth.dll" +EXPORTS +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerGetInfo diff --git a/lib/libc/mingw/libarm32/ttlscfg.def b/lib/libc/mingw/libarm32/ttlscfg.def new file mode 100644 index 0000000000..05cfc78c88 --- /dev/null +++ b/lib/libc/mingw/libarm32/ttlscfg.def @@ -0,0 +1,24 @@ +; +; Definition file of TtlsCfg.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TtlsCfg.dll" +EXPORTS +EapPeerCreateMethodConfiguration +EapPeerGetIdentityPageGuid +EapPeerGetMethodProperties +EapPeerGetNextPageGuid +EapPeerConfigBlob2Xml +EapPeerConfigXml2Blob +EapPeerCredentialsXml2Blob +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerGetConfigBlobAndUserBlob +EapPeerInvokeConfigUI +EapPeerInvokeIdentityUI +EapPeerInvokeInteractiveUI +EapPeerQueryCredentialInputFields +EapPeerQueryInteractiveUIInputFields +EapPeerQueryUIBlobFromInteractiveUIInputFields +EapPeerQueryUserBlobFromCredentialInputFields diff --git a/lib/libc/mingw/libarm32/ttlsext.def b/lib/libc/mingw/libarm32/ttlsext.def new file mode 100644 index 0000000000..256da3c2b1 --- /dev/null +++ b/lib/libc/mingw/libarm32/ttlsext.def @@ -0,0 +1,14 @@ +; +; Definition file of TTLSEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "TTLSEXT.dll" +EXPORTS +TtlsExt_FreeMemoryExt +TtlsExt_GetConfigCacheOnlyCertValidation +TtlsExt_GetConfigForceNotDomainJoined +TtlsExt_GetContextData +TtlsExt_GetUserCredentials +TtlsExt_InvokeServerAuthentication +TtlsExt_ShowHelp diff --git a/lib/libc/mingw/libarm32/twinapi.appcore.def b/lib/libc/mingw/libarm32/twinapi.appcore.def new file mode 100644 index 0000000000..fd9055e930 --- /dev/null +++ b/lib/libc/mingw/libarm32/twinapi.appcore.def @@ -0,0 +1,71 @@ +; +; Definition file of twinapi.appcore.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "twinapi.appcore.dll" +EXPORTS +ord_1 @1 +ord_2 @2 +ord_3 @3 +ord_4 @4 +ord_5 @5 +ord_6 @6 +ord_7 @7 +ord_8 @8 +ord_9 @9 +ord_10 @10 +ord_11 @11 +ord_12 @12 +BiChangeApplicationStateForPackageName +BiChangeApplicationStateForPsmKey +BiChangeSessionState +BiGetActiveBackgroundTasksEvent +BiIsApplicationTerminateSensitive +BiNotifyNewSession +BiPtActivateDeferredWorkItem +BiPtActivateInBackground +BiPtActivateWorkItem +BiPtAssociateActivationProxy +BiPtAssociateApplicationExtensionClass +BiPtCancelWorkItem +BiPtCreateEventForPackageName +BiPtDeleteEvent +BiPtDisassociateWorkItem +BiPtEnumerateBrokeredEvents +BiPtEnumerateWorkItemsForPackageName +BiPtFreeMemory +BiPtQueryBrokeredEvent +BiPtQuerySystemStateBroadcastChannels +BiPtQueryWorkItem +BiPtSignalEvent +BiPtSignalMultipleEvents +BiResetActiveSessionForPackage +BiSetActiveSessionForPackage +BiUpdateLockScreenApplications +PsmApplyTaskCompletion +PsmBlockAppStateChangeCompletion +PsmDisconnect +PsmIsProcessInApplication +PsmQueryApplicationInformation +PsmQueryApplicationInterferenceCount +PsmQueryApplicationList +PsmQueryApplicationProperties +PsmQueryApplicationResourceUsage +PsmQueryCurrentAppState +PsmQueryMaxMemoryUsage +PsmQueryProcessList +PsmQueryTaskCompletionInformation +PsmRegisterAppStateChangeNotification +PsmRegisterApplicationNotification +PsmRegisterDynamicProcess +PsmRegisterKeyNotification +PsmSetApplicationPriority +PsmSetApplicationProperties +PsmSetApplicationState +PsmShutdownApplication +PsmUnblockAppStateChangeCompletion +PsmUnregisterAppStateChangeNotification +PsmWaitForAppResume +RegisterAppStateChangeNotification +UnregisterAppStateChangeNotification diff --git a/lib/libc/mingw/libarm32/ubpm.def b/lib/libc/mingw/libarm32/ubpm.def new file mode 100644 index 0000000000..a7475ec00c --- /dev/null +++ b/lib/libc/mingw/libarm32/ubpm.def @@ -0,0 +1,22 @@ +; +; Definition file of UBPM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UBPM.dll" +EXPORTS +UbpmAcquireJobBackgroundMode +UbpmApiBufferFree +UbpmCloseTriggerConsumer +UbpmInitialize +UbpmOpenTriggerConsumer +UbpmReleaseJobBackgroundMode +UbpmSessionStateChanged +UbpmTerminate +UbpmTriggerConsumerConfigure +UbpmTriggerConsumerControl +UbpmTriggerConsumerControlNotifications +UbpmTriggerConsumerQueryStatus +UbpmTriggerConsumerRegister +UbpmTriggerConsumerSetStatePublishingSecurity +UbpmTriggerConsumerUnregister diff --git a/lib/libc/mingw/libarm32/udhisapi.def b/lib/libc/mingw/libarm32/udhisapi.def new file mode 100644 index 0000000000..ffd8c28340 --- /dev/null +++ b/lib/libc/mingw/libarm32/udhisapi.def @@ -0,0 +1,10 @@ +; +; Definition file of udhisapi.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "udhisapi.DLL" +EXPORTS +GetExtensionVersion +HttpExtensionProc +TerminateExtension diff --git a/lib/libc/mingw/libarm32/uexfat.def b/lib/libc/mingw/libarm32/uexfat.def new file mode 100644 index 0000000000..5aab985132 --- /dev/null +++ b/lib/libc/mingw/libarm32/uexfat.def @@ -0,0 +1,42 @@ +; +; Definition file of UEXFAT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UEXFAT.dll" +EXPORTS +??0CLUSTER_CHAIN@@QAA@XZ +??0EXFATDIR@@QAA@XZ +??0EXFAT_DIRENT@@QAA@XZ +??0EXFAT_SA@@QAA@XZ +??0EXFAT_VOL@@QAA@XZ +??1CLUSTER_CHAIN@@UAA@XZ +??1EXFATDIR@@UAA@XZ +??1EXFAT_DIRENT@@UAA@XZ +??1EXFAT_SA@@UAA@XZ +??1EXFAT_VOL@@UAA@XZ +?AllocChain@FAT@@QAAKPAVEXFATBITMAP@@KPAK@Z +Chkdsk +ChkdskEx +Format +FormatEx +?FreeChain@FAT@@QAAXPAVEXFATBITMAP@@K@Z +GetFilesystemInformation +?Initialize@CLUSTER_CHAIN@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@PAVEXFAT_SA@@PBVFAT@@KKE@Z +?Initialize@EXFATDIR@@QAAEPAVHMEM@@PAVLOG_IO_DP_DRIVE@@PAVEXFAT_SA@@PBVFAT@@K_KE@Z +?Initialize@EXFAT_DIRENT@@QAAEPAVEXFAT_SA@@PAXPAVEXFATDIR@@K@Z +?Initialize@EXFAT_SA@@QAAEPAVLOG_IO_DP_DRIVE@@PAVMESSAGE@@@Z +?Initialize@EXFAT_VOL@@QAA?AW4FORMAT_ERROR_CODE@@PBVWSTRING@@PAVMESSAGE@@EEW4_MEDIA_TYPE@@EE@Z +?QueryAllocatedClusters@FAT@@QBAKXZ +?QueryFileSize@EXFAT_DIRENT@@QAA_JXZ +?QueryLengthOfChain@FAT@@QBAKKPAK@Z +?QueryNthCluster@FAT@@QBAKKK@Z +?QueryStartingCluster@EXFAT_DIRENT@@QAAKXZ +?Read@CLUSTER_CHAIN@@UAAEXZ +?ReadAndRecordBadSectors@CLUSTER_CHAIN@@QAAEPAVEXFATSECRUNBITMAP@@@Z +Recover +?SetFileSize@EXFAT_DIRENT@@QAAE_J@Z +?SetStartingCluster@EXFAT_DIRENT@@QAAEK@Z +?VerifyAndFixPhase2@EXFAT_DIRENT@@QAAEPAVEXFATBITMAP@@0PAVWSTRING@@EEEW4FIX_LEVEL@@PAEPAVMESSAGE@@@Z +?Write@CLUSTER_CHAIN@@UAAEXZ +?WriteAndSkipBadSectors@CLUSTER_CHAIN@@QAAEXZ diff --git a/lib/libc/mingw/libarm32/ufat.def b/lib/libc/mingw/libarm32/ufat.def new file mode 100644 index 0000000000..5deaba7b65 --- /dev/null +++ b/lib/libc/mingw/libarm32/ufat.def @@ -0,0 +1,63 @@ +; +; Definition file of UFAT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UFAT.dll" +EXPORTS +??0CLUSTER_CHAIN@@QAA@XZ +??0EA_HEADER@@QAA@XZ +??0EA_SET@@QAA@XZ +??0FAT_DIRENT@@QAA@XZ +??0FAT_SA@@QAA@XZ +??0FILEDIR@@QAA@XZ +??0REAL_FAT_SA@@QAA@XZ +??0ROOTDIR@@QAA@XZ +??1CLUSTER_CHAIN@@UAA@XZ +??1EA_HEADER@@UAA@XZ +??1EA_SET@@UAA@XZ +??1FAT_DIRENT@@UAA@XZ +??1FAT_SA@@UAA@XZ +??1FILEDIR@@UAA@XZ +??1REAL_FAT_SA@@UAA@XZ +??1ROOTDIR@@UAA@XZ +?AllocChain@FAT@@QAAKKPAK@Z +?FreeChain@FAT@@QAAXK@Z +?GetEa@EA_SET@@QAAPAU_EA@@KPAJPAE@Z +?Index12@FAT@@ABAKK@Z +?InitFATChkDirty@REAL_FAT_SA@@QAAEPAVLOG_IO_DP_DRIVE@@PAVMESSAGE@@@Z +?Initialize@CLUSTER_CHAIN@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@PAVFAT_SA@@PBVFAT@@KK@Z +?Initialize@EA_HEADER@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@PAVFAT_SA@@PBVFAT@@KK@Z +?Initialize@EA_SET@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@PAVFAT_SA@@PBVFAT@@KK@Z +?Initialize@FAT_DIRENT@@QAAEPAX@Z +?Initialize@FAT_DIRENT@@QAAEPAXE@Z +?Initialize@FILEDIR@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@PAVFAT_SA@@PBVFAT@@K@Z +?Initialize@REAL_FAT_SA@@UAAEPAVLOG_IO_DP_DRIVE@@PAVMESSAGE@@E@Z +?Initialize@ROOTDIR@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@KJ@Z +?IsValidCreationTime@FAT_DIRENT@@QBAEXZ +?IsValidLastAccessTime@FAT_DIRENT@@QBAEXZ +?IsValidLastWriteTime@FAT_DIRENT@@QBAEXZ +?QueryAllocatedClusters@FAT@@QBAKXZ +?QueryCensusAndRelocate@FAT_SA@@QAAEPAU_CENSUS_REPORT@@PAVINTSTACK@@PAE@Z +?QueryCreationTime@FAT_DIRENT@@QBAEPAT_LARGE_INTEGER@@@Z +?QueryEaSetClusterNumber@EA_HEADER@@QBAGG@Z +?QueryFileStartingCluster@FAT_SA@@QAAKPBVWSTRING@@PAVHMEM@@PAPAVFATDIR@@PAEPAVFAT_DIRENT@@@Z +?QueryFreeSectors@REAL_FAT_SA@@QBAKXZ +?QueryLastAccessTime@FAT_DIRENT@@QBAEPAT_LARGE_INTEGER@@@Z +?QueryLastWriteTime@FAT_DIRENT@@QBAEPAT_LARGE_INTEGER@@@Z +?QueryLengthOfChain@FAT@@QBAKKPAK@Z +?QueryLongName@FATDIR@@QAAEJPAVWSTRING@@@Z +?QueryName@FAT_DIRENT@@QBAEPAVWSTRING@@@Z +?QueryNthCluster@FAT@@QBAKKK@Z +?Read@CLUSTER_CHAIN@@UAAEXZ +?Read@EA_SET@@UAAEXZ +?Read@REAL_FAT_SA@@UAAEPAVMESSAGE@@@Z +?SearchForDirEntry@FATDIR@@QAAPAXPBVWSTRING@@@Z +?Set12@FAT@@AAAXKK@Z +?Write@CLUSTER_CHAIN@@UAAEXZ +Chkdsk +ChkdskEx +Format +FormatEx +GetFilesystemInformation +Recover diff --git a/lib/libc/mingw/libarm32/uireng.def b/lib/libc/mingw/libarm32/uireng.def new file mode 100644 index 0000000000..992c2224f3 --- /dev/null +++ b/lib/libc/mingw/libarm32/uireng.def @@ -0,0 +1,15 @@ +; +; Definition file of uireng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "uireng.dll" +EXPORTS +UirGetScreenComment +UirInitializeEngine +UirPauseRecordingSession +UirResumeRecordingSession +UirStartRecordingSession +UirStopRecordingSession +UirUninitializeEngine +UirUpdateRecordingSession diff --git a/lib/libc/mingw/libarm32/umpnpmgr.def b/lib/libc/mingw/libarm32/umpnpmgr.def new file mode 100644 index 0000000000..ef3b1832b2 --- /dev/null +++ b/lib/libc/mingw/libarm32/umpnpmgr.def @@ -0,0 +1,9 @@ +; +; Definition file of umpnpmgr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "umpnpmgr.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/umpo.def b/lib/libc/mingw/libarm32/umpo.def new file mode 100644 index 0000000000..7041129838 --- /dev/null +++ b/lib/libc/mingw/libarm32/umpo.def @@ -0,0 +1,24 @@ +; +; Definition file of umpo.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "umpo.dll" +EXPORTS +PtrUmpoOnAcPower DATA +PtrUmpoProviderHandle DATA +UmpoAllocate +UmpoAlpcSendPowerMessage +UmpoFree +UmpoGetActiveScheme +UmpoInternalCloseUserPowerKey +UmpoInternalConvertGuidToString +UmpoInternalDataAccessorToString +UmpoInternalGetActiveSchemeGuid +UmpoInternalOpenGUIDSubKey +UmpoInternalOpenUserPowerKey +UmpoMain +UmpoNotificationHandler +UmpoNotifyKernelAllPowerPolicyChanged +UmpoNotifyKernelPowerPolicyChanged +UmpoWriteToUserPowerKey diff --git a/lib/libc/mingw/libarm32/umpoext.def b/lib/libc/mingw/libarm32/umpoext.def new file mode 100644 index 0000000000..eede016b93 --- /dev/null +++ b/lib/libc/mingw/libarm32/umpoext.def @@ -0,0 +1,8 @@ +; +; Definition file of umpoext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "umpoext.dll" +EXPORTS +ExtensionInit diff --git a/lib/libc/mingw/libarm32/umrdp.def b/lib/libc/mingw/libarm32/umrdp.def new file mode 100644 index 0000000000..4b704303a2 --- /dev/null +++ b/lib/libc/mingw/libarm32/umrdp.def @@ -0,0 +1,9 @@ +; +; Definition file of UMRDP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UMRDP.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/unattend.def b/lib/libc/mingw/libarm32/unattend.def new file mode 100644 index 0000000000..db68a184c7 --- /dev/null +++ b/lib/libc/mingw/libarm32/unattend.def @@ -0,0 +1,78 @@ +; +; Definition file of UNATTEND.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UNATTEND.DLL" +EXPORTS +UnattendAddResults +UnattendCleanup +UnattendCtxAddOrModifyNodeText +UnattendCtxBeginModify +UnattendCtxCancelModify +UnattendCtxCleanup +UnattendCtxCommitModify +UnattendCtxCompareNodes +UnattendCtxDeserialize +UnattendCtxDeserializeBuffer +UnattendCtxDeserializeFile +UnattendCtxDeserializeString +UnattendCtxDeserializeWithResults +UnattendCtxEnumGet +UnattendCtxEnumOrderedSubNodes +UnattendCtxGetCount +UnattendCtxGetCountByNode +UnattendCtxGetEnumValue +UnattendCtxGetEnumValueByNode +UnattendCtxGetExpandedString +UnattendCtxGetExpandedStringByNode +UnattendCtxGetFlag +UnattendCtxGetFlagByNode +UnattendCtxGetLong +UnattendCtxGetLongByNode +UnattendCtxGetNodeAttr +UnattendCtxGetNodeChild +UnattendCtxGetNodeValue +UnattendCtxGetRootNode +UnattendCtxGetShowUI +UnattendCtxGetShowUIFromNode +UnattendCtxGetString +UnattendCtxGetStringByNode +UnattendCtxGetUlong +UnattendCtxGetUlongByNode +UnattendCtxOpenNode +UnattendCtxOpenNodeByNode +UnattendCtxPrettyPrint +UnattendCtxRemoveAttr +UnattendCtxRemoveNode +UnattendCtxReplaceMatchedNodesWithText +UnattendCtxReplaceNode +UnattendCtxSerialize +UnattendCtxSerializeSettingsStream +UnattendCtxSerializeToBuffer +UnattendCtxSerializeToBufferFromNode +UnattendCtxSerializeToStream +UnattendCtxSerializeToStreamFromNode +UnattendCtxSetNodeName +UnattendCtxSetString +UnattendCtxSetStringByNode +UnattendCtxSpliceTrees +UnattendDeserializeWithResults +UnattendEnumFree +UnattendFindAnswerFile +UnattendFindAnswerFileSkipPantherFolder +UnattendFindAnswerFileWithResults +UnattendFindFileFromCmdLine +UnattendFormatPath +UnattendFreeNode +UnattendFreeResults +UnattendFreeSetting +UnattendGetCount +UnattendGetFirstFailingSetting +UnattendGetFlag +UnattendGetImplicitContext +UnattendGetString +UnattendIsNodeValid +UnattendIsPassUnusedInCtx +UnattendMarkPassUsedInCtx +UnattendUsedPassesExistInCtx diff --git a/lib/libc/mingw/libarm32/untfs.def b/lib/libc/mingw/libarm32/untfs.def new file mode 100644 index 0000000000..66f2e0c188 --- /dev/null +++ b/lib/libc/mingw/libarm32/untfs.def @@ -0,0 +1,169 @@ +; +; Definition file of UNTFS.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UNTFS.dll" +EXPORTS +??0NTFS_ATTRIBUTE@@QAA@XZ +??0NTFS_ATTRIBUTE_DEFINITION_TABLE@@QAA@XZ +??0NTFS_ATTRIBUTE_LIST@@QAA@XZ +??0NTFS_ATTRIBUTE_RECORD@@QAA@XZ +??0NTFS_BAD_CLUSTER_FILE@@QAA@XZ +??0NTFS_BITMAP@@QAA@XZ +??0NTFS_BITMAP_FILE@@QAA@XZ +??0NTFS_BOOT_FILE@@QAA@XZ +??0NTFS_CLUSTER_RUN@@QAA@XZ +??0NTFS_EXTENT_LIST@@QAA@XZ +??0NTFS_FILE_RECORD_SEGMENT@@QAA@XZ +??0NTFS_FRS_STRUCTURE@@QAA@XZ +??0NTFS_INDEX_TREE@@QAA@XZ +??0NTFS_LOG_FILE@@QAA@XZ +??0NTFS_MFT_FILE@@QAA@XZ +??0NTFS_MFT_INFO@@QAA@XZ +??0NTFS_REFLECTED_MASTER_FILE_TABLE@@QAA@XZ +??0NTFS_SA@@QAA@XZ +??0NTFS_UPCASE_FILE@@QAA@XZ +??0NTFS_UPCASE_TABLE@@QAA@XZ +??0NTFS_VOLUME_FILE@@QAA@XZ +??1NTFS_ATTRIBUTE@@UAA@XZ +??1NTFS_ATTRIBUTE_DEFINITION_TABLE@@UAA@XZ +??1NTFS_ATTRIBUTE_LIST@@UAA@XZ +??1NTFS_ATTRIBUTE_RECORD@@UAA@XZ +??1NTFS_BAD_CLUSTER_FILE@@UAA@XZ +??1NTFS_BITMAP@@UAA@XZ +??1NTFS_BITMAP_FILE@@UAA@XZ +??1NTFS_BOOT_FILE@@UAA@XZ +??1NTFS_CLUSTER_RUN@@UAA@XZ +??1NTFS_EXTENT_LIST@@UAA@XZ +??1NTFS_FILE_RECORD_SEGMENT@@UAA@XZ +??1NTFS_FRS_STRUCTURE@@UAA@XZ +??1NTFS_INDEX_TREE@@UAA@XZ +??1NTFS_LOG_FILE@@UAA@XZ +??1NTFS_MFT_FILE@@UAA@XZ +??1NTFS_MFT_INFO@@UAA@XZ +??1NTFS_REFLECTED_MASTER_FILE_TABLE@@UAA@XZ +??1NTFS_SA@@UAA@XZ +??1NTFS_UPCASE_FILE@@UAA@XZ +??1NTFS_UPCASE_TABLE@@UAA@XZ +??1NTFS_VOLUME_FILE@@UAA@XZ +?AddExtent@NTFS_EXTENT_LIST@@QAAEVBIG_INT@@00@Z +?AddFileNameAttribute@NTFS_FILE_RECORD_SEGMENT@@QAAEPAU_FILE_NAME@@@Z +?AddSecurityDescriptor@NTFS_FILE_RECORD_SEGMENT@@QAAEW4_CANNED_SECURITY_TYPE@@PAVNTFS_BITMAP@@@Z +?AddSecurityDescriptorData@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_ATTRIBUTE@@PAXPAPAU_SECURITY_ENTRY@@KW4_CANNED_SECURITY_TYPE@@PAVNTFS_BITMAP@@E@Z +?AllocateFileRecordSegment@NTFS_MASTER_FILE_TABLE@@QAAEPAVBIG_INT@@E@Z +?CompareDupInfo@NTFS_MFT_INFO@@SAEPAXPAU_FILE_NAME@@@Z +?CompareFileName@NTFS_MFT_INFO@@SAEPAXKPAU_FILE_NAME@@PAG@Z +?ComputeDupInfoSignature@NTFS_MFT_INFO@@CAXPAU_DUPLICATED_INFORMATION@@QAE@Z +?ComputeFileNameSignature@NTFS_MFT_INFO@@CAXKPAU_FILE_NAME@@QAE@Z +?CopyIterator@NTFS_INDEX_TREE@@QAAEPAV1@@Z +?Create@NTFS_FILE_RECORD_SEGMENT@@QAAEPBU_STANDARD_INFORMATION@@G@Z +?CreateDataAttribute@NTFS_LOG_FILE@@QAAEVBIG_INT@@KPAVNTFS_BITMAP@@@Z +?CreateElementaryStructures@NTFS_SA@@QAAEPAVNTFS_BITMAP@@KKKKPBVNUMBER_SET@@EEEKPAVMESSAGE@@PAUBIOS_PARAMETER_BLOCK@@PBVWSTRING@@@Z +?Extend@NTFS_MASTER_FILE_TABLE@@QAAEK@Z +?Flush@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_BITMAP@@PAVNTFS_INDEX_TREE@@E@Z +?Flush@NTFS_MFT_FILE@@QAAEXZ +?GetNext@NTFS_INDEX_TREE@@QAAPBU_INDEX_ENTRY@@PAKPAEE@Z +?GetNextAttributeListEntry@NTFS_ATTRIBUTE_LIST@@QBAPBU_ATTRIBUTE_LIST_ENTRY@@PBU2@@Z +?GetNextAttributeRecord@NTFS_FRS_STRUCTURE@@QAAPAXPBXPAVMESSAGE@@PAE@Z +?GetRootFrsIndex@NTFS_SA@@SAEPAVNTFS_MFT_FILE@@PAVNTFS_FILE_RECORD_SEGMENT@@PAVNTFS_INDEX_TREE@@@Z +?Initialize@NTFS_ATTRIBUTE@@QAAEPAVLOG_IO_DP_DRIVE@@KPBVNTFS_EXTENT_LIST@@VBIG_INT@@2KPBVWSTRING@@G@Z +?Initialize@NTFS_ATTRIBUTE@@QAAEPAVLOG_IO_DP_DRIVE@@KPBXKKPBVWSTRING@@G@Z +?Initialize@NTFS_ATTRIBUTE_DEFINITION_TABLE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@E@Z +?Initialize@NTFS_ATTRIBUTE_RECORD@@QAAEPAVIO_DP_DRIVE@@PAX@Z +?Initialize@NTFS_BAD_CLUSTER_FILE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_BITMAP@@QAAEVBIG_INT@@EPAVLOG_IO_DP_DRIVE@@KE@Z +?Initialize@NTFS_BITMAP_FILE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_BOOT_FILE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_CLUSTER_RUN@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@VBIG_INT@@KK@Z +?Initialize@NTFS_EXTENT_LIST@@QAAEVBIG_INT@@0@Z +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_FRS_STRUCTURE@@PAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QAAEVBIG_INT@@KPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QAAEVBIG_INT@@PAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QAAEVBIG_INT@@PAVNTFS_MFT_FILE@@@Z +?Initialize@NTFS_FILE_RECORD_SEGMENT@@QAAEXZ +?Initialize@NTFS_FRS_STRUCTURE@@QAAEPAU_FILE_RECORD_SEGMENT_HEADER@@PAVNTFS_ATTRIBUTE@@VBIG_INT@@KK2KPAVNTFS_UPCASE_TABLE@@@Z +?Initialize@NTFS_FRS_STRUCTURE@@QAAEPAVMEM@@PAVLOG_IO_DP_DRIVE@@VBIG_INT@@K2KPAVNTFS_UPCASE_TABLE@@K@Z +?Initialize@NTFS_FRS_STRUCTURE@@QAAEPAVMEM@@PAVNTFS_ATTRIBUTE@@VBIG_INT@@K2KPAVNTFS_UPCASE_TABLE@@@Z +?Initialize@NTFS_FRS_STRUCTURE@@QAAEPAVMEM@@PAVNTFS_ATTRIBUTE@@VBIG_INT@@KK2KPAVNTFS_UPCASE_TABLE@@@Z +?Initialize@NTFS_INDEX_TREE@@QAAEKPAVLOG_IO_DP_DRIVE@@KPAVNTFS_BITMAP@@PAVNTFS_UPCASE_TABLE@@KKKPBVWSTRING@@@Z +?Initialize@NTFS_INDEX_TREE@@QAAEPAVLOG_IO_DP_DRIVE@@KPAVNTFS_BITMAP@@PAVNTFS_UPCASE_TABLE@@KPAVNTFS_FILE_RECORD_SEGMENT@@PBVWSTRING@@@Z +?Initialize@NTFS_LOG_FILE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_MFT_FILE@@QAAEPAVLOG_IO_DP_DRIVE@@VBIG_INT@@KK1PAVNTFS_BITMAP@@PAVNTFS_UPCASE_TABLE@@PAVNTFS_ATTRIBUTE@@@Z +?Initialize@NTFS_MFT_INFO@@QAAEVBIG_INT@@PAVNTFS_UPCASE_TABLE@@EE_K@Z +?Initialize@NTFS_MFT_INFO@@QAAEXZ +?Initialize@NTFS_REFLECTED_MASTER_FILE_TABLE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_SA@@QAAEPAVLOG_IO_DP_DRIVE@@PAVMESSAGE@@VBIG_INT@@2@Z +?Initialize@NTFS_UPCASE_FILE@@QAAEPAVNTFS_MASTER_FILE_TABLE@@@Z +?Initialize@NTFS_UPCASE_TABLE@@QAAEPAVNTFS_ATTRIBUTE@@PA_K@Z +?Initialize@NTFS_VOLUME_FILE@@QAAEPAVLOG_IO_DP_DRIVE@@PAVNTFS_MASTER_FILE_TABLE@@PAVNTFS_FILE_RECORD_SEGMENT@@PAVNTFS_INDEX_TREE@@PAU_VOLUME_INFORMATION@@PAVWSTRING@@W4FIX_LEVEL@@@Z +?InsertEntry@NTFS_INDEX_TREE@@QAAEKPAXU_MFT_SEGMENT_REFERENCE@@E@Z +?InsertIntoFile@NTFS_ATTRIBUTE@@UAAEPAVNTFS_FILE_RECORD_SEGMENT@@PAVNTFS_BITMAP@@@Z +?IsAllocated@NTFS_BITMAP@@QBAEVBIG_INT@@0@Z +?IsAttributePresent@NTFS_FILE_RECORD_SEGMENT@@QAAEKPBVWSTRING@@E@Z +?IsDosName@NTFS_SA@@SAEPBU_FILE_NAME@@@Z +?IsFree@NTFS_BITMAP@@QBAEVBIG_INT@@0@Z +?IsNtfsName@NTFS_SA@@SAEPBU_FILE_NAME@@@Z +?MakeNonresident@NTFS_ATTRIBUTE@@UAAEPAVNTFS_BITMAP@@@Z +?NtfsUpcaseCompare@@YAJPBGK0KPBVNTFS_UPCASE_TABLE@@E@Z +?Prefetch@NTFS_ATTRIBUTE@@QAAEVBIG_INT@@K@Z +?Prefetch@NTFS_FRS_STRUCTURE@@QAAEVBIG_INT@@0@Z +?QueryAttribute@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_ATTRIBUTE@@PAEKPBVWSTRING@@@Z +?QueryAttributeByOrdinal@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_ATTRIBUTE@@PAEKK@Z +?QueryAttributeList@NTFS_FRS_STRUCTURE@@QAAEPAVNTFS_ATTRIBUTE_LIST@@@Z +?QueryAttributeListAttribute@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVNTFS_ATTRIBUTE@@PAE@Z +?QueryClusterFactor@NTFS_SA@@QBAEXZ +?QueryDefaultClustersPerIndexBuffer@NTFS_SA@@SAKPBVDP_DRIVE@@K@Z +?QueryDuplicatedInformation@NTFS_FILE_RECORD_SEGMENT@@QAAEPAU_DUPLICATED_INFORMATION@@@Z +?QueryEntry@NTFS_INDEX_TREE@@QAAEKPAXKPAPAU_INDEX_ENTRY@@PAPAVNTFS_INDEX_BUFFER@@PAE@Z +?QueryExtent@NTFS_EXTENT_LIST@@QBAEKPAVBIG_INT@@00@Z +?QueryExtentList@NTFS_ATTRIBUTE_RECORD@@QBAEPAVNTFS_EXTENT_LIST@@@Z +?QueryFileReference@NTFS_INDEX_TREE@@QAAEKPAXKPAU_MFT_SEGMENT_REFERENCE@@PAE@Z +?QueryFileSizes@NTFS_FILE_RECORD_SEGMENT@@QAAEPAVBIG_INT@@0PAE@Z +?QueryFlags@NTFS_MFT_INFO@@SAEPAXG@Z +?QueryFrsFromPath@NTFS_SA@@QAAEPBVWSTRING@@PAVNTFS_MASTER_FILE_TABLE@@PAVNTFS_BITMAP@@PAVNTFS_FILE_RECORD_SEGMENT@@PAE4@Z +?QueryLcnFromVcn@NTFS_EXTENT_LIST@@QBAEVBIG_INT@@PAV2@1@Z +?QueryName@NTFS_ATTRIBUTE_RECORD@@QBAEPAVWSTRING@@@Z +?QueryNextEntry@NTFS_ATTRIBUTE_LIST@@QBAEPAU_ATTR_LIST_CURR_ENTRY@@PAKPAVBIG_INT@@PAU_MFT_SEGMENT_REFERENCE@@PAGPAVWSTRING@@@Z +?QueryNumberOfExtents@NTFS_EXTENT_LIST@@QBAKXZ +?QuerySectorsInElementaryStructures@NTFS_SA@@SAKPAVDP_DRIVE@@KKKK@Z +?QuerySegmentReference@NTFS_MFT_INFO@@SA?AU_MFT_SEGMENT_REFERENCE@@PAX@Z +?QueryVolumeFlagsAndLabel@NTFS_SA@@QAAGPAE00PAVWSTRING@@@Z +?Read@NTFS_ATTRIBUTE@@QAAEPAXVBIG_INT@@KPAK@Z +?Read@NTFS_FRS_STRUCTURE@@QAAEVBIG_INT@@@Z +?Read@NTFS_FRS_STRUCTURE@@UAAEXZ +?Read@NTFS_MFT_FILE@@UAAEXZ +?Read@NTFS_SA@@QAAEPAVMESSAGE@@@Z +?Read@NTFS_SA@@UAAEXZ +?ReadAgain@NTFS_FRS_STRUCTURE@@QAAEVBIG_INT@@@Z +?ReadAt@NTFS_FRS_STRUCTURE@@QAAEVBIG_INT@@@Z +?ReadList@NTFS_ATTRIBUTE_LIST@@QAAEXZ +?ReadNext@NTFS_FRS_STRUCTURE@@QAAEVBIG_INT@@@Z +?Relocate@NTFS_CLUSTER_RUN@@QAAXVBIG_INT@@@Z +?ResetIterator@NTFS_INDEX_TREE@@QAAEE@Z +?ResetIterator@NTFS_INDEX_TREE@@QAAEPBU_INDEX_ENTRY@@E@Z +?Resize@NTFS_ATTRIBUTE@@UAAEVBIG_INT@@PAVNTFS_BITMAP@@@Z +?SafeQueryAttribute@NTFS_FRS_STRUCTURE@@QAAEKPAVNTFS_ATTRIBUTE@@0PAVWSTRING@@@Z +?Save@NTFS_INDEX_TREE@@QAAEPAVNTFS_FILE_RECORD_SEGMENT@@@Z +SetOriginalVolumeName +?SetSparse@NTFS_ATTRIBUTE@@UAAEVBIG_INT@@PAVNTFS_BITMAP@@E@Z +?SetVolumeFlag@NTFS_SA@@QAAEGPAE@Z +SetWriteViewCacheVolumeName +?TakeCensus@NTFS_SA@@QAAEPAVNTFS_MASTER_FILE_TABLE@@KPAUNTFS_CENSUS_INFO@@@Z +?Write@NTFS_ATTRIBUTE@@UAAEPBXVBIG_INT@@KPAKPAVNTFS_BITMAP@@@Z +?Write@NTFS_BITMAP@@QAAEPAVNTFS_ATTRIBUTE@@PAV1@@Z +?Write@NTFS_FILE_RECORD_SEGMENT@@UAAEXZ +?Write@NTFS_FRS_STRUCTURE@@QAAEXZ +?WriteModified@NTFS_BITMAP@@QAAEPAVNTFS_ATTRIBUTE@@PAV1@@Z +?WriteRemainingBootCode@NTFS_SA@@QAAEXZ +Chkdsk +ChkdskEx +CreateFormatCorruptionRecordContext +DeleteFormatCorruptionRecordContext +Extend +Format +FormatCorruptionRecordA +FormatCorruptionRecordW +FormatEx +GetFilesystemInformation +Recover diff --git a/lib/libc/mingw/libarm32/upnphost.def b/lib/libc/mingw/libarm32/upnphost.def new file mode 100644 index 0000000000..b348b2af9d --- /dev/null +++ b/lib/libc/mingw/libarm32/upnphost.def @@ -0,0 +1,9 @@ +; +; Definition file of upnphost.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "upnphost.dll" +EXPORTS +SvchostPushServiceGlobals +ServiceMain diff --git a/lib/libc/mingw/libarm32/usbceip.def b/lib/libc/mingw/libarm32/usbceip.def new file mode 100644 index 0000000000..de4a78b073 --- /dev/null +++ b/lib/libc/mingw/libarm32/usbceip.def @@ -0,0 +1,8 @@ +; +; Definition file of usbceip.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "usbceip.dll" +EXPORTS +UsbCeip_Execute diff --git a/lib/libc/mingw/libarm32/usbperf.def b/lib/libc/mingw/libarm32/usbperf.def new file mode 100644 index 0000000000..1e755eb13b --- /dev/null +++ b/lib/libc/mingw/libarm32/usbperf.def @@ -0,0 +1,10 @@ +; +; Definition file of USBPERF.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "USBPERF.dll" +EXPORTS +CloseUsbPerformanceData +CollectUsbPerformanceData +OpenUsbPerformanceData diff --git a/lib/libc/mingw/libarm32/usbui.def b/lib/libc/mingw/libarm32/usbui.def new file mode 100644 index 0000000000..294b2e6218 --- /dev/null +++ b/lib/libc/mingw/libarm32/usbui.def @@ -0,0 +1,15 @@ +; +; Definition file of usbui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "usbui.dll" +EXPORTS +CPlApplet +USBControllerBandwidthPage +USBControllerPropPageProvider +USBDevicePropPageProvider +USBErrorHandler +USBHubPowerPage +USBHubPropPageProvider +UsbControlPanelApplet diff --git a/lib/libc/mingw/libarm32/userinitext.def b/lib/libc/mingw/libarm32/userinitext.def new file mode 100644 index 0000000000..3d48214701 --- /dev/null +++ b/lib/libc/mingw/libarm32/userinitext.def @@ -0,0 +1,19 @@ +; +; Definition file of USERINITEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "USERINITEXT.dll" +EXPORTS +CreateExplorerSessionKey +DisplayMessageAndExitWindows +ImmWorker +IsSubDesktopSession +IsTSAppCompatOn +LoadRemoteFontsAndInitMiscWorker +PerformXForestLogonCheck +ProcesRemoteSessionInitialCommand +ProcessTermSrvIniFiles +SetShellDesktopSwitchEvent +SetupHotKeyForKeyboardLayout +UserinitExt diff --git a/lib/libc/mingw/libarm32/userlanguageprofilecallback.def b/lib/libc/mingw/libarm32/userlanguageprofilecallback.def new file mode 100644 index 0000000000..89f730b741 --- /dev/null +++ b/lib/libc/mingw/libarm32/userlanguageprofilecallback.def @@ -0,0 +1,8 @@ +; +; Definition file of UserLanguageProfileCallback.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UserLanguageProfileCallback.dll" +EXPORTS +OnUserProfileChanged diff --git a/lib/libc/mingw/libarm32/uudf.def b/lib/libc/mingw/libarm32/uudf.def new file mode 100644 index 0000000000..2489b14cb6 --- /dev/null +++ b/lib/libc/mingw/libarm32/uudf.def @@ -0,0 +1,25 @@ +; +; Definition file of UUDF.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UUDF.dll" +EXPORTS +??0METADATA_PARTITION@@QAA@XZ +??0UDF_LVOL@@QAA@XZ +??0UDF_SA@@QAA@XZ +??0UDF_VOL@@QAA@XZ +??1METADATA_PARTITION@@UAA@XZ +??1UDF_LVOL@@UAA@XZ +??1UDF_SA@@UAA@XZ +??1UDF_VOL@@UAA@XZ +?CreateOnDisk@UDF_LVOL@@QAAEPAVUDF_SA@@PAVMESSAGE@@PAVVDS@@PAUEXTENTAD@@K3@Z +?Initialize@UDF_SA@@QAAEPAVLOG_IO_DP_DRIVE@@PAVMESSAGE@@G@Z +?Initialize@UDF_VOL@@QAA?AW4FORMAT_ERROR_CODE@@PBVWSTRING@@PAVMESSAGE@@EGEEE@Z +?ReadFromDisk@UDF_LVOL@@QAAEPAVUDF_SA@@PAVMESSAGE@@PAVVDS@@@Z +Chkdsk +ChkdskEx +Format +FormatEx +GetFilesystemInformation +Recover diff --git a/lib/libc/mingw/libarm32/uxinit.def b/lib/libc/mingw/libarm32/uxinit.def new file mode 100644 index 0000000000..c83eba2ff1 --- /dev/null +++ b/lib/libc/mingw/libarm32/uxinit.def @@ -0,0 +1,20 @@ +; +; Definition file of UXINIT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "UXINIT.dll" +EXPORTS +ThemeWatchForStart +ord_2 @2 +ThemeUserLogoff +ThemeUserLogon +ThemeUserStartShell +ThemeUserTSReconnect +ThemesOnCreateSession +ThemesOnTerminateSession +ThemesOnLogon +ThemesOnLogoff +ThemesOnReconnect +ThemesOnDisconnect +ThemesOnEarlyCreateSession diff --git a/lib/libc/mingw/libarm32/van.def b/lib/libc/mingw/libarm32/van.def new file mode 100644 index 0000000000..618068f2f7 --- /dev/null +++ b/lib/libc/mingw/libarm32/van.def @@ -0,0 +1,12 @@ +; +; Definition file of van.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "van.dll" +EXPORTS +HideVAN +ShowVAN +ShutdownVAN +VanUIManager_CreateInstance +RunVANW diff --git a/lib/libc/mingw/libarm32/vaultcli.def b/lib/libc/mingw/libarm32/vaultcli.def new file mode 100644 index 0000000000..58a239bc75 --- /dev/null +++ b/lib/libc/mingw/libarm32/vaultcli.def @@ -0,0 +1,27 @@ +; +; Definition file of VAULTCLI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "VAULTCLI.dll" +EXPORTS +ord_101 @101 +ord_102 @102 +ord_103 @103 +ord_104 @104 +ord_105 @105 +ord_106 @106 +VaultAddItem +VaultCloseVault +VaultCreateItemType +VaultDeleteItemType +VaultEnumerateItemTypes +VaultEnumerateItems +VaultEnumerateVaults +VaultFindItems +VaultFree +VaultGetInformation +VaultGetItem +VaultGetItemType +VaultOpenVault +VaultRemoveItem diff --git a/lib/libc/mingw/libarm32/vaultsvc.def b/lib/libc/mingw/libarm32/vaultsvc.def new file mode 100644 index 0000000000..9676072a26 --- /dev/null +++ b/lib/libc/mingw/libarm32/vaultsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of vaultsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "vaultsvc.dll" +EXPORTS +ServiceMain +VaultSvcStopCallback diff --git a/lib/libc/mingw/libarm32/vdsutil.def b/lib/libc/mingw/libarm32/vdsutil.def new file mode 100644 index 0000000000..4a378abf3b --- /dev/null +++ b/lib/libc/mingw/libarm32/vdsutil.def @@ -0,0 +1,249 @@ +; +; Definition file of vdsutil.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "vdsutil.dll" +EXPORTS +??0?$CVdsHandleImpl@$0PPPPPPPP@@@QAA@XZ +??0CGlobalResource@@QAA@XZ +??0CPrvEnumObject@@QAA@XZ +??0CRtlList@@QAA@P6AXPAVCRtlEntry@@@Z@Z +??0CRtlMap@@QAA@KP6AXPAVCRtlEntry@@@Z1@Z +??0CRtlSharedLock@@QAA@XZ +??0CVdsAsyncObjectBase@@QAA@XZ +??0CVdsCallTracer@@QAA@KPBD@Z +??0CVdsCriticalSection@@QAA@PAU_RTL_CRITICAL_SECTION@@@Z +??0CVdsPnPNotificationBase@@QAA@XZ +??0CVdsTraceSettings@@QAA@XZ +??0CVdsUnlockIt@@QAA@AAJ@Z +??0CVdsWmiVariantObjectArrayEnum@@QAA@XZ +??1?$CVdsHandleImpl@$0PPPPPPPP@@@QAA@XZ +??1CGlobalResource@@QAA@XZ +??1CPrvEnumObject@@QAA@XZ +??1CRtlList@@QAA@XZ +??1CRtlMap@@UAA@XZ +??1CRtlSharedLock@@QAA@XZ +??1CVdsAsyncObjectBase@@QAA@XZ +??1CVdsCallTracer@@QAA@XZ +??1CVdsCriticalSection@@QAA@XZ +??1CVdsPnPNotificationBase@@QAA@XZ +??1CVdsUnlockIt@@QAA@XZ +??1CVdsWmiVariantObjectArrayEnum@@QAA@XZ +??4?$CVdsHandleImpl@$0PPPPPPPP@@@QAAPAXPAX@Z +??4CRtlList@@QAAAAV0@AAV0@@Z +??8?$CVdsHandleImpl@$0PPPPPPPP@@@QBA_NPAX@Z +??B?$CVdsHandleImpl@$0PPPPPPPP@@@QAAPAXXZ +??_FCRtlList@@QAAXXZ +??_FCRtlMap@@QAAXXZ +?AcquireRead@CRtlSharedLock@@AAAXXZ +?AcquireRundownProtection@@YAEPAU_RUNDOWN_REF@@@Z +?AcquireWrite@CRtlSharedLock@@AAAXXZ +?AddEventSource@@YAKPAGPAUHINSTANCE__@@@Z +?AllocateAndGetVolumePathName@@YAJPBGPAPAG@Z +?AllowCancel@CVdsAsyncObjectBase@@QAAXXZ +?Append@CPrvEnumObject@@QAAJPAUIUnknown@@@Z +?AssignTempVolumeName@@YAJPAGQAG@Z +?Attach@CVdsWmiVariantObjectArrayEnum@@QAAJPAUtagVARIANT@@@Z +?BacksBootVolume@@YAHPAG@Z +?Begin@CRtlList@@QAA?AVCRtlListIter@@XZ +?Begin@CRtlMap@@QAA?AVCRtlMapIter@@XZ +?BootBackedByWim@@YAHPAG@Z +?Cancel@CVdsAsyncObjectBase@@UAAJXZ +?Clear@CPrvEnumObject@@QAAXXZ +?Clone@CPrvEnumObject@@UAAJPAPAUIEnumVdsObject@@@Z +?CoFreeStringArray@@YAXPAPAGJ@Z +?CreateDeviceInfoSet@@YAKPAGPAPAXPAU_SP_DEVINFO_DATA@@@Z +?CreateListenThread@CVdsPnPNotificationBase@@AAAKXZ +?CurrentThreadIsWriter@CRtlSharedLock@@QAAHXZ +?DeleteBcdObjects@@YAJPAU_VDS_PARTITION_IDENTITY@@@Z +?DeleteNetworkShare@@YAHPAG@Z +?Detach@CVdsWmiVariantObjectArrayEnum@@QAAJXZ +?DisallowCancel@CVdsAsyncObjectBase@@QAAXXZ +?Downgrade@CRtlSharedLock@@AAAXXZ +?End@CRtlList@@QAA?AVCRtlListIter@@XZ +?Find@CRtlMap@@QAAHAAVCRtlEntry@@PAV2@@Z +?FindPtr@CRtlMap@@QAAHAAVCRtlEntry@@PAPAV2@@Z +?GarbageCollectDriveLetters@@YAXXZ +?GetBootDiskNumber@@YAJPAKPAPAK@Z +?GetBootFromDiskNumber@@YAJPAK@Z +?GetBootVolumeHandle@@YAJPAPAX@Z +?GetDefaultAlignment@@YAJPAK_KW4_VDS_PARTITION_STYLE@@KKPAE@Z +?GetDeviceAndMediaType@@YAKPAGPAXPAK2@Z +?GetDeviceId@@YAKPAXPAU_SP_DEVINFO_DATA@@PAPAG@Z +?GetDeviceLocation@@YAKPAXPAU_VDS_DISK_PROP@@@Z +?GetDeviceLocationEx@@YAKPAXKPAU_VDS_DISK_PROP2@@@Z +?GetDeviceLocationPath@@YAKW4_VDS_STORAGE_BUS_TYPE@@KU_SCSI_ADDRESS@@PAPAG@Z +?GetDeviceManufacturerInfo@@YAKPAXPAPAG111@Z +?GetDeviceName@@YAKPAXHKPAG@Z +?GetDeviceNumber@@YAKPAXPAU_STORAGE_DEVICE_NUMBER@@@Z +?GetDeviceRegistryProperty@@YAKKKPAPAEK@Z +?GetDeviceRegistryProperty@@YAKPAXPAU_SP_DEVINFO_DATA@@KPAPAEK@Z +?GetDiskFlags@@YAKPAXPAE11@Z +?GetDiskIdentifiers@@YAJPBG0PAPAGPAG@Z +?GetDiskLayout@@YAKPAXPAPAU_DRIVE_LAYOUT_INFORMATION_EX@@@Z +?GetDiskOfflineReason@@YAKPAXPAW4_VDS_DISK_OFFLINE_REASON@@@Z +?GetDiskRedundancyCount@@YAJPAXPAK@Z +?GetEntry@CRtlListIter@@QAAPAVCRtlEntry@@XZ +?GetEntryPointer@CRtlListIter@@QAAPAXXZ +?GetFMIFSEnableCompressionRoutine@@YAP6AEPAGG@ZXZ +?GetFMIFSFormatEx2Routine@@YAP6AXPAGW4_FMIFS_MEDIA_TYPE@@0PAUFMIFS_FORMATEX2_PARAM@@P6AEW4_FMIFS_PACKET_TYPE@@KPAX@Z@ZXZ +?GetFMIFSGetDefaultFilesystemRoutine@@YAP6AEPAUFMIFS_DEF_FS_PARAM@@PAUFMIFS_DEF_FS_OUT@@PAK@ZXZ +?GetFMIFSQueryDeviceInfo@@YAP6AEPAGPAU_FMIFS_DEVICE_INFORMATION@@K@ZXZ +?GetFMIFSQueryDeviceInfoByHandle@@YAP6AEPAXPAU_FMIFS_DEVICE_INFORMATION@@K@ZXZ +?GetFileSystemRecognitionName@@YAJPAXPAPAG@Z +?GetInterfaceDetailData@@YAKPAXPAU_SP_DEVICE_INTERFACE_DATA@@PAPAU_SP_DEVICE_INTERFACE_DETAIL_DATA_W@@@Z +?GetIsRemovable@@YAKPAXPAH@Z +?GetMediaGeometry@@YAKPAXKPAPAU_DISK_GEOMETRY_EX@@@Z +?GetMediaGeometry@@YAKPAXPAU_VDS_DISK_PROP@@@Z +?GetMediaGeometryEx@@YAKPAXPAU_VDS_DISK_PROP2@@@Z +?GetNode@CRtlListIter@@QAAPAVCRtlListEntry@@XZ +?GetOutputType@CVdsAsyncObjectBase@@QAA?AW4_VDS_ASYNC_OUTPUT_TYPE@@XZ +?GetPartitionInformation@@YAKPAXPAU_PARTITION_INFORMATION_EX@@@Z +?GetRegistryValue@@YAKPAUHKEY__@@PAG1PAPAXAAK@Z +?GetStorageAccessAlignmentProperty@@YAKPAXPAU_STORAGE_ACCESS_ALIGNMENT_DESCRIPTOR@@@Z +?GetSystemVolumeHandle@@YAJPAPAX@Z +?GetVolumeDiskExtentInfo@@YAKPAXPAPAU_VOLUME_DISK_EXTENTS@@@Z +?GetVolumeGuidPathnames@@YAJPAGPAKPAPAPAG@Z +?GetVolumeName@@YAJPAGK0@Z +?GetVolumePath@@YAJPAU_MOUNTMGR_MOUNT_POINT@@PAU_MOUNTMGR_MOUNT_POINTS@@PAPAG@Z +?GetVolumeSize@@YAKPAGPA_K@Z +?GetVolumeUniqueId@@YAKPAU_VDS_VOLUME_PROP2@@@Z +?GetWindowHandle@CVdsPnPNotificationBase@@QAAPAUHWND__@@XZ +?GuidToString@@YAJPAU_GUID@@PAGK@Z +?Initialize@CGlobalResource@@QAAJXZ +?Initialize@CVdsAsyncObjectBase@@SAKXZ +?Initialize@CVdsPnPNotificationBase@@QAAKXZ +?InitializeRundownProtection@@YAXPAU_RUNDOWN_REF@@@Z +?InitializeSecurityDescriptor@@YAKKPAXPAPAU_ACL@@PAPAX22@Z +?Insert@CRtlList@@QAAHAAVCRtlListIter@@AAVCRtlEntry@@@Z +?Insert@CRtlMap@@QAAHAAVCRtlEntry@@0@Z +?InsertHead@CRtlList@@QAAHAAVCRtlEntry@@@Z +?InsertHeadPointer@CRtlList@@QAAHPAX@Z +?InsertPointer@CRtlList@@QAAHAAVCRtlListIter@@PAX@Z +?InsertTail@CRtlList@@QAAHAAVCRtlEntry@@@Z +?InsertTailPointer@CRtlList@@QAAHPAX@Z +?InsertUnique@CRtlMap@@QAAHAAVCRtlEntry@@0@Z +?InvalidateDiskCache@@YAJPAG@Z +?IoctlMountmgrQueryPointsDevicePath@@YAJPAGPAPAU_MOUNTMGR_MOUNT_POINTS@@@Z +?IsCancelRequested@CVdsAsyncObjectBase@@QAAHXZ +?IsClientSKU@@YAHXZ +?IsDeviceFullyInstalled@@YAHPAG@Z +?IsDiskClustered@@YAKPAXPAE111@Z +?IsDiskCurrentStateReadOnly@@YAKPAXPAE@Z +?IsDiskReadOnly@@YAKPAXPAE@Z +?IsDone@CRtlListIter@@QAAHXZ +?IsDriveLetter@@YAHPAG@Z +?IsEfiFirmware@@YAHXZ +?IsFinished@CVdsAsyncObjectBase@@QAAHXZ +?IsLocalComputer@@YAJPAG@Z +?IsLoggingEnabledW@@YAEXZ +?IsMediaPresent@@YAHPAX@Z +?IsNoAutoMount@@YAHXZ +?IsRamDrive@@YAEPAG@Z +?IsRunningOnAMD64@@YAHXZ +?IsWinPE@@YAHXZ +?LockDismountVolume@@YAKPAXHE@Z +?LockVolume@@YAKPAXE@Z +?LogError@@YAXPAGKKPAXKK0PAD@Z +?LogEvent@@YAXPAGKGKPAXKQAPAG@Z +?LogInfo@@YAXPAGKKPAXK0PAD@Z +?LogWarning@@YAXPAGKKPAXKK0PAD@Z +?MirrorBcdObjects@@YAJPAU_VDS_PARTITION_IDENTITY@@0@Z +?MountVolume@@YAKPAG@Z +?Next@CPrvEnumObject@@UAAJKPAPAUIUnknown@@PAK@Z +?Next@CRtlListIter@@QAAAAV1@XZ +?Next@CRtlMapIter@@QAAAAV1@XZ +?Next@CVdsWmiVariantObjectArrayEnum@@QAAJPAPAUIWbemClassObject@@@Z +?NotificationThread@CVdsPnPNotificationBase@@AAAKPAX@Z +?NotificationThreadEntry@CVdsPnPNotificationBase@@CAKPAX@Z +?OpenDevice@@YAKPAGKPAPAX@Z +?Prev@CRtlListIter@@QAAAAV1@XZ +?QueryObjects@@YAJPAUIUnknown@@PAPAUIEnumVdsObject@@@Z +?QueryObjects@@YAJPAUIUnknown@@PAPAUIEnumVdsObject@@AAU_RTL_CRITICAL_SECTION@@@Z +?QueryStatus@CVdsAsyncObjectBase@@UAAJPAJPAK@Z +?QueryVolPersistentState@@YAHPAGPAU_FILE_FS_PERSISTENT_VOLUME_INFORMATION@@@Z +?ReInitializeRundownProtection@@YAXPAU_RUNDOWN_REF@@@Z +?Register@CVdsPnPNotificationBase@@QAAKPAU_NotificationListeningRequest@@K@Z +?RegisterHandle@CVdsPnPNotificationBase@@QAAKPAXPAPAX@Z +?RegisterProvider@@YAJU_GUID@@0PAGW4_VDS_PROVIDER_TYPE@@110@Z +?Release@CRtlSharedLock@@AAAXXZ +?ReleaseRundownProtection@@YAXPAU_RUNDOWN_REF@@@Z +?Remove@CRtlList@@QAAXAAVCRtlListIter@@@Z +?Remove@CRtlMap@@QAAHAAVCRtlEntry@@@Z +?RemoveAll@CRtlList@@QAAXXZ +?RemoveAll@CRtlMap@@QAAXH@Z +?RemoveEventSource@@YAKPAG@Z +?RemoveTempVolumeName@@YAXPAG0@Z +?Reset@CPrvEnumObject@@UAAJXZ +?Reset@CVdsWmiVariantObjectArrayEnum@@QAAJXZ +?RundownCompleted@@YAXPAU_RUNDOWN_REF@@@Z +?SetCompletionStatus@CVdsAsyncObjectBase@@QAAXJK@Z +?SetDiskLayout@@YAKPAXPAU_DRIVE_LAYOUT_INFORMATION_EX@@@Z +?SetOutput@CVdsAsyncObjectBase@@QAAXU_VDS_ASYNC_OUTPUT@@@Z +?SetOutputType@CVdsAsyncObjectBase@@QAAXW4_VDS_ASYNC_OUTPUT_TYPE@@@Z +?SetPositionToLast@CPrvEnumObject@@QAAXXZ +?Signal@CVdsAsyncObjectBase@@QAAXXZ +?Skip@CPrvEnumObject@@UAAJK@Z +?StartReferenceHistory@@YAKXZ +?StopReferenceHistory@@YAXXZ +?UnInitializeGlobalResouce@@YAJXZ +?Uninitialize@CVdsAsyncObjectBase@@SAXXZ +?Uninitialize@CVdsPnPNotificationBase@@QAAXXZ +?Unregister@CVdsPnPNotificationBase@@QAAXPAU_NotificationListeningRequest@@@Z +?UnregisterHandle@CVdsPnPNotificationBase@@QAAXPAX@Z +?UnregisterProvider@@YAJU_GUID@@@Z +?Upgrade@CRtlSharedLock@@AAAXXZ +?VdsAllocateEmptyString@@YAPAGXZ +?VdsAllocateString@@YAJPAGPAPAG@Z +?VdsAssert@@YAXPBDI0@Z +?VdsBinaryToAscii@@YAPAEPAEKPAK@Z +?VdsDoesDiskHaveArcPath@@YAKKPAE@Z +?VdsHeapAlloc@@YAPAXPAXKK@Z +?VdsHeapFree@@YAHPAXK0@Z +?VdsInitializeCriticalSection@@YAKPAU_RTL_CRITICAL_SECTION@@@Z +?VdsIscsiCacheSessionDevices@@YAJPAUIEnumWbemClassObject@@PAPAU_VDSISCSI_SESSION_DEVICES_CACHE@@@Z +?VdsIscsiCheckEqualIpAddress@@YAHU_VDS_IPADDRESS@@0@Z +?VdsIscsiGetIpAddressFromInstance@@YAJPAUIWbemClassObject@@PAGPAU_VDS_IPADDRESS@@@Z +?VdsIscsiIpAddressToIpsecId@@YAJPAU_VDS_IPADDRESS@@PAEPAKPAPAE@Z +?VdsIscsiIpAddressToString@@YAJPAU_VDS_IPADDRESS@@KPAG@Z +?VdsIscsiIpsecIdToIpAddress@@YAJEKPAEPAU_VDS_IPADDRESS@@@Z +?VdsIscsiIsIscsiLun@@YAJPAUIWbemClassObject@@PAU_VDSISCSI_SESSION_DEVICES_CACHE@@PAH@Z +?VdsIscsiSetIpAddressInInstance@@YAJPAUIWbemServices@@PAUIWbemClassObject@@PAGPAU_VDS_IPADDRESS@@@Z +?VdsParseDeviceID@@YAPAEPAU_STORAGE_DEVICE_ID_DESCRIPTOR@@PAG@Z +?VdsRegKeyGetDWord@@YAKPBG0PAK@Z +?VdsTrace@@YAXKPADZZ +?VdsTraceEx@@YAXKKPADZZ +?VdsTraceExHelper@@YAXKKPAD0@Z +?VdsTraceExW@@YAXKKPAGZZ +?VdsTraceExWHelper@@YAXKKPAGPAD@Z +?VdsTraceW@@YAXKPAGZZ +?VdsWmiCallMethod@@YAJPAUIWbemServices@@PAUIWbemClassObject@@PAG1PAPAU2@@Z +?VdsWmiConnectToNamespace@@YAJPAGPAPAUIWbemLocator@@PAPAUIWbemServices@@@Z +?VdsWmiCopyFromVariantByteArray@@YAJPAUIWbemClassObject@@PAGJPAE@Z +?VdsWmiCopyToVariantByteArray@@YAJPAUIWbemClassObject@@PAGJPAE@Z +?VdsWmiCreateClassInstance@@YAJPAUIWbemServices@@PAGPAPAUIWbemClassObject@@@Z +?VdsWmiCreateVariantArray@@YAJGJPAUtagVARIANT@@@Z +?VdsWmiFindInstanceOfClass@@YAJPAUIWbemServices@@PAG1PAPAUIWbemClassObject@@@Z +?VdsWmiGetBoolFromInstance@@YAJPAUIWbemClassObject@@PAGPAH@Z +?VdsWmiGetByteFromInstance@@YAJPAUIWbemClassObject@@PAGPAE@Z +?VdsWmiGetByteInVariantByteArray@@YAJPAUIWbemClassObject@@PAGJPAE@Z +?VdsWmiGetMethodArgumentObject@@YAJPAUIWbemServices@@PAG1PAPAUIWbemClassObject@@@Z +?VdsWmiGetObjectFromInstance@@YAJPAUIWbemClassObject@@PAGPAPAU1@@Z +?VdsWmiGetObjectInVariantObjectArray@@YAJPAUIWbemClassObject@@PAGJPAPAU1@@Z +?VdsWmiGetUlongFromInstance@@YAJPAUIWbemClassObject@@PAGPAK@Z +?VdsWmiGetUlonglongFromInstance@@YAJPAUIWbemClassObject@@PAGPA_K@Z +?VdsWmiSetBoolInInstance@@YAJPAUIWbemClassObject@@PAGH@Z +?VdsWmiSetByteInInstance@@YAJPAUIWbemClassObject@@PAGE@Z +?VdsWmiSetObjectInInstance@@YAJPAUIWbemClassObject@@PAG0@Z +?VdsWmiSetStringInInstance@@YAJPAUIWbemClassObject@@PAG1@Z +?VdsWmiSetUlongInInstance@@YAJPAUIWbemClassObject@@PAGK@Z +?VdsWmiSetUlonglongInInstance@@YAJPAUIWbemClassObject@@PAG_K@Z +?WaitForRundownProtectionRelease@@YAXPAU_RUNDOWN_REF@@@Z +?WaitImpl@CVdsAsyncObjectBase@@QAAJPAJ@Z +?WindowProcEntry@CVdsPnPNotificationBase@@CAJPAUHWND__@@IIJ@Z +?WriteBootCode@@YAKPAX@Z +?ZeroAsyncOut@CVdsAsyncObjectBase@@QAAXXZ +?m_ExtraLogging@CVdsTraceSettings@@QAAHXZ +?m_NoDebuggerLogging@CVdsTraceSettings@@QAAHXZ +VdsDisableCOMFatalExceptionHandling diff --git a/lib/libc/mingw/libarm32/verifier.def b/lib/libc/mingw/libarm32/verifier.def new file mode 100644 index 0000000000..8c3f5bba59 --- /dev/null +++ b/lib/libc/mingw/libarm32/verifier.def @@ -0,0 +1,33 @@ +; +; Definition file of VERIFIER.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "VERIFIER.dll" +EXPORTS +AVrfAPILookupCallback +VerifierAddFreeMemoryCallback +VerifierCheckPageHeapAllocation +VerifierCreateRpcPageHeap +VerifierDeleteFreeMemoryCallback +VerifierDestroyRpcPageHeap +VerifierDisableFaultInjectionExclusionRange +VerifierDisableFaultInjectionTargetRange +VerifierEnableFaultInjectionExclusionRange +VerifierEnableFaultInjectionTargetRange +VerifierEnumerateResource +VerifierForceNormalHeap +VerifierGetInfoForException +VerifierGetMemoryForDump +VerifierGetPropertyValueByName +VerifierGetProviderHelper +VerifierIsAddressInAnyPageHeap +VerifierIsCurrentThreadHoldingLocks +VerifierIsDllEntryActive +VerifierIsPerUserSettingsEnabled +VerifierQueryRuntimeFlags +VerifierRedirectStopFunctions +VerifierSetFaultInjectionProbability +VerifierSetFlags +VerifierSetRuntimeFlags +VerifierStopMessage diff --git a/lib/libc/mingw/libarm32/vpnike.def b/lib/libc/mingw/libarm32/vpnike.def new file mode 100644 index 0000000000..7f5d1dd63a --- /dev/null +++ b/lib/libc/mingw/libarm32/vpnike.def @@ -0,0 +1,12 @@ +; +; Definition file of VPNIKE.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "VPNIKE.DLL" +EXPORTS +InitializeProtocolEngine +InitializeServerProtocolEngine +SendMessageToProtocolEngine +UninitializeProtocolEngine +UninitializeServerProtocolEngine diff --git a/lib/libc/mingw/libarm32/vpnikeapi.def b/lib/libc/mingw/libarm32/vpnikeapi.def new file mode 100644 index 0000000000..1f30e31c8e --- /dev/null +++ b/lib/libc/mingw/libarm32/vpnikeapi.def @@ -0,0 +1,31 @@ +; +; Definition file of VPNIKEAPI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "VPNIKEAPI.DLL" +EXPORTS +CancelProcessEapAuthPacket +CloseTunnel +CreateTunnel +FreeConfigurationPayloadBuffer +FreeEapAuthAttributes +FreeEapAuthPacket +FreeIDPayloadBuffer +FreeTrafficSelectors +GetConfigurationPayloadRequest +GetIDPayload +GetNewTunnelID +GetServerEapAuthRequestPacket +GetTrafficSelectorsRequest +NewRasIncomingCall +ProcessAdditionalAddressNotification +ProcessConfigurationPayloadReply +ProcessConfigurationPayloadRequest +ProcessEapAuthPacket +ProcessTrafficSelectorsReply +ProcessTrafficSelectorsRequest +QueryEapAuthAttributes +RemoveTrafficSelectors +TunnelAuthDone +UpdateTunnel diff --git a/lib/libc/mingw/libarm32/vsstrace.def b/lib/libc/mingw/libarm32/vsstrace.def new file mode 100644 index 0000000000..bf607bc184 --- /dev/null +++ b/lib/libc/mingw/libarm32/vsstrace.def @@ -0,0 +1,22 @@ +; +; Definition file of VssTrace.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "VssTrace.DLL" +EXPORTS +VssTraceInitialize +VssTraceUninitialize +VssTraceMessage +VssTraceBinary +VssIsTracingEnabled +VssIsTracingEnabledPerThread +VssIsTracingEnabledOnModule +VssIsTracingEnabledOnFunction +VssSetTracingContextPerThread +VssGetTracingContextPerThread +VssGetTracingSequenceNumber +VssGetTracingModuleInfo +AssertFail +VssSetDebugReport +VssIsKernelDebuggerAttached diff --git a/lib/libc/mingw/libarm32/wbiosrvc.def b/lib/libc/mingw/libarm32/wbiosrvc.def new file mode 100644 index 0000000000..c37e295463 --- /dev/null +++ b/lib/libc/mingw/libarm32/wbiosrvc.def @@ -0,0 +1,11 @@ +; +; Definition file of wbiosrvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wbiosrvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals +WbioEasPolicyBiometricLogonsAllowed +WbioEasPolicyCheckProtectionAndRemoveCredentials diff --git a/lib/libc/mingw/libarm32/wcl.def b/lib/libc/mingw/libarm32/wcl.def new file mode 100644 index 0000000000..b8214f0d07 --- /dev/null +++ b/lib/libc/mingw/libarm32/wcl.def @@ -0,0 +1,1417 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Wcl.dll" +EXPORTS +CreateCommandLine +FailFast +GetRuntimeException +t10 DATA +t100 DATA +t100.m0 +t101 DATA +t101.m0 +t101.m1 +t102 DATA +t103.m19 +t104 DATA +t105 DATA +t106 DATA +t107 DATA +t107.m0 +t108 DATA +t109 DATA +t109.m0 +t109.m1 +t109.m2 +t109.m3 +t109.m4 +t11 DATA +t11.m0 +t11.m1 +t110 DATA +t110.m0 +t110.m1 +t110.m2 +t111 DATA +t111.m0 +t111.m1 +t111.m2 +t111.m3 +t111.m4 +t111.m5 +t111.m6 +t111.m7 +t112 DATA +t112.m0 +t112.m1 +t112.m2 +t113 DATA +t113.m0 +t113.m1 +t113.m2 +t114 DATA +t115 DATA +t116 DATA +t117.m0 +t118 DATA +t119 DATA +t12 DATA +t12.m0 +t12.m1 +t12.m10 +t12.m11 +t12.m12 +t12.m13 +t12.m14 +t12.m15 +t12.m2 +t12.m3 +t12.m4 +t12.m5 +t12.m6 +t12.m7 +t12.m8 +t12.m9 +t120 DATA +t121 DATA +t122 DATA +t123 DATA +t123.m0 +t123.m1 +t124 DATA +t125 DATA +t126 DATA +t127 DATA +t128 DATA +t128.m0 +t129 DATA +t13 DATA +t13.m0 +t13.m1 +t13.m2 +t13.m3 +t13.m4 +t13.m5 +t130 DATA +t131 DATA +t131.m0 +t132 DATA +t132.m0 +t133 DATA +t133.m0 +t134 DATA +t134.m0 +t135 DATA +t135.m0 +t136 DATA +t136.m0 +t137 DATA +t137.m0 +t138 DATA +t138.m0 +t139 DATA +t139.m0 +t14 DATA +t14.m0 +t14.m1 +t14.m10 +t14.m11 +t14.m12 +t14.m13 +t14.m14 +t14.m15 +t14.m16 +t14.m17 +t14.m18 +t14.m19 +t14.m2 +t14.m20 +t14.m21 +t14.m22 +t14.m23 +t14.m24 +t14.m25 +t14.m26 +t14.m27 +t14.m28 +t14.m29 +t14.m3 +t14.m30 +t14.m31 +t14.m32 +t14.m33 +t14.m34 +t14.m4 +t14.m5 +t14.m6 +t14.m7 +t14.m8 +t14.m9 +t140 DATA +t140.m0 +t141 DATA +t141.m0 +t142 DATA +t142.m0 +t142.m1 +t143.m0 +t143.m1 +t143.m15 +t143.m16 +t143.m17 +t143.m19 +t143.m2 +t143.m21 +t143.m3 +t143.m4 +t143.m5 +t143.m8 +t143.m9 +t144 DATA +t145.m0 +t145.m1 +t146.m0 +t146.m1 +t146.m2 +t146.m3 +t146.m4 +t147 DATA +t147.m0 +t148 DATA +t148.m0 +t148.m1 +t148.m2 +t148.m3 +t148.m4 +t148.m5 +t148.m6 +t148.m7 +t148.m8 +t148.m9 +t149 DATA +t149.m0 +t15 DATA +t15.m0 +t15.m1 +t15.m2 +t15.m3 +t15.m4 +t15.m5 +t15.m6 +t15.m7 +t15.m8 +t150 DATA +t150.m0 +t151 DATA +t151.m0 +t151.m1 +t152.m0 +t152.m1 +t152.m2 +t152.m3 +t152.m4 +t152.m5 +t153 DATA +t154 DATA +t154.m0 +t154.m1 +t155 DATA +t155.m0 +t155.m1 +t155.m2 +t155.m3 +t155.m4 +t155.m5 +t156 DATA +t156.m0 +t156.m1 +t156.m2 +t156.m3 +t156.m4 +t156.m5 +t157 DATA +t157.m0 +t157.m1 +t157.m2 +t157.m3 +t157.m4 +t157.m5 +t158 DATA +t159 DATA +t159.m0 +t159.m1 +t16 DATA +t16.m0 +t16.m1 +t16.m2 +t16.m3 +t16.m4 +t16.m5 +t16.m7 +t16.m8 +t160.m0 +t160.m1 +t160.m10 +t160.m11 +t160.m12 +t160.m13 +t160.m14 +t160.m15 +t160.m2 +t160.m3 +t160.m4 +t160.m5 +t160.m6 +t160.m7 +t160.m8 +t160.m9 +t161 DATA +t161.m0 +t162 DATA +t163 DATA +t163.m0 +t164 DATA +t165 DATA +t166 DATA +t166.m0 +t167 DATA +t167.m0 +t168 DATA +t168.m0 +t168.m1 +t169 DATA +t169.m0 +t169.m1 +t17 DATA +t17.m0 +t17.m1 +t17.m2 +t170 DATA +t170.m0 +t171 DATA +t171.m0 +t171.m1 +t171.m2 +t171.m3 +t171.m4 +t171.m5 +t172 DATA +t172.m0 +t177 DATA +t177.m0 +t178 DATA +t178.m0 +t179 DATA +t179.m0 +t18 DATA +t18.m0 +t18.m1 +t18.m10 +t18.m11 +t18.m12 +t18.m13 +t18.m14 +t18.m15 +t18.m16 +t18.m17 +t18.m2 +t18.m3 +t18.m4 +t18.m5 +t18.m6 +t18.m7 +t18.m8 +t18.m9 +t180 DATA +t180.m0 +t181 DATA +t181.m0 +t182 DATA +t182.m0 +t183 DATA +t183.m0 +t185 DATA +t185.m0 +t186 DATA +t186.m0 +t187 DATA +t187.m0 +t188 DATA +t188.m0 +t188.m1 +t189 DATA +t190 DATA +t190.m0 +t191 DATA +t191.m0 +t192.m0 +t193 DATA +t193.m0 +t194 DATA +t195 DATA +t195.m0 +t196 DATA +t197 DATA +t198 DATA +t199 DATA +t199.m0 +t2 DATA +t2.m0 +t2.m1 +t2.m2 +t2.m3 +t20.m0 +t200 DATA +t201 DATA +t201.m0 +t201.m1 +t201.m2 +t201.m3 +t201.m4 +t201.m5 +t202 DATA +t203 DATA +t204 DATA +t204.m0 +t205 DATA +t205.m0 +t206 DATA +t206.m0 +t207 DATA +t207.m0 +t208 DATA +t208.m0 +t209 DATA +t21.m0 +t21.m1 +t21.m2 +t21.m3 +t210 DATA +t211 DATA +t212 DATA +t212.m0 +t213 DATA +t213.m0 +t214 DATA +t214.m0 +t215 DATA +t215.m0 +t216 DATA +t216.m0 +t216.m1 +t217 DATA +t218 DATA +t219 DATA +t219.m0 +t219.m1 +t219.m2 +t22.m0 +t22.m1 +t220 DATA +t220.m0 +t220.m1 +t220.m2 +t220.m3 +t220.m4 +t220.m5 +t221 DATA +t222 DATA +t222.m0 +t223 DATA +t223.m0 +t224 DATA +t224.m0 +t224.m1 +t224.m10 +t224.m11 +t224.m2 +t224.m4 +t224.m5 +t224.m6 +t224.m7 +t224.m8 +t224.m9 +t225 DATA +t226.m0 +t226.m1 +t226.m2 +t226.m3 +t227 DATA +t227.m0 +t228 DATA +t228.m0 +t228.m1 +t228.m10 +t228.m11 +t228.m12 +t228.m13 +t228.m14 +t228.m15 +t228.m16 +t228.m17 +t228.m18 +t228.m19 +t228.m2 +t228.m20 +t228.m21 +t228.m22 +t228.m23 +t228.m24 +t228.m25 +t228.m26 +t228.m27 +t228.m28 +t228.m29 +t228.m3 +t228.m30 +t228.m31 +t228.m32 +t228.m33 +t228.m34 +t228.m35 +t228.m36 +t228.m37 +t228.m38 +t228.m39 +t228.m4 +t228.m5 +t228.m6 +t228.m7 +t228.m8 +t228.m9 +t228static_gcdata DATA +t23 DATA +t23.m0 +t23.m1 +t230 DATA +t231 DATA +t232 DATA +t233 DATA +t234 DATA +t235 DATA +t236 DATA +t237 DATA +t238 DATA +t238.m0 +t238.m1 +t239 DATA +t239.m0 +t239.m1 +t239.m2 +t239.m3 +t239.m4 +t239.m5 +t239.m6 +t239.m7 +t24 DATA +t240 DATA +t240.m0 +t240.m1 +t240.m2 +t240.m3 +t240.m4 +t240.m5 +t240.m6 +t240.m7 +t241 DATA +t241.m0 +t241.m1 +t241.m2 +t241.m3 +t241.m4 +t241.m5 +t241.m6 +t241.m7 +t241.m8 +t242 DATA +t243 DATA +t244 DATA +t245.m0 +t245.m1 +t245.m2 +t245.m3 +t245.m4 +t246 DATA +t247 DATA +t248 DATA +t249 DATA +t249.m0 +t249.m1 +t249.m2 +t249.m3 +t249.m4 +t249.m5 +t25 DATA +t250 DATA +t250.m0 +t250.m1 +t251 DATA +t251.m0 +t251.m1 +t252 DATA +t253 DATA +t254 DATA +t255 DATA +t256 DATA +t257 DATA +t258 DATA +t259 DATA +t26 DATA +t26.m0 +t26.m1 +t26.m2 +t26.m3 +t26.m4 +t26.m5 +t260 DATA +t260.m0 +t260.m1 +t260.m2 +t260.m3 +t261 DATA +t262 DATA +t262.m0 +t262.m1 +t263 DATA +t263.m0 +t263.m1 +t263.m2 +t263.m3 +t263.m4 +t263.m5 +t263.m6 +t264 DATA +t264.m0 +t264.m1 +t264.m2 +t264.m3 +t265 DATA +t265.m0 +t265.m1 +t265.m2 +t265.m3 +t265.m4 +t265.m5 +t265.m6 +t266 DATA +t267.m0 +t267.m1 +t267.m2 +t267.m3 +t267.m4 +t267.m5 +t267.m6 +t267.m7 +t267.m8 +t268 DATA +t269 DATA +t27 DATA +t270 DATA +t271 DATA +t272 DATA +t272.m0 +t272.m1 +t272.m2 +t272.m3 +t272.m4 +t272.m5 +t273.m0 +t273.m1 +t273.m2 +t273.m3 +t273.m4 +t273.m5 +t274 DATA +t274.m0 +t274.m1 +t275 DATA +t275.m0 +t276 DATA +t276.m0 +t277 DATA +t277.m0 +t278 DATA +t278.m0 +t279 DATA +t279.m0 +t28 DATA +t280 DATA +t280.m0 +t281 DATA +t281.m0 +t282 DATA +t282.m0 +t283 DATA +t283.m0 +t283.m1 +t284 DATA +t285 DATA +t286 DATA +t287 DATA +t288 DATA +t289 DATA +t29 DATA +t290 DATA +t290.m0 +t290.m1 +t290.m10 +t290.m11 +t290.m12 +t290.m13 +t290.m14 +t290.m15 +t290.m16 +t290.m17 +t290.m18 +t290.m19 +t290.m2 +t290.m20 +t290.m21 +t290.m22 +t290.m23 +t290.m3 +t290.m4 +t290.m5 +t290.m6 +t290.m7 +t290.m8 +t290.m9 +t291 DATA +t291.m0 +t291.m1 +t291.m2 +t292 DATA +t293 DATA +t294 DATA +t294.m0 +t295 DATA +t295.m0 +t295.m1 +t295.m2 +t295.m3 +t295.m4 +t295.m5 +t295.m6 +t295.m7 +t296 DATA +t297 DATA +t297.m0 +t297.m1 +t297.m2 +t297.m3 +t297.m4 +t297.m5 +t297.m6 +t298 DATA +t298.m0 +t298.m1 +t298.m2 +t298.m3 +t298.m4 +t298.m5 +t299 DATA +t3 DATA +t30 DATA +t300 DATA +t300.m0 +t300.m1 +t300.m2 +t300.m3 +t300.m4 +t300.m5 +t300.m6 +t300.m7 +t301 DATA +t301.m0 +t301.m1 +t301.m2 +t301.m3 +t301.m4 +t301.m5 +t301.m6 +t302 DATA +t302.m0 +t303 DATA +t303.m0 +t303.m1 +t304 DATA +t304.m0 +t305 DATA +t305.m0 +t305.m1 +t305.m3 +t306 DATA +t306.m0 +t307 DATA +t307.m0 +t307.m1 +t308 DATA +t308.m0 +t308.m1 +t308.m2 +t309 DATA +t309.m0 +t309.m1 +t309.m2 +t309.m3 +t309.m4 +t31 DATA +t310 DATA +t311 DATA +t311.m0 +t311.m1 +t311.m2 +t311.m3 +t311.m4 +t311.m5 +t311.m6 +t311.m7 +t312 DATA +t313 DATA +t313.m0 +t313.m1 +t313.m2 +t313.m3 +t314 DATA +t315 DATA +t316 DATA +t317 DATA +t318 DATA +t318.m0 +t318.m1 +t319 DATA +t319.m0 +t32 DATA +t32.m0 +t32.m1 +t32.m10 +t32.m11 +t32.m12 +t32.m13 +t32.m14 +t32.m15 +t32.m16 +t32.m17 +t32.m18 +t32.m19 +t32.m2 +t32.m3 +t32.m4 +t32.m5 +t32.m6 +t32.m7 +t32.m8 +t32.m9 +t320 DATA +t320.m0 +t320.m1 +t321 DATA +t321.m0 +t322 DATA +t322.m0 +t323 DATA +t323.m0 +t324 DATA +t324.m0 +t325 DATA +t325.m0 +t325.m1 +t326 DATA +t326.m0 +t327 DATA +t327.m0 +t328 DATA +t328.m0 +t328.m1 +t328.m2 +t328.m3 +t329 DATA +t329.m0 +t33 DATA +t330 DATA +t330.m0 +t330.m2 +t330.m3 +t330.m4 +t330.m5 +t331 DATA +t332 DATA +t332.m1 +t332.m2 +t332.m3 +t332.m4 +t333 DATA +t334 DATA +t335 DATA +t335.m0 +t335.m1 +t336 DATA +t337 DATA +t337.m0 +t337.m1 +t337.m2 +t337.m3 +t337.m4 +t337.m5 +t337.m6 +t337.m7 +t338 DATA +t339 DATA +t34 DATA +t340 DATA +t341 DATA +t342 DATA +t343 DATA +t344 DATA +t345 DATA +t349 DATA +t35 DATA +t35.m10 +t35.m11 +t35.m28 +t35.m29 +t35.m30 +t35.m4 +t350 DATA +t351 DATA +t352 DATA +t354 DATA +t354.m1 +t355 DATA +t356 DATA +t357 DATA +t359 DATA +t359.m3 +t35static_data DATA +t36 DATA +t36.m0 +t36.m1 +t36.m7 +t36.m8 +t36.m9 +t360 DATA +t360.m1 +t361 DATA +t361.m1 +t362 DATA +t362.m1 +t363 DATA +t363.m1 +t363.m2 +t369 DATA +t37 DATA +t370 DATA +t371 DATA +t372 DATA +t373 DATA +t374 DATA +t375 DATA +t376 DATA +t377 DATA +t378 DATA +t379 DATA +t38 DATA +t380 DATA +t381 DATA +t382 DATA +t383 DATA +t39 DATA +t4 DATA +t4.m0 +t4.m1 +t4.m10 +t4.m11 +t4.m12 +t4.m13 +t4.m14 +t4.m2 +t4.m3 +t4.m4 +t4.m6 +t4.m7 +t4.m9 +t40 DATA +t40.m0 +t40.m1 +t40.m2 +t41 DATA +t41.m0 +t416 DATA +t417 DATA +t418 DATA +t419 DATA +t42 DATA +t42.m0 +t42.m1 +t42.m2 +t42.m3 +t42.m4 +t42.m5 +t42.m6 +t420 DATA +t421 DATA +t422 DATA +t423 DATA +t424 DATA +t425 DATA +t426 DATA +t427 DATA +t428 DATA +t429 DATA +t43 DATA +t43.m0 +t43.m1 +t43.m2 +t43.m3 +t43.m4 +t43.m5 +t43.m6 +t43.m7 +t430 DATA +t431 DATA +t432 DATA +t433 DATA +t434 DATA +t435 DATA +t436 DATA +t437 DATA +t438 DATA +t44 DATA +t44.m0 +t44.m1 +t44.m2 +t44.m3 +t44.m4 +t442 DATA +t442.m1 +t442.m2 +t443 DATA +t443.m1 +t443.m2 +t444 DATA +t445 DATA +t446 DATA +t45 DATA +t450 DATA +t451 DATA +t454 DATA +t456 DATA +t457 DATA +t458 DATA +t459 DATA +t459.m1 +t459.m2 +t46 DATA +t460 DATA +t461 DATA +t464 DATA +t465 DATA +t466 DATA +t466.m1 +t466.m2 +t466.m3 +t467 DATA +t468 DATA +t469 DATA +t47 DATA +t474 DATA +t475 DATA +t476 DATA +t476.m6 +t476.m7 +t477 DATA +t478 DATA +t478.m2 +t478.m3 +t479 DATA +t48 DATA +t480 DATA +t480.m5 +t480.m6 +t481 DATA +t482 DATA +t482.m1 +t483 DATA +t483.m1 +t484 DATA +t484.m1 +t485 DATA +t485.m1 +t487 DATA +t488 DATA +t489 DATA +t49 DATA +t490 DATA +t491 DATA +t492 DATA +t493 DATA +t494 DATA +t495 DATA +t496 DATA +t498 DATA +t499 DATA +t5 DATA +t5.m0 +t50 DATA +t500 DATA +t501 DATA +t502 DATA +t502.m1 +t503 DATA +t503.m1 +t503.m2 +t503.m3 +t504 DATA +t505 DATA +t505.m1 +t506 DATA +t507 DATA +t508 DATA +t51 DATA +t52.m0 +t52.m1 +t52.m2 +t52.m3 +t52.m4 +t52.m5 +t52.m6 +t52.m7 +t52.m8 +t53 DATA +t53.m0 +t53.m1 +t53.m10 +t53.m11 +t53.m12 +t53.m13 +t53.m14 +t53.m2 +t53.m3 +t53.m4 +t53.m5 +t53.m6 +t53.m7 +t53.m8 +t53.m9 +t54 DATA +t54.m0 +t54.m1 +t54.m2 +t54.m3 +t54.m4 +t54.m5 +t55 DATA +t55.m0 +t55.m1 +t55.m10 +t55.m11 +t55.m12 +t55.m13 +t55.m14 +t55.m15 +t55.m16 +t55.m17 +t55.m18 +t55.m19 +t55.m2 +t55.m20 +t55.m21 +t55.m22 +t55.m23 +t55.m24 +t55.m25 +t55.m26 +t55.m27 +t55.m28 +t55.m29 +t55.m3 +t55.m30 +t55.m31 +t55.m32 +t55.m33 +t55.m34 +t55.m35 +t55.m36 +t55.m37 +t55.m38 +t55.m39 +t55.m4 +t55.m40 +t55.m41 +t55.m42 +t55.m43 +t55.m44 +t55.m45 +t55.m46 +t55.m47 +t55.m48 +t55.m49 +t55.m5 +t55.m50 +t55.m51 +t55.m52 +t55.m53 +t55.m54 +t55.m55 +t55.m56 +t55.m57 +t55.m58 +t55.m59 +t55.m6 +t55.m60 +t55.m61 +t55.m62 +t55.m63 +t55.m64 +t55.m65 +t55.m66 +t55.m67 +t55.m68 +t55.m69 +t55.m7 +t55.m70 +t55.m71 +t55.m72 +t55.m73 +t55.m74 +t55.m75 +t55.m8 +t55.m9 +t55.m99 +t56 DATA +t56.m10 +t56.m11 +t56.m37 +t56.m38 +t56.m4 +t56static_data DATA +t57 DATA +t57.m0 +t57.m1 +t57.m10 +t57.m11 +t57.m12 +t57.m13 +t57.m14 +t57.m15 +t57.m2 +t57.m3 +t57.m4 +t57.m5 +t57.m6 +t57.m7 +t57.m8 +t57.m9 +t58 DATA +t58.m0 +t58.m1 +t58.m2 +t58.m3 +t58.m4 +t58.m5 +t59 DATA +t59.m0 +t59.m1 +t59.m10 +t59.m11 +t59.m12 +t59.m13 +t59.m14 +t59.m15 +t59.m16 +t59.m17 +t59.m18 +t59.m19 +t59.m2 +t59.m20 +t59.m21 +t59.m22 +t59.m23 +t59.m24 +t59.m25 +t59.m26 +t59.m27 +t59.m28 +t59.m29 +t59.m3 +t59.m30 +t59.m31 +t59.m32 +t59.m33 +t59.m34 +t59.m35 +t59.m36 +t59.m4 +t59.m5 +t59.m6 +t59.m7 +t59.m8 +t59.m9 +t6 DATA +t6.m0 +t60 DATA +t60.m0 +t60.m1 +t60.m10 +t60.m11 +t60.m12 +t60.m13 +t60.m2 +t60.m3 +t60.m4 +t60.m5 +t60.m6 +t60.m7 +t60.m8 +t60.m9 +t61 DATA +t61.m0 +t61.m1 +t61.m2 +t61.m3 +t61.m4 +t61.m5 +t61.m6 +t62 DATA +t63 DATA +t64 DATA +t64.m0 +t64.m1 +t64.m4 +t64.m5 +t64.m6 +t64.m7 +t64.m8 +t65 DATA +t65.m0 +t65.m1 +t65.m10 +t65.m11 +t65.m12 +t65.m13 +t65.m14 +t65.m15 +t65.m16 +t65.m17 +t65.m18 +t65.m19 +t65.m2 +t65.m20 +t65.m3 +t65.m4 +t65.m5 +t65.m6 +t65.m7 +t65.m8 +t65.m9 +t66 DATA +t66.m0 +t66.m1 +t66.m2 +t66.m3 +t66.m4 +t66.m5 +t66.m6 +t66.m7 +t67 DATA +t68 DATA +t68.m0 +t68.m1 +t68.m2 +t68.m3 +t68.m4 +t68.m5 +t68.m6 +t68.m7 +t68.m8 +t69 DATA +t7 DATA +t7.m0 +t7.m1 +t7.m2 +t7.m3 +t7.m4 +t7.m5 +t7.m6 +t7.m7 +t7.m8 +t70.m0 +t70.m1 +t70.m11 +t70.m12 +t70.m13 +t70.m14 +t70.m15 +t70.m16 +t70.m2 +t70.m3 +t70.m4 +t70.m5 +t70.m7 +t70.m8 +t70.m9 +t71 DATA +t72 DATA +t72.m0 +t72.m1 +t73 DATA +t73.m0 +t73.m1 +t73.m2 +t74 DATA +t74.m0 +t74.m1 +t75 DATA +t75.m0 +t75.m1 +t75.m2 +t75.m3 +t75.m4 +t75.m5 +t76 DATA +t76.m0 +t76.m1 +t76.m2 +t76.m3 +t77 DATA +t77.m0 +t77.m1 +t78 DATA +t79 DATA +t8 DATA +t8.m0 +t8.m1 +t8.m11 +t8.m2 +t8.m3 +t8.m4 +t8.m7 +t80 DATA +t81 DATA +t82 DATA +t83 DATA +t84 DATA +t85 DATA +t86 DATA +t87 DATA +t88 DATA +t89 DATA +t9 DATA +t9.m0 +t90 DATA +t91 DATA +t91.m0 +t92 DATA +t93 DATA +t93.m0 +t93.m1 +t94 DATA +t94.m0 +t94.m1 +t95 DATA +t96 DATA +t97 DATA +t98 DATA diff --git a/lib/libc/mingw/libarm32/wcletw.def b/lib/libc/mingw/libarm32/wcletw.def new file mode 100644 index 0000000000..bbdef662eb --- /dev/null +++ b/lib/libc/mingw/libarm32/wcletw.def @@ -0,0 +1,168 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wclEtw.dll" +EXPORTS +t10 DATA +t11 DATA +t12 DATA +t14 DATA +t14.m0 +t14.m1 +t15 DATA +t16 DATA +t17 DATA +t17.m0 +t17.m1 +t17.m2 +t17.m3 +t18 DATA +t19 DATA +t2 DATA +t2.m0 +t2.m1 +t2.m10 +t2.m11 +t2.m12 +t2.m13 +t2.m14 +t2.m15 +t2.m16 +t2.m2 +t2.m3 +t2.m4 +t2.m5 +t2.m6 +t2.m7 +t2.m8 +t2.m9 +t20 DATA +t21 DATA +t21.m0 +t21.m1 +t21.m2 +t22 DATA +t23 DATA +t24 DATA +t24.m0 +t24.m1 +t25 DATA +t25.m0 +t25.m2 +t25.m3 +t25.m4 +t26 DATA +t26.m0 +t26.m1 +t26.m2 +t26.m3 +t27 DATA +t27.m0 +t27.m1 +t27.m2 +t28 DATA +t29 DATA +t3 DATA +t3.m0 +t3.m5 +t3.m6 +t3.m8 +t30 DATA +t30.m0 +t31 DATA +t32 DATA +t33 DATA +t34 DATA +t35 DATA +t35.m1 +t35.m2 +t35.m3 +t35.m4 +t35.m5 +t36 DATA +t36.m2 +t37 DATA +t38 DATA +t4 DATA +t40 DATA +t41 DATA +t42 DATA +t43 DATA +t44 DATA +t45 DATA +t46 DATA +t47 DATA +t48 DATA +t48.m1 +t49 DATA +t5 DATA +t5.m0 +t5.m1 +t5.m10 +t5.m11 +t5.m12 +t5.m13 +t5.m14 +t5.m15 +t5.m16 +t5.m17 +t5.m18 +t5.m19 +t5.m2 +t5.m20 +t5.m21 +t5.m22 +t5.m3 +t5.m4 +t5.m5 +t5.m6 +t5.m7 +t5.m8 +t5.m9 +t50 DATA +t51 DATA +t52 DATA +t53 DATA +t54 DATA +t55 DATA +t56 DATA +t57 DATA +t58 DATA +t59 DATA +t6 DATA +t60 DATA +t61 DATA +t62 DATA +t63 DATA +t64 DATA +t65 DATA +t66 DATA +t67 DATA +t68 DATA +t7 DATA +t7.m0 +t7.m1 +t7.m2 +t7.m3 +t76 DATA +t77 DATA +t78 DATA +t79 DATA +t8 DATA +t80 DATA +t81 DATA +t82 DATA +t83 DATA +t84 DATA +t87 DATA +t88 DATA +t89 DATA +t9 DATA +t90 DATA +t91 DATA +t92 DATA +t93 DATA +t94 DATA +t95 DATA diff --git a/lib/libc/mingw/libarm32/wclpowrprof.def b/lib/libc/mingw/libarm32/wclpowrprof.def new file mode 100644 index 0000000000..8ab678b71a --- /dev/null +++ b/lib/libc/mingw/libarm32/wclpowrprof.def @@ -0,0 +1,160 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WclPowrProf.dll" +EXPORTS +t10 DATA +t11 DATA +t11.m0 +t11.m1 +t11.m2 +t11.m3 +t12 DATA +t12.m0 +t12.m1 +t12.m10 +t12.m11 +t12.m12 +t12.m2 +t12.m3 +t12.m4 +t12.m5 +t12.m6 +t12.m7 +t12.m8 +t12.m9 +t13 DATA +t13.m0 +t13.m1 +t13.m10 +t13.m11 +t13.m12 +t13.m13 +t13.m2 +t13.m3 +t13.m4 +t13.m5 +t13.m6 +t13.m7 +t13.m8 +t13.m9 +t14 DATA +t15 DATA +t15.m0 +t15.m1 +t16 DATA +t16.m0 +t16.m1 +t16.m2 +t16.m3 +t17 DATA +t17.m0 +t17.m1 +t17.m2 +t17.m3 +t17.m4 +t17.m5 +t17.m6 +t17.m7 +t17.m8 +t18 DATA +t18.m0 +t18.m1 +t18.m10 +t18.m11 +t18.m12 +t18.m13 +t18.m14 +t18.m15 +t18.m2 +t18.m3 +t18.m4 +t18.m5 +t18.m6 +t18.m7 +t18.m8 +t18.m9 +t19 DATA +t19.m0 +t19.m1 +t19.m2 +t19.m3 +t19.m4 +t19.m5 +t20.m0 +t20.m1 +t20.m2 +t20.m3 +t20.m4 +t20.m5 +t20.m6 +t20.m7 +t20.m8 +t20.m9 +t22 DATA +t23 DATA +t24 DATA +t25 DATA +t26 DATA +t27 DATA +t28 DATA +t29 DATA +t3 DATA +t3.m0 +t3.m1 +t3.m10 +t3.m11 +t3.m12 +t3.m13 +t3.m14 +t3.m15 +t3.m16 +t3.m2 +t3.m3 +t3.m4 +t3.m5 +t3.m6 +t3.m7 +t3.m8 +t3.m9 +t30 DATA +t31 DATA +t32 DATA +t33 DATA +t4 DATA +t4.m0 +t4.m1 +t4.m2 +t4.m3 +t43 DATA +t44 DATA +t45 DATA +t46 DATA +t5 DATA +t50 DATA +t51 DATA +t52 DATA +t53 DATA +t54 DATA +t55 DATA +t56 DATA +t57 DATA +t58 DATA +t59 DATA +t6 DATA +t60 DATA +t61 DATA +t63 DATA +t7 DATA +t7.m0 +t7.m1 +t7.m2 +t7.m3 +t7.m4 +t7.m5 +t7.m6 +t7.m7 +t8 DATA +t9 DATA diff --git a/lib/libc/mingw/libarm32/wclsqm.def b/lib/libc/mingw/libarm32/wclsqm.def new file mode 100644 index 0000000000..35d98e7f4d --- /dev/null +++ b/lib/libc/mingw/libarm32/wclsqm.def @@ -0,0 +1,53 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wclSqm.dll" +EXPORTS +t10 DATA +t11 DATA +t11.m2 +t11.m3 +t12 DATA +t13 DATA +t14 DATA +t15 DATA +t16 DATA +t19 DATA +t2 DATA +t2.m0 +t2.m1 +t2.m2 +t2.m3 +t2.m4 +t2.m5 +t20 DATA +t21 DATA +t22 DATA +t23 DATA +t25 DATA +t3.m0 +t5 DATA +t6 DATA +t7 DATA +t7.m0 +t7.m1 +t7.m10 +t7.m11 +t7.m12 +t7.m13 +t7.m14 +t7.m15 +t7.m16 +t7.m17 +t7.m2 +t7.m3 +t7.m4 +t7.m5 +t7.m6 +t7.m7 +t7.m8 +t7.m9 +t8 DATA +t9 DATA diff --git a/lib/libc/mingw/libarm32/wclunicode.def b/lib/libc/mingw/libarm32/wclunicode.def new file mode 100644 index 0000000000..57797feed4 --- /dev/null +++ b/lib/libc/mingw/libarm32/wclunicode.def @@ -0,0 +1,27 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wclUnicode.dll" +EXPORTS +t2.m0 +t2.m1 +t2.m10 +t2.m11 +t2.m12 +t2.m2 +t2.m3 +t2.m4 +t2.m5 +t2.m6 +t2.m7 +t2.m8 +t2.m9 +t3.m0 +t3.m1 +t3.m2 +t3.m3 +t3.m4 +t3.m5 +t4 DATA diff --git a/lib/libc/mingw/libarm32/wclwdi.def b/lib/libc/mingw/libarm32/wclwdi.def new file mode 100644 index 0000000000..a0833b5d78 --- /dev/null +++ b/lib/libc/mingw/libarm32/wclwdi.def @@ -0,0 +1,26 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wclWdi.dll" +EXPORTS +t10 DATA +t11 DATA +t12 DATA +t16 DATA +t17 DATA +t2 DATA +t2.m7 +t2.m8 +t3 DATA +t3.m0 +t3.m1 +t4 DATA +t4.m0 +t4.m1 +t4.m2 +t5 DATA +t7 DATA +t8 DATA +t9 DATA diff --git a/lib/libc/mingw/libarm32/wcmcsp.def b/lib/libc/mingw/libarm32/wcmcsp.def new file mode 100644 index 0000000000..74e79dbc0b --- /dev/null +++ b/lib/libc/mingw/libarm32/wcmcsp.def @@ -0,0 +1,13 @@ +; +; Definition file of Wcmcsp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Wcmcsp.dll" +EXPORTS +EthernetCspDeInit +EthernetCspInit +WlanCspDeInit +WlanCspInit +WwanCspDeInit +WwanCspInit diff --git a/lib/libc/mingw/libarm32/wcmsvc.def b/lib/libc/mingw/libarm32/wcmsvc.def new file mode 100644 index 0000000000..34a1252d53 --- /dev/null +++ b/lib/libc/mingw/libarm32/wcmsvc.def @@ -0,0 +1,20 @@ +; +; Definition file of Wcmsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Wcmsvc.dll" +EXPORTS +CdeCancelOnDemandRequest +CdeCloseOnDemandRequestHandle +CdeOpenOnDemandRequestHandle +CdeOpenOnDemandRequestHandleByWwanProfileName +CdeQueryOnDemandRequestStateInfo +CdeQueryParameter +CdeSetParameter +CdeStartOnDemandRequest +SvchostPushServiceGlobals +WcmSvcMain +CdeGetEntireProfileList +CdeGetProfileList +CdeGetProfileListForInterface diff --git a/lib/libc/mingw/libarm32/wcncsvc.def b/lib/libc/mingw/libarm32/wcncsvc.def new file mode 100644 index 0000000000..2d91329ee5 --- /dev/null +++ b/lib/libc/mingw/libarm32/wcncsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of wcncsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wcncsvc.dll" +EXPORTS +SvchostPushServiceGlobals +WcnServiceMain diff --git a/lib/libc/mingw/libarm32/wcneapauthproxy.def b/lib/libc/mingw/libarm32/wcneapauthproxy.def new file mode 100644 index 0000000000..f4b8352a14 --- /dev/null +++ b/lib/libc/mingw/libarm32/wcneapauthproxy.def @@ -0,0 +1,8 @@ +; +; Definition file of WcnEapAuthProxy.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WcnEapAuthProxy.dll" +EXPORTS +WcnEapPluginGetInfo diff --git a/lib/libc/mingw/libarm32/wcneappeerproxy.def b/lib/libc/mingw/libarm32/wcneappeerproxy.def new file mode 100644 index 0000000000..603685a639 --- /dev/null +++ b/lib/libc/mingw/libarm32/wcneappeerproxy.def @@ -0,0 +1,11 @@ +; +; Definition file of WcnEapPeerProxy.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WcnEapPeerProxy.dll" +EXPORTS +EapPeerFreeErrorMemory +EapPeerFreeMemory +EapPeerGetInfo +EapPeerGetMethodProperties diff --git a/lib/libc/mingw/libarm32/wdc.def b/lib/libc/mingw/libarm32/wdc.def new file mode 100644 index 0000000000..7b3406d5fe --- /dev/null +++ b/lib/libc/mingw/libarm32/wdc.def @@ -0,0 +1,9 @@ +; +; Definition file of PMONT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "PMONT.dll" +EXPORTS +WdcParseLegacyFile +WdcRunTaskAsInteractiveUser diff --git a/lib/libc/mingw/libarm32/wdi.def b/lib/libc/mingw/libarm32/wdi.def new file mode 100644 index 0000000000..c67365707d --- /dev/null +++ b/lib/libc/mingw/libarm32/wdi.def @@ -0,0 +1,58 @@ +; +; Definition file of wdi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wdi.dll" +EXPORTS +ServiceMain +WdipLaunchRunDLLUserHost +WdiAddFileToInstance +WdiAddParameter +WdiCancel +WdiCloseInstance +WdiCreateInstance +WdiDeleteQueuedResolution +WdiDiagnose +WdiGetClientActivityId +WdiGetClientLCID +WdiGetDiagnosticModuleId +WdiGetEvent +WdiGetInstanceFilePath +WdiGetInstanceId +WdiGetLoggerSnapshotPath +WdiGetParameterByIndex +WdiGetParameterByName +WdiGetParameterCount +WdiGetParameterData +WdiGetParameterDataLength +WdiGetParameterDiagnosticModuleId +WdiGetParameterFlags +WdiGetParameterName +WdiGetProgress +WdiGetQueuedResolutionAudience +WdiGetQueuedResolutionExpirationDate +WdiGetQueuedResolutionId +WdiGetQueuedResolutionName +WdiGetQueuedResolutionPriority +WdiGetResult +WdiGetScenarioIcon +WdiGetScenarioInfo +WdiGetScenarioInstanceCreatedDate +WdiGetScenarioInstanceFilePath +WdiGetScenarioInstanceId +WdiGetScenarioInstances +WdiGetScenarioSourceName +WdiGetScenarioTypeName +WdiImpersonateClient +WdiIsQueuedResolutionAdmin +WdiLaunchQueuedResolution +WdiOpenInstance +WdiQueueCurrentResolution +WdiResolve +WdiRevertToSelf +WdiSetFeedback +WdiSetProblemDetectionResult +WdiSetProgress +WdiSetResolution +WdipLaunchLocalHost diff --git a/lib/libc/mingw/libarm32/wdiasqmmodule.def b/lib/libc/mingw/libarm32/wdiasqmmodule.def new file mode 100644 index 0000000000..079fb5acd7 --- /dev/null +++ b/lib/libc/mingw/libarm32/wdiasqmmodule.def @@ -0,0 +1,10 @@ +; +; Definition file of WDIASqmModule.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WDIASqmModule.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance diff --git a/lib/libc/mingw/libarm32/wdscore.def b/lib/libc/mingw/libarm32/wdscore.def new file mode 100644 index 0000000000..dc674d7de8 --- /dev/null +++ b/lib/libc/mingw/libarm32/wdscore.def @@ -0,0 +1,168 @@ +; +; Definition file of WDSCORE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WDSCORE.dll" +EXPORTS +??0?$CDynamicArray@EPAE@@QAA@I@Z +??0?$CDynamicArray@EPAUSKey@@@@QAA@I@Z +??0?$CDynamicArray@EPAUSValue@@@@QAA@I@Z +??0?$CDynamicArray@GPAG@@QAA@I@Z +??0?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAA@I@Z +??0?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAA@I@Z +??0?$CDynamicArray@_KPA_K@@QAA@I@Z +??1?$CDynamicArray@EPAE@@QAA@XZ +??1?$CDynamicArray@EPAUSKey@@@@QAA@XZ +??1?$CDynamicArray@EPAUSValue@@@@QAA@XZ +??1?$CDynamicArray@GPAG@@QAA@XZ +??1?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAA@XZ +??1?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAA@XZ +??1?$CDynamicArray@_KPA_K@@QAA@XZ +??4?$CDynamicArray@EPAE@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@EPAUSKey@@@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@EPAUSValue@@@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@GPAG@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAAAV0@ABV0@@Z +??4?$CDynamicArray@_KPA_K@@QAAAAV0@ABV0@@Z +??A?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAAAPAUSEnumBinContext@@I@Z +??A?$CDynamicArray@_KPA_K@@QAAAA_KI@Z +??B?$CDynamicArray@EPAUSKey@@@@QBAPAUSKey@@XZ +??B?$CDynamicArray@EPAUSValue@@@@QBAPAUSValue@@XZ +??B?$CDynamicArray@GPAG@@QBAPAGXZ +??C?$CDynamicArray@EPAUSKey@@@@QBAPAUSKey@@XZ +??C?$CDynamicArray@EPAUSValue@@@@QBAPAUSValue@@XZ +??_F?$CDynamicArray@EPAE@@QAAXXZ +??_F?$CDynamicArray@EPAUSKey@@@@QAAXXZ +??_F?$CDynamicArray@EPAUSValue@@@@QAAXXZ +??_F?$CDynamicArray@GPAG@@QAAXXZ +??_F?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAXXZ +??_F?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAXXZ +??_F?$CDynamicArray@_KPA_K@@QAAXXZ +?Add@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAHAAPAUSEnumBinContext@@@Z +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAHAAUSKeeperEntry@CBlackboardFactory@@@Z +?Add@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAHAAUSKeeperEntry@CBlackboardFactory@@AAI@Z +?Add@?$CDynamicArray@_KPA_K@@QAAHAA_K@Z +?ElementAt@?$CDynamicArray@GPAG@@QAAAAGI@Z +?ElementAt@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAAAUSKeeperEntry@CBlackboardFactory@@I@Z +?GetBuffer@?$CDynamicArray@EPAE@@QAAPAEI@Z +?GetBuffer@?$CDynamicArray@EPAUSValue@@@@QAAPAUSValue@@I@Z +?GetBuffer@?$CDynamicArray@GPAG@@QAAPAGI@Z +?GetSize@?$CDynamicArray@EPAE@@QBAIXZ +?GetSize@?$CDynamicArray@GPAG@@QBAIXZ +?GetSize@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QBAIXZ +?GetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QBAIXZ +?GetSize@?$CDynamicArray@_KPA_K@@QBAIXZ +?Init@?$CDynamicArray@EPAE@@IAAXI@Z +?Init@?$CDynamicArray@EPAUSKey@@@@IAAXI@Z +?Init@?$CDynamicArray@EPAUSValue@@@@IAAXI@Z +?Init@?$CDynamicArray@GPAG@@IAAXI@Z +?Init@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@IAAXI@Z +?Init@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@IAAXI@Z +?Init@?$CDynamicArray@_KPA_K@@IAAXI@Z +?RemoveAll@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAXXZ +?RemoveAll@?$CDynamicArray@_KPA_K@@QAAXXZ +?RemoveItemFromTail@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAXXZ +?SetSize@?$CDynamicArray@EPAE@@QAAHK@Z +?SetSize@?$CDynamicArray@EPAUSKey@@@@QAAHK@Z +?SetSize@?$CDynamicArray@EPAUSValue@@@@QAAHK@Z +?SetSize@?$CDynamicArray@GPAG@@QAAHK@Z +?SetSize@?$CDynamicArray@PAUSEnumBinContext@@PAPAU1@@@QAAHK@Z +?SetSize@?$CDynamicArray@USKeeperEntry@CBlackboardFactory@@PAU12@@@QAAHK@Z +?SetSize@?$CDynamicArray@_KPA_K@@QAAHK@Z +WdsGetPointer +g_Kernel32 DATA +g_bEnableDiagnosticMode DATA +ConstructPartialMsgIfA +ConstructPartialMsgIfW +ConstructPartialMsgVA +ConstructPartialMsgVW +CurrentIP +EndMajorTask +EndMinorTask +GetMajorTask +GetMajorTaskA +GetMinorTask +GetMinorTaskA +StartMajorTask +StartMinorTask +WdsAbortBlackboardItemEnum +WdsAddModule +WdsAddUsmtLogStack +WdsAllocCollection +WdsCollectionAddValue +WdsCollectionGetValue +WdsCopyBlackboardItems +WdsCopyBlackboardItemsEx +WdsCreateBlackboard +WdsDeleteBlackboardValue +WdsDeleteEvent +WdsDestroyBlackboard +WdsDuplicateData +WdsEnableDiagnosticMode +WdsEnableExit +WdsEnableExitEx +WdsEnumFirstBlackboardItem +WdsEnumFirstCollectionValue +WdsEnumNextBlackboardItem +WdsEnumNextCollectionValue +WdsExecuteWorkQueue +WdsExecuteWorkQueue2 +WdsExecuteWorkQueueEx +WdsExitImmediately +WdsExitImmediatelyEx +WdsFreeCollection +WdsFreeData +WdsGenericSetupLogInit +WdsGetAssertFlags +WdsGetBlackboardBinaryData +WdsGetBlackboardStringA +WdsGetBlackboardStringW +WdsGetBlackboardUintPtr +WdsGetBlackboardValue +WdsGetCurrentExecutionGroup +WdsGetSetupLog +WdsGetTempDir +WdsInitialize +WdsInitializeCallbackArray +WdsInitializeDataBinary +WdsInitializeDataStringA +WdsInitializeDataStringW +WdsInitializeDataUInt32 +WdsInitializeDataUInt64 +WdsIsDiagnosticModeEnabled +WdsIterateOfflineQueue +WdsIterateQueue +WdsLockBlackboardValue +WdsLockExecutionGroup +WdsLogCreate +WdsLogDestroy +WdsLogRegStockProviders +WdsLogRegisterProvider +WdsLogStructuredException +WdsLogUnRegStockProviders +WdsLogUnRegisterProvider +WdsPackCollection +WdsPublish +WdsPublishEx +WdsPublishImmediateAsync +WdsPublishImmediateEx +WdsPublishOffline +WdsSeqAlloc +WdsSeqFree +WdsSetAssertFlags +WdsSetBlackboardValue +WdsSetNextExecutionGroup +WdsSetUILanguage +WdsSetupLogDestroy +WdsSetupLogInit +WdsSetupLogMessageA +WdsSetupLogMessageW +WdsSubscribeEx +WdsTerminate +WdsUnlockExecutionGroup +WdsUnpackCollection +WdsUnsubscribe +WdsUnsubscribeEx +WdsValidBlackboard diff --git a/lib/libc/mingw/libarm32/webio.def b/lib/libc/mingw/libarm32/webio.def new file mode 100644 index 0000000000..92ace6435a --- /dev/null +++ b/lib/libc/mingw/libarm32/webio.def @@ -0,0 +1,51 @@ +; +; Definition file of webio.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "webio.dll" +EXPORTS +ord_1 @1 +WebPalCanScavengeDnsCache +WebPalCancelTwTimer +ord_4 @4 +ord_5 @5 +WebPalCreateDnsCacheCtx +WebPalCreateSocketCtx +ord_8 @8 +ord_9 @9 +ord_10 @10 +ord_11 @11 +WebPalFreeDnsCacheCtx +WebPalFreeSocketCtx +ord_14 @14 +ord_15 @15 +WebPalInitializeTwTimer +ord_17 @17 +ord_18 @18 +ord_19 @19 +ord_20 @20 +ord_21 @21 +ord_22 @22 +ord_23 @23 +ord_24 @24 +ord_25 @25 +ord_26 @26 +ord_27 @27 +ord_28 @28 +ord_29 @29 +WebPalIsImplemented +ord_31 @31 +ord_32 @32 +ord_33 @33 +WebPalOverrideConnectResult +ord_35 @35 +ord_36 @36 +ord_37 @37 +ord_38 @38 +ord_39 @39 +ord_40 @40 +ord_41 @41 +ord_42 @42 +WebPalSetTwTimer +WebPalTerminateTwTimer diff --git a/lib/libc/mingw/libarm32/wecsvc.def b/lib/libc/mingw/libarm32/wecsvc.def new file mode 100644 index 0000000000..da4d28eb6c --- /dev/null +++ b/lib/libc/mingw/libarm32/wecsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of collsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "collsvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wer.def b/lib/libc/mingw/libarm32/wer.def deleted file mode 100644 index f8a6f06718..0000000000 --- a/lib/libc/mingw/libarm32/wer.def +++ /dev/null @@ -1,129 +0,0 @@ -; -; Definition file of wer.dll -; Automatic generated by gendef -; written by Kai Tietz 2008-2014 -; -LIBRARY "wer.dll" -EXPORTS -WerSysprepCleanup -WerSysprepGeneralize -WerSysprepSpecialize -WerUnattendedSetup -WerpAddAppCompatData -WerpAddMemoryBlock -WerpAddRegisteredDataToReport -WerpArchiveReport -WerpCancelResponseDownload -WerpCancelUpload -WerpCloseStore -WerpCreateMachineStore -WerpCreateUserStore -WerpDeleteReport -WerpDestroyWerString -WerpDownloadResponse -WerpDownloadResponseTemplate -WerpEnumerateStoreNext -WerpEnumerateStoreStart -WerpExtractReportFiles -WerpFlushImageCache -WerpForceDeferredCollection -WerpFreeUnmappedVaRanges -WerpGetBucketId -WerpGetDynamicParameter -WerpGetEventType -WerpGetExtendedDiagData -WerpGetFileByIndex -WerpGetFilePathByIndex -WerpGetLegacyBucketId -WerpGetLoadedModuleByIndex -WerpGetNumFiles -WerpGetNumLoadedModules -WerpGetNumSigParams -WerpGetReportFinalConsent -WerpGetReportFlags -WerpGetReportInformation -WerpGetReportSettings -WerpGetReportTime -WerpGetReportType -WerpGetResponseId -WerpGetResponseUrl -WerpGetSigParamByIndex -WerpGetStorePath -WerpGetStoreType -WerpGetTextFromReport -WerpGetUIParamByIndex -WerpGetUploadTime -WerpGetWerStringData -WerpGetWow64Process -WerpHashApplicationParameters -WerpInitializeImageCache -WerpIsOnBattery -WerpIsTransportAvailable -WerpLoadReport -WerpLoadReportFromBuffer -WerpOpenMachineArchive -WerpOpenMachineQueue -WerpOpenUserArchive -WerpPromptUser -WerpPruneStore -WerpReportCancel -WerpReportSprintfParameter -WerpReserveMachineQueueReportDir -WerpResetTransientImageCacheStatistics -WerpRestartApplication -WerpSetDynamicParameter -WerpSetEventName -WerpSetReportApplicationIdentity -WerpSetReportFlags -WerpSetReportInformation -WerpSetReportNamespaceParameter -WerpSetReportTime -WerpSetReportUploadContextToken -WerpShowUpsellUI -WerpStitchedMinidumpVmPostReadCallback -WerpStitchedMinidumpVmPreReadCallback -WerpStitchedMinidumpVmQueryCallback -WerpSubmitReportFromStore -WerpSvcReportFromMachineQueue -WerpTraceAuxMemDumpStatistics -WerpTraceDuration -WerpTraceImageCacheStatistics -WerpTraceSnapshotStatistics -WerpTraceStitchedDumpWriterStatistics -WerpTraceUnmappedVaRangesStatistics -WerpUnmapProcessViews -WerpUpdateReportResponse -WerpValidateReportKey -WerpWalkGatherBlocks -WerAddExcludedApplication -WerRemoveExcludedApplication -WerReportAddDump -WerReportAddFile -WerReportCloseHandle -WerReportCreate -WerReportSetParameter -WerReportSetUIOption -WerReportSubmit -WerpAddFile -WerpAddFileBuffer -WerpAddFileCallback -WerpAuxmdDumpProcessImages -WerpAuxmdDumpRegisteredBlocks -WerpAuxmdFree -WerpAuxmdFreeCopyBuffer -WerpAuxmdHashVaRanges -WerpAuxmdInitialize -WerpAuxmdMapFile -WerpCreateIntegratorReportId -WerpDownloadResponseOnly -WerpFreeString -WerpGetIntegratorReportId -WerpGetReportConsent -WerpGetStoreLocation -WerpIsDisabled -WerpLaunchResponse -WerpOpenUserQueue -WerpSetAuxiliaryArchivePath -WerpSetCallBack -WerpSetDefaultUserConsent -WerpSetIntegratorReportId diff --git a/lib/libc/mingw/libarm32/werconcpl.def b/lib/libc/mingw/libarm32/werconcpl.def new file mode 100644 index 0000000000..5e22fa220b --- /dev/null +++ b/lib/libc/mingw/libarm32/werconcpl.def @@ -0,0 +1,10 @@ +; +; Definition file of WERCONCPL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WERCONCPL.dll" +EXPORTS +LaunchErcAppW +ShowCEIPDialogW +WerpIsResponseApplicable diff --git a/lib/libc/mingw/libarm32/wercplsupport.def b/lib/libc/mingw/libarm32/wercplsupport.def new file mode 100644 index 0000000000..fdb6614a80 --- /dev/null +++ b/lib/libc/mingw/libarm32/wercplsupport.def @@ -0,0 +1,11 @@ +; +; Definition file of wercplsupport.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wercplsupport.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals +WerComGetAdminStores +WerComGetUserStores diff --git a/lib/libc/mingw/libarm32/werdiagcontroller.def b/lib/libc/mingw/libarm32/werdiagcontroller.def new file mode 100644 index 0000000000..13d7832f24 --- /dev/null +++ b/lib/libc/mingw/libarm32/werdiagcontroller.def @@ -0,0 +1,10 @@ +; +; Definition file of WerDiagController.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WerDiagController.dll" +EXPORTS +QueryOriginalBucket +StartAppRecorder +StartFDR diff --git a/lib/libc/mingw/libarm32/wersvc.def b/lib/libc/mingw/libarm32/wersvc.def new file mode 100644 index 0000000000..ae685a580f --- /dev/null +++ b/lib/libc/mingw/libarm32/wersvc.def @@ -0,0 +1,9 @@ +; +; Definition file of NULL.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NULL.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/werui.def b/lib/libc/mingw/libarm32/werui.def new file mode 100644 index 0000000000..a727245a41 --- /dev/null +++ b/lib/libc/mingw/libarm32/werui.def @@ -0,0 +1,18 @@ +; +; Definition file of werui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "werui.dll" +EXPORTS +WerUICreate +WerUIDelete +WerUIGetUserSelection +WerUIPromptForSecondLevel +WerUIPromptUser +WerUIShowUpsell +WerUIStart +WerUITerminate +WerUIUpdateStateProgress +WerUIUpdateUIForState +WerUIWaitForUserAction diff --git a/lib/libc/mingw/libarm32/wevtfwd.def b/lib/libc/mingw/libarm32/wevtfwd.def new file mode 100644 index 0000000000..e40e5d7eca --- /dev/null +++ b/lib/libc/mingw/libarm32/wevtfwd.def @@ -0,0 +1,12 @@ +; +; Definition file of WEVTFWD.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WEVTFWD.DLL" +EXPORTS +WSManPluginShutdown +WSManPluginStartup +WSManProvPullEvents +WSManProvSubscribe +WSManProvUnsubscribe diff --git a/lib/libc/mingw/libarm32/wevtsvc.def b/lib/libc/mingw/libarm32/wevtsvc.def new file mode 100644 index 0000000000..538efcb728 --- /dev/null +++ b/lib/libc/mingw/libarm32/wevtsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of wevtsvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wevtsvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wfdprov.def b/lib/libc/mingw/libarm32/wfdprov.def new file mode 100644 index 0000000000..037318a556 --- /dev/null +++ b/lib/libc/mingw/libarm32/wfdprov.def @@ -0,0 +1,11 @@ +; +; Definition file of Wfdprov.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Wfdprov.dll" +EXPORTS +WFDProvConfigureAndProvisionDevice +WFDProvDeinitialize +WFDProvGetInfo +WFDProvInitialize diff --git a/lib/libc/mingw/libarm32/whealogr.def b/lib/libc/mingw/libarm32/whealogr.def new file mode 100644 index 0000000000..17c723e01d --- /dev/null +++ b/lib/libc/mingw/libarm32/whealogr.def @@ -0,0 +1,117 @@ +; +; Definition file of +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Whealogr.dll" +EXPORTS +WdiDiagnosticModuleMain +WdiGetDiagnosticModuleInterfaceVersion +WdiHandleInstance +t10 DATA +t11 DATA +t12 DATA +t13 DATA +t14 DATA +t15 DATA +t16 DATA +t17 DATA +t18 DATA +t19 DATA +t2 DATA +t2.m1 +t20 DATA +t21 DATA +t22 DATA +t23 DATA +t24 DATA +t25 DATA +t26 DATA +t27 DATA +t28 DATA +t3 DATA +t30 DATA +t31 DATA +t32 DATA +t33 DATA +t34 DATA +t36 DATA +t37 DATA +t38 DATA +t39 DATA +t4 DATA +t40 DATA +t41 DATA +t42 DATA +t43 DATA +t44 DATA +t45 DATA +t46 DATA +t47 DATA +t48 DATA +t49 DATA +t5 DATA +t50 DATA +t51 DATA +t52 DATA +t53 DATA +t54 DATA +t55 DATA +t56 DATA +t57 DATA +t58 DATA +t59 DATA +t6 DATA +t60 DATA +t61 DATA +t62 DATA +t63 DATA +t64 DATA +t65 DATA +t66 DATA +t67 DATA +t68 DATA +t69 DATA +t7 DATA +t71 DATA +t72 DATA +t72.m0 +t72.m1 +t72.m2 +t72.m3 +t72.m4 +t72.m5 +t72.m6 +t73 DATA +t74 DATA +t74.m1 +t75 DATA +t75.m1 +t76 DATA +t76.m1 +t77 DATA +t77.m1 +t78 DATA +t78.m1 +t79 DATA +t79.m1 +t8 DATA +t80 DATA +t80.m10 +t81 DATA +t81.m0 +t82 DATA +t82.m9 +t83 DATA +t84 DATA +t85 DATA +t86 DATA +t87 DATA +t88 DATA +t89 DATA +t9 DATA +t90 DATA +t91 DATA +t92 DATA +t93 DATA +t93.m3 diff --git a/lib/libc/mingw/libarm32/wiaservc.def b/lib/libc/mingw/libarm32/wiaservc.def new file mode 100644 index 0000000000..f14db99719 --- /dev/null +++ b/lib/libc/mingw/libarm32/wiaservc.def @@ -0,0 +1,62 @@ +; +; Definition file of wiaservc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wiaservc.dll" +EXPORTS +ServiceMain +wiasCreateChildAppItem +wiasCreateDrvItem +wiasCreateLogInstance +wiasCreatePropContext +wiasDebugError +wiasDebugTrace +wiasDownSampleBuffer +wiasFormatArgs +wiasFreePropContext +wiasGetChangedValueFloat +wiasGetChangedValueGuid +wiasGetChangedValueLong +wiasGetChangedValueStr +wiasGetChildrenContexts +wiasGetContextFromName +wiasGetDrvItem +wiasGetImageInformation +wiasGetItemType +wiasGetPropertyAttributes +wiasGetRootItem +wiasIsPropChanged +wiasParseEndorserString +wiasPrintDebugHResult +wiasQueueEvent +wiasReadMultiple +wiasReadPropBin +wiasReadPropFloat +wiasReadPropGuid +wiasReadPropLong +wiasReadPropStr +wiasSendEndOfPage +wiasSetItemPropAttribs +wiasSetItemPropNames +wiasSetPropChanged +wiasSetPropertyAttributes +wiasSetValidFlag +wiasSetValidListFloat +wiasSetValidListGuid +wiasSetValidListLong +wiasSetValidListStr +wiasSetValidRangeFloat +wiasSetValidRangeLong +wiasUpdateScanRect +wiasUpdateValidFormat +wiasValidateItemProperties +wiasWriteBufToFile +wiasWriteMultiple +wiasWritePageBufToFile +wiasWritePageBufToStream +wiasWritePropBin +wiasWritePropFloat +wiasWritePropGuid +wiasWritePropLong +wiasWritePropStr diff --git a/lib/libc/mingw/libarm32/wiatrace.def b/lib/libc/mingw/libarm32/wiatrace.def new file mode 100644 index 0000000000..b55457b113 --- /dev/null +++ b/lib/libc/mingw/libarm32/wiatrace.def @@ -0,0 +1,15 @@ +; +; Definition file of wiatrace.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wiatrace.dll" +EXPORTS +WIATRACE_DecrementIndentLevel +WIATRACE_GetIndentLevel +WIATRACE_GetTraceSettings +WIATRACE_IncrementIndentLevel +WIATRACE_Init +WIATRACE_OutputString +WIATRACE_SetTraceSettings +WIATRACE_Term diff --git a/lib/libc/mingw/libarm32/wifidisplay.def b/lib/libc/mingw/libarm32/wifidisplay.def new file mode 100644 index 0000000000..59963cbe76 --- /dev/null +++ b/lib/libc/mingw/libarm32/wifidisplay.def @@ -0,0 +1,16 @@ +; +; Definition file of WiFiDisplay.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WiFiDisplay.dll" +EXPORTS +CloseMiracastSession +CreateDAFProviderMiracastHelper +CreateWiFiDisplayEtwProvider +IsMiracastSupportedByWlan +MiracastFreeMemory +MiracastIeDecode +MiracastIeEncode +OpenMiracastSession +VsIeProviderGetFunctionTable diff --git a/lib/libc/mingw/libarm32/winbici.def b/lib/libc/mingw/libarm32/winbici.def new file mode 100644 index 0000000000..0dbf6de795 --- /dev/null +++ b/lib/libc/mingw/libarm32/winbici.def @@ -0,0 +1,62 @@ +; +; Definition file of winbici.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winbici.dll" +EXPORTS +AbortExperience +AddDwordToDatapointValueList +AddStringToDatapointValueList +AddToStream +ContinueExperience +CreateBase64StringFromTransactionContext +CreateDatapointValueList +CreateTransactionContext +CreateTransactionContextFromBase64String +DestroyDatapointValueList +DestroyTransactionContext +DestroyTransactionId +EndExperience +GetApplicationId +GetExperienceId +GetIsMsftInternal +GetNextTransactionContext +GetTransactionContextExperienceId +GetTransactionContextIsEqual +GetTransactionContextMarket +GetTransactionContextScenarioId +GetTransactionContextTransactionId +GetUserAnid +Increment +MakeSnapshotAndAttemptUpload +PauseExperience +RecordDependentApiQos +RecordIncomingApiQos +RecordInternalApiQos +RecordScenarioQos +RegisterNoOptDatapoint +ResetSettings +Set +SetApplicationEnvironment +SetDataExpiration +SetDataPath +SetDefaultSnapshotInterval +SetDependentQosSnapshotInterval +SetRetryFileCountLimit +SetRetryInterval +SetRetryThrottleIntervalSeconds +SetSnapshotThrottleIntervalSeconds +SetStorageFileCountLimit +SetStorageSizeLimitBytes +SetStorageTemporaryFileCountLimit +SetStorageTimeLimitHours +SetString +SetUploadUrl +SetUploadsEnabled +SetUserAnid +SetUserBetaState +SetUserCid +SetUserId +StartExperience +UploadPendingFiles diff --git a/lib/libc/mingw/libarm32/winbrand.def b/lib/libc/mingw/libarm32/winbrand.def new file mode 100644 index 0000000000..380deef256 --- /dev/null +++ b/lib/libc/mingw/libarm32/winbrand.def @@ -0,0 +1,19 @@ +; +; Definition file of WINBRAND.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINBRAND.dll" +EXPORTS +BrandingFormatString +BrandingLoadBitmap +BrandingLoadCursor +BrandingLoadIcon +BrandingLoadImage +BrandingLoadString +EulaFreeBuffer +GetEULAFile +GetEULAInCurrentUILanguage +GetHinstanceByNameSpace +GetInstalledEULAPath +InstallEULA diff --git a/lib/libc/mingw/libarm32/windows.globalization.fontgroups.def b/lib/libc/mingw/libarm32/windows.globalization.fontgroups.def new file mode 100644 index 0000000000..f6c08f9ea3 --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.globalization.fontgroups.def @@ -0,0 +1,8 @@ +; +; Definition file of windows.globalization.fontgroups.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "windows.globalization.fontgroups.dll" +EXPORTS +GetPreferredFont diff --git a/lib/libc/mingw/libarm32/windows.networking.connectivity.def b/lib/libc/mingw/libarm32/windows.networking.connectivity.def new file mode 100644 index 0000000000..7cb40d28f4 --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.networking.connectivity.def @@ -0,0 +1,8 @@ +; +; Definition file of Windows.Networking.Connectivity.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Networking.Connectivity.dll" +EXPORTS +SetHostNameMediaStreamingMode diff --git a/lib/libc/mingw/libarm32/windows.networking.hostname.def b/lib/libc/mingw/libarm32/windows.networking.hostname.def new file mode 100644 index 0000000000..e55c02602a --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.networking.hostname.def @@ -0,0 +1,13 @@ +; +; Definition file of Windows.Networking.HostName.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Networking.HostName.dll" +EXPORTS +CreateEndpointPairFromSockAddrs +CreateHostNameFromSockAddr +CreateHostNameFromString +CreateNetworkAdapterFromGuid +GetAllHostNames +GetSortedEndpointPairs diff --git a/lib/libc/mingw/libarm32/windows.networking.networkoperators.hotspotauthentication.def b/lib/libc/mingw/libarm32/windows.networking.networkoperators.hotspotauthentication.def new file mode 100644 index 0000000000..35b48a86e2 --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.networking.networkoperators.hotspotauthentication.def @@ -0,0 +1,9 @@ +; +; Definition file of module.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "module.dll" +EXPORTS +CleanupHotspotProfiles +RegisterHotspotProfile diff --git a/lib/libc/mingw/libarm32/windows.networking.proximity.def b/lib/libc/mingw/libarm32/windows.networking.proximity.def new file mode 100644 index 0000000000..f7953da60b --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.networking.proximity.def @@ -0,0 +1,8 @@ +; +; Definition file of dll.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "dll.dll" +EXPORTS +ProximityConnect diff --git a/lib/libc/mingw/libarm32/windows.networking.vpn.def b/lib/libc/mingw/libarm32/windows.networking.vpn.def new file mode 100644 index 0000000000..54bb22e57c --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.networking.vpn.def @@ -0,0 +1,13 @@ +; +; Definition file of Windows.Networking.Vpn.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Networking.Vpn.dll" +EXPORTS +VpnClientPluginGetSecurity +VpnClientPluginInstall +VpnClientPluginManifestFind +VpnClientPluginUninstall +VpnPluginEnumerate +VpnPluginListFree diff --git a/lib/libc/mingw/libarm32/windows.storage.applicationdata.def b/lib/libc/mingw/libarm32/windows.storage.applicationdata.def new file mode 100644 index 0000000000..b12b182f5d --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.storage.applicationdata.def @@ -0,0 +1,8 @@ +; +; Definition file of Windows.Storage.ApplicationData.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.Storage.ApplicationData.dll" +EXPORTS +CleanupTemporaryState diff --git a/lib/libc/mingw/libarm32/windows.ui.def b/lib/libc/mingw/libarm32/windows.ui.def new file mode 100644 index 0000000000..0f8a6c6fb3 --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.ui.def @@ -0,0 +1,10 @@ +; +; Definition file of Windows.UI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Windows.UI.dll" +EXPORTS +ord_1500 @1500 +ord_1600 @1600 +CreateControlInput diff --git a/lib/libc/mingw/libarm32/windows.ui.xaml.def b/lib/libc/mingw/libarm32/windows.ui.xaml.def new file mode 100644 index 0000000000..0f2db979eb --- /dev/null +++ b/lib/libc/mingw/libarm32/windows.ui.xaml.def @@ -0,0 +1,15 @@ +; +; Definition file of windows.ui.xaml.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "windows.ui.xaml.dll" +EXPORTS +CreateString +CreateXamlUIPresenter +DeleteString +FreeBinaryGenericXaml +GenerateBinaryGenericXaml +GetDependencyObjectAddress +GetStringLen +GetStringRawBuffer diff --git a/lib/libc/mingw/libarm32/windowscodecsext.def b/lib/libc/mingw/libarm32/windowscodecsext.def new file mode 100644 index 0000000000..07a05f937b --- /dev/null +++ b/lib/libc/mingw/libarm32/windowscodecsext.def @@ -0,0 +1,9 @@ +; +; Definition file of WindowsCodecsExt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WindowsCodecsExt.dll" +EXPORTS +IWICColorTransform_Initialize_Proxy +WICCreateColorTransform_Proxy diff --git a/lib/libc/mingw/libarm32/winethc.def b/lib/libc/mingw/libarm32/winethc.def new file mode 100644 index 0000000000..08b0ae475e --- /dev/null +++ b/lib/libc/mingw/libarm32/winethc.def @@ -0,0 +1,9 @@ +; +; Definition file of winetHC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winetHC.DLL" +EXPORTS +ForceProxyDetectionOnNextRun +SetAutoDetectProxyFlagForUser diff --git a/lib/libc/mingw/libarm32/wininitext.def b/lib/libc/mingw/libarm32/wininitext.def new file mode 100644 index 0000000000..fbcaf55fbb --- /dev/null +++ b/lib/libc/mingw/libarm32/wininitext.def @@ -0,0 +1,14 @@ +; +; Definition file of WININITEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WININITEXT.dll" +EXPORTS +GetLoggedOnUserCount +PrimaryTerminalAndHookWorker +StartLoadingFontsWorker +UIStartupWorker +UnregisterSession0ViewerWindowHookDll +WaitForWinstationShutdown +WinStationSystemShutdownStartedWorker diff --git a/lib/libc/mingw/libarm32/winipsec.def b/lib/libc/mingw/libarm32/winipsec.def new file mode 100644 index 0000000000..d86f43f11b --- /dev/null +++ b/lib/libc/mingw/libarm32/winipsec.def @@ -0,0 +1,79 @@ +; +; Definition file of WINIPSEC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINIPSEC.DLL" +EXPORTS +SPDApiBufferAllocate +SPDApiBufferFree +AddTransportFilter +DeleteTransportFilter +EnumTransportFilters +SetTransportFilter +GetTransportFilter +AddQMPolicy +DeleteQMPolicy +EnumQMPolicies +SetQMPolicy +GetQMPolicy +AddMMPolicy +DeleteMMPolicy +EnumMMPolicies +SetMMPolicy +GetMMPolicy +AddMMFilter +DeleteMMFilter +EnumMMFilters +SetMMFilter +GetMMFilter +MatchMMFilter +MatchTransportFilter +GetQMPolicyByID +GetMMPolicyByID +AddMMAuthMethods +DeleteMMAuthMethods +EnumMMAuthMethods +SetMMAuthMethods +GetMMAuthMethods +InitiateIKENegotiation +QueryIKENegotiationStatus +CloseIKENegotiationHandle +EnumMMSAs +QueryIKEStatistics +DeleteMMSAs +RegisterIKENotifyClient +QueryIKENotifyData +CloseIKENotifyHandle +QueryIPSecStatistics +EnumQMSAs +AddTunnelFilter +DeleteTunnelFilter +EnumTunnelFilters +SetTunnelFilter +GetTunnelFilter +MatchTunnelFilter +OpenMMFilterHandle +CloseMMFilterHandle +OpenTransportFilterHandle +CloseTransportFilterHandle +OpenTunnelFilterHandle +CloseTunnelFilterHandle +EnumIPSecInterfaces +AddSAs +DeleteQMSAs +GetConfigurationVariables +SetConfigurationVariables +QuerySpdPolicyState +OpenMMFilterHandleEx +AddMMFilterEx +EnumMMFiltersEx +SetMMFilterEx +GetMMFilterEx +MatchMMFilterEx +OpenTransportFilterHandleEx +AddTransportFilterEx +EnumTransportFiltersEx +SetTransportFilterEx +GetTransportFilterEx +MatchTransportFilterEx diff --git a/lib/libc/mingw/libarm32/winlangdb.def b/lib/libc/mingw/libarm32/winlangdb.def new file mode 100644 index 0000000000..ec2453981b --- /dev/null +++ b/lib/libc/mingw/libarm32/winlangdb.def @@ -0,0 +1,28 @@ +; +; Definition file of WinLangdb.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WinLangdb.dll" +EXPORTS +Bcp47GetEnglishName +Bcp47GetLocalizedName +Bcp47GetLocalizedScript +Bcp47GetNativeName +Bcp47GetSerializedUserLanguageProfile +EnsureLanguageProfileExists +GetCompatibleInputMethodsForLanguage +GetDefaultInputMethodForLanguage +GetInputMethodDescription +GetInputMethodProperties +GetInputMethodTileName +GetLanguageNames +IsImeInputMethod +IsImmersiveInputMethod +IsTouchEnabledInputMethod +IsoScriptGetLocalizedName +LanguagesDatabaseGetChildLanguages +LanguagesDatabaseHasChildren +SetUserLanguages +TransformInputMethodsForLanguage +TransformInputMethodsForLanguageId diff --git a/lib/libc/mingw/libarm32/winlogonext.def b/lib/libc/mingw/libarm32/winlogonext.def new file mode 100644 index 0000000000..63c9a923f4 --- /dev/null +++ b/lib/libc/mingw/libarm32/winlogonext.def @@ -0,0 +1,21 @@ +; +; Definition file of WINLOGONEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINLOGONEXT.dll" +EXPORTS +CanRunSetupWorker +EnableDisableElevationForSessionWorker +ExecuteSetupWorker +InitWinLogonExt +IsMiniNTModeWorker +IsSetupCleanInstallWorker +IsThisSetupWorker +NotifyInteractiveSessionLogoff +PrepareSetupExecutionWorker +SetSetupShutdownActionWorker +SetupCreateSplashScreenWorker +SetupDestroySplashScreenWorker +ShouldSetupExecuteWorker +WinLogonExt diff --git a/lib/libc/mingw/libarm32/winmde.def b/lib/libc/mingw/libarm32/winmde.def new file mode 100644 index 0000000000..caf1ee6fdb --- /dev/null +++ b/lib/libc/mingw/libarm32/winmde.def @@ -0,0 +1,9 @@ +; +; Definition file of winmde.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winmde.dll" +EXPORTS +MFCreateNetVRoot +MFCreateWinMDEOpCenter diff --git a/lib/libc/mingw/libarm32/winmmbase.def b/lib/libc/mingw/libarm32/winmmbase.def new file mode 100644 index 0000000000..a86ec027f4 --- /dev/null +++ b/lib/libc/mingw/libarm32/winmmbase.def @@ -0,0 +1,158 @@ +; +; Definition file of WINMMBASE.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINMMBASE.dll" +EXPORTS +CloseDriver +DefDriverProc +DriverCallback +DrvGetModuleHandle +GetDriverModuleHandle +OpenDriver +SendDriverMessage +auxGetDevCapsA +auxGetDevCapsW +auxGetNumDevs +auxGetVolume +auxOutMessage +auxSetVolume +joyConfigChanged +joyGetDevCapsA +joyGetDevCapsW +joyGetNumDevs +joyGetPos +joyGetPosEx +joyGetThreshold +joyReleaseCapture +joySetCapture +joySetThreshold +midiConnect +midiDisconnect +midiInAddBuffer +midiInClose +midiInGetDevCapsA +midiInGetDevCapsW +midiInGetErrorTextA +midiInGetErrorTextW +midiInGetID +midiInGetNumDevs +midiInMessage +midiInOpen +midiInPrepareHeader +midiInReset +midiInStart +midiInStop +midiInUnprepareHeader +midiOutCacheDrumPatches +midiOutCachePatches +midiOutClose +midiOutGetDevCapsA +midiOutGetDevCapsW +midiOutGetErrorTextA +midiOutGetErrorTextW +midiOutGetID +midiOutGetNumDevs +midiOutGetVolume +midiOutLongMsg +midiOutMessage +midiOutOpen +midiOutPrepareHeader +midiOutReset +midiOutSetVolume +midiOutShortMsg +midiOutUnprepareHeader +midiStreamClose +midiStreamOpen +midiStreamOut +midiStreamPause +midiStreamPosition +midiStreamProperty +midiStreamRestart +midiStreamStop +mixerClose +mixerGetControlDetailsA +mixerGetControlDetailsW +mixerGetDevCapsA +mixerGetDevCapsW +mixerGetID +mixerGetLineControlsA +mixerGetLineControlsW +mixerGetLineInfoA +mixerGetLineInfoW +mixerGetNumDevs +mixerMessage +mixerOpen +mixerSetControlDetails +mmDrvInstall +mmGetCurrentTask +mmTaskBlock +mmTaskCreate +mmTaskSignal +mmTaskYield +mmioAdvance +mmioAscend +mmioClose +mmioCreateChunk +mmioDescend +mmioFlush +mmioGetInfo +mmioInstallIOProcA +mmioInstallIOProcW +mmioOpenA +mmioOpenW +mmioRead +mmioRenameA +mmioRenameW +mmioSeek +mmioSendMessage +mmioSetBuffer +mmioSetInfo +mmioStringToFOURCCA +mmioStringToFOURCCW +mmioWrite +sndOpenSound +waveInAddBuffer +waveInClose +waveInGetDevCapsA +waveInGetDevCapsW +waveInGetErrorTextA +waveInGetErrorTextW +waveInGetID +waveInGetNumDevs +waveInGetPosition +waveInMessage +waveInOpen +waveInPrepareHeader +waveInReset +waveInStart +waveInStop +waveInUnprepareHeader +waveOutBreakLoop +waveOutClose +waveOutGetDevCapsA +waveOutGetDevCapsW +waveOutGetErrorTextA +waveOutGetErrorTextW +waveOutGetID +waveOutGetNumDevs +waveOutGetPitch +waveOutGetPlaybackRate +waveOutGetPosition +waveOutGetVolume +waveOutMessage +waveOutOpen +waveOutPause +waveOutPrepareHeader +waveOutReset +waveOutRestart +waveOutSetPitch +waveOutSetPlaybackRate +waveOutSetVolume +waveOutUnprepareHeader +waveOutWrite +winmmbaseFreeMMEHandles +winmmbaseGetWOWHandle +winmmbaseHandle32FromHandle16 +winmmbaseSetWOWHandle diff --git a/lib/libc/mingw/libarm32/winnsi.def b/lib/libc/mingw/libarm32/winnsi.def new file mode 100644 index 0000000000..25b14010b7 --- /dev/null +++ b/lib/libc/mingw/libarm32/winnsi.def @@ -0,0 +1,22 @@ +; +; Definition file of WINNSI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINNSI.DLL" +EXPORTS +NsiConnectToServer +NsiDisconnectFromServer +NsiRpcDeregisterChangeNotification +NsiRpcDeregisterChangeNotificationEx +NsiRpcEnumerateObjectsAllParameters +NsiRpcGetAllParameters +NsiRpcGetAllParametersEx +NsiRpcGetParameter +NsiRpcGetParameterEx +NsiRpcRegisterChangeNotification +NsiRpcRegisterChangeNotificationEx +NsiRpcSetAllParameters +NsiRpcSetAllParametersEx +NsiRpcSetParameter +NsiRpcSetParameterEx diff --git a/lib/libc/mingw/libarm32/winrscmd.def b/lib/libc/mingw/libarm32/winrscmd.def new file mode 100644 index 0000000000..d1746516e4 --- /dev/null +++ b/lib/libc/mingw/libarm32/winrscmd.def @@ -0,0 +1,38 @@ +; +; Definition file of winrscmd.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winrscmd.dll" +EXPORTS +??0?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??0?$SafeMap_Iterator@VKey@Locale@@K@@QAA@AAV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@_N@Z +??0?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@ABV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@_N@Z +??1?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??1?$SafeMap_Iterator@VKey@Locale@@K@@QAA@XZ +??1?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??1CWSManCriticalSectionWithConditionVar@@QAA@XZ +??_7?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@6B@ DATA +?Acquire@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UBAXXZ +?Acquire@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAAXXZ +?Acquired@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA_NXZ +?AsReference@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAAAAV1@XZ +?Data@?$SafeMap_Iterator@VKey@Locale@@K@@IBAAAV?$STLMap@VKey@Locale@@K@@XZ +?DeInitialize@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UAA_NAAVIRequestContext@@@Z +?GetInitError@CWSManCriticalSection@@QBAKXZ +?GetMap@?$SafeMap_Iterator@VKey@Locale@@K@@QBAAAV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@XZ +?GetMap@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QBAABV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@XZ +?Initialize@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UAA_NAAVIRequestContext@@@Z +?IsValid@?$SafeMap_Iterator@VKey@Locale@@K@@QBA_NXZ +?Release@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UBAXXZ +?Reset@?$SafeMap_Iterator@VKey@Locale@@K@@QAAXXZ +?SkipOrphans@?$SafeMap_Iterator@VKey@Locale@@K@@IAAXXZ +WSManPluginCommand +WSManPluginReceive +WSManPluginReleaseCommandContext +WSManPluginReleaseShellContext +WSManPluginSend +WSManPluginShell +WSManPluginShutdown +WSManPluginSignal +WSManPluginStartup diff --git a/lib/libc/mingw/libarm32/winsetupui.def b/lib/libc/mingw/libarm32/winsetupui.def new file mode 100644 index 0000000000..5fdfc9efe4 --- /dev/null +++ b/lib/libc/mingw/libarm32/winsetupui.def @@ -0,0 +1,8 @@ +; +; Definition file of WinSetupUI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WinSetupUI.dll" +EXPORTS +CreateWinSetupUI diff --git a/lib/libc/mingw/libarm32/winshfhc.def b/lib/libc/mingw/libarm32/winshfhc.def new file mode 100644 index 0000000000..aa590dd364 --- /dev/null +++ b/lib/libc/mingw/libarm32/winshfhc.def @@ -0,0 +1,9 @@ +; +; Definition file of winshfhc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winshfhc.dll" +EXPORTS +ord_101 @101 +MRTComponent_Generalize diff --git a/lib/libc/mingw/libarm32/winsku.def b/lib/libc/mingw/libarm32/winsku.def new file mode 100644 index 0000000000..12c10ea5ec --- /dev/null +++ b/lib/libc/mingw/libarm32/winsku.def @@ -0,0 +1,9 @@ +; +; Definition file of WINSKU.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WINSKU.dll" +EXPORTS +SkuFreeBuffer +SkuGetEditionEulaFilePath diff --git a/lib/libc/mingw/libarm32/winsrpc.def b/lib/libc/mingw/libarm32/winsrpc.def new file mode 100644 index 0000000000..138a2b0528 --- /dev/null +++ b/lib/libc/mingw/libarm32/winsrpc.def @@ -0,0 +1,38 @@ +; +; Definition file of winsrpc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "winsrpc.dll" +EXPORTS +WinsABind +WinsAllocMem +WinsBackup +WinsCheckAccess +WinsDelDbRecs +WinsDeleteWins +WinsDoScavenging +WinsDoScavengingNew +WinsDoStaticInit +WinsFreeMem +WinsGetBrowserNames +WinsGetDbRecs +WinsGetDbRecsByName +WinsGetNameAndAdd +WinsPullRange +WinsRecordAction +WinsResetCounters +WinsRestore +WinsRestoreEx +WinsSetFlags +WinsSetPriorityClass +WinsStatus +WinsStatusNew +WinsStatusWHdl +WinsSyncUp +WinsTerm +WinsTombstoneDbRecs +WinsTrigger +WinsUBind +WinsUnbind +WinsWorkerThdUpd diff --git a/lib/libc/mingw/libarm32/wintypes.def b/lib/libc/mingw/libarm32/wintypes.def new file mode 100644 index 0000000000..8cc3595da3 --- /dev/null +++ b/lib/libc/mingw/libarm32/wintypes.def @@ -0,0 +1,12 @@ +; +; Definition file of WinTypes.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WinTypes.dll" +EXPORTS +RoCreateNonAgilePropertySet +RoGetBufferMarshaler +RoGetMetaDataFile +RoParseTypeName +RoResolveNamespace diff --git a/lib/libc/mingw/libarm32/witnesswmiv2provider.def b/lib/libc/mingw/libarm32/witnesswmiv2provider.def new file mode 100644 index 0000000000..7a6e6bcc9a --- /dev/null +++ b/lib/libc/mingw/libarm32/witnesswmiv2provider.def @@ -0,0 +1,11 @@ +; +; Definition file of WitnessWmiv2Provider.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WitnessWmiv2Provider.dll" +EXPORTS +GetProviderClassID +MI_Main +WitnessWmiInitialize +WitnessWmiTerminate diff --git a/lib/libc/mingw/libarm32/wlangpui.def b/lib/libc/mingw/libarm32/wlangpui.def new file mode 100644 index 0000000000..ea241a4e17 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlangpui.def @@ -0,0 +1,9 @@ +; +; Definition file of WLSNP.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WLSNP.DLL" +EXPORTS +GetAdPolicyAsXML +GetWmiPolicyAsXML diff --git a/lib/libc/mingw/libarm32/wlanhlp.def b/lib/libc/mingw/libarm32/wlanhlp.def new file mode 100644 index 0000000000..5a535415f8 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlanhlp.def @@ -0,0 +1,117 @@ +; +; Definition file of wlanhlp.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlanhlp.dll" +EXPORTS +WFDGetSessionEndpointPairsInt +QueryNetconStatus +QueryNetconVirtualCharacteristic +WFDAcceptConnectRequestAndOpenSessionInt +WFDAcceptGroupRequestAndOpenSessionInt +WFDCancelConnectorPairWithOOB +WFDCancelListenerPairWithOOB +WFDCancelOpenSessionInt +WFDCloseHandleInt +WFDCloseLegacySessionInt +WFDCloseOOBPairingSession +WFDCloseSessionInt +WFDConfigureFirewallForSessionInt +WFDDeclineConnectRequestInt +WFDDeclineGroupRequestInt +WFDDiscoverDevicesInt +WFDFlushVisibleDeviceListInt +WFDForceDisconnectInt +WFDForceDisconnectLegacyPeerInt +WFDFreeMemoryInt +WFDGetDefaultGroupProfileInt +WFDGetOOBBlob +WFDGetProfileKeyInfoInt +WFDGetVisibleDevicesInt +WFDIsInterfaceWiFiDirect +WFDIsWiFiDirectRunningOnWiFiAdapter +WFDLowPrivCancelOpenSessionInt +WFDLowPrivCloseHandleInt +WFDLowPrivCloseSessionInt +WFDLowPrivConfigureFirewallForSessionInt +WFDLowPrivGetSessionEndpointPairsInt +WFDLowPrivIsWfdSupportedInt +WFDLowPrivOpenHandleInt +WFDLowPrivRegisterNotificationInt +WFDLowPrivStartOpenSessionByInterfaceIdInt +WFDOpenHandleInt +WFDOpenLegacySessionInt +WFDPairCancelByDeviceAddressInt +WFDPairCancelInt +WFDPairEnumerateCeremoniesInt +WFDPairSelectCeremonyInt +WFDPairWithDeviceAndOpenSessionExInt +WFDPairWithDeviceAndOpenSessionInt +WFDParseOOBBlob +WFDParseProfileXmlInt +WFDQueryPropertyInt +WFDRegisterNotificationInt +WFDSetAdditionalIEsInt +WFDSetPropertyInt +WFDSetSecondaryDeviceTypeListInt +WFDStartConnectorPairWithOOB +WFDStartListenerPairWithOOB +WFDStartOpenSessionInt +WFDStartUsingGroupInt +WFDStopDiscoverDevicesInt +WFDStopUsingGroupInt +WlanCancelPlap +WlanConnectWithInput +WlanDeinitPlapParams +WlanDoPlap +WlanDoesBssMatchSecurity +WlanEnumAllInterfaces +WlanGenerateProfileXmlBasicSettings +WlanGetMFPNegotiated +WlanGetProfileEapUserDataInfo +WlanGetProfileIndex +WlanGetProfileKeyInfo +WlanGetProfileMetadata +WlanGetProfileSsidList +WlanGetRadioInformation +WlanGetStoredRadioState +WlanHostedNetworkFreeWCNSettings +WlanHostedNetworkHlpQueryEverUsed +WlanHostedNetworkQueryWCNSettings +WlanHostedNetworkSetWCNSettings +WlanInitPlapParams +WlanInternalScan +WlanIsNetworkSuppressed +WlanIsUIRequestPending +WlanLowPrivCloseHandle +WlanLowPrivEnumInterfaces +WlanLowPrivFreeMemory +WlanLowPrivOpenHandle +WlanLowPrivQueryInterface +WlanLowPrivSetInterface +WlanNotifyVsIeProviderInt +WlanParseProfileXmlBasicSettings +WlanPrivateGetAvailableNetworkList +WlanQueryCreateAllUserProfileRestricted +WlanQueryPlapCredentials +WlanQueryPreConnectInput +WlanQueryVirtualInterfaceType +WlanRefreshConnections +WlanRemoveUIForwardingNetworkList +WlanSendUIResponse +WlanSetAllUserProfileRestricted +WlanSetProfileMetadata +WlanSetUIForwardingNetworkList +WlanStartAP +WlanStopAP +WlanStoreRadioStateOnEnteringAirPlaneMode +WlanTryUpgradeCurrentConnectionAuthCipher +WlanUpdateProfileWithAuthCipher +WlanWcmGetInterface +WlanWcmGetProfileList +WlanWcmSetInterface +WlanWfdGOSetWCNSettings +WlanWfdGetPeerInfo +WlanWfdStartGO +WlanWfdStopGO diff --git a/lib/libc/mingw/libarm32/wlaninst.def b/lib/libc/mingw/libarm32/wlaninst.def new file mode 100644 index 0000000000..587cf110e1 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlaninst.def @@ -0,0 +1,8 @@ +; +; Definition file of wlaninst.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlaninst.dll" +EXPORTS +WlanDeviceClassCoInstaller diff --git a/lib/libc/mingw/libarm32/wlanmm.def b/lib/libc/mingw/libarm32/wlanmm.def new file mode 100644 index 0000000000..a8ac8b64b9 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlanmm.def @@ -0,0 +1,8 @@ +; +; Definition file of WlanMM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WlanMM.dll" +EXPORTS +StartDiagnosticsW diff --git a/lib/libc/mingw/libarm32/wlanmsm.def b/lib/libc/mingw/libarm32/wlanmsm.def new file mode 100644 index 0000000000..e6ebeaef91 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlanmsm.def @@ -0,0 +1,10 @@ +; +; Definition file of WLANMSM.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WLANMSM.DLL" +EXPORTS +Dot11MsmDeInit +Dot11MsmInit +InitializeDll diff --git a/lib/libc/mingw/libarm32/wlansec.def b/lib/libc/mingw/libarm32/wlansec.def new file mode 100644 index 0000000000..31376bfc2e --- /dev/null +++ b/lib/libc/mingw/libarm32/wlansec.def @@ -0,0 +1,37 @@ +; +; Definition file of WLANSEC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WLANSEC.dll" +EXPORTS +MSMSecConnectionHealthCheck +MSMSecCreateDiscoveryProfiles +MSMSecDeinitialize +MSMSecDeinitializeAdapter +MSMSecFreeIntfState +MSMSecFreeMemory +MSMSecFreePeerState +MSMSecFreeProfile +MSMSecInitialize +MSMSecInitializeAdapter +MSMSecIsUIRequestPending +MSMSecPerformCapabilityMatch +MSMSecPerformPostAssociateSecurity +MSMSecPerformPreAssociateSecurity +MSMSecProcessSessionChange +MSMSecQueryAPPeerPSKIndex +MSMSecQueryIntfState +MSMSecQueryPeerState +MSMSecRecvIndication +MSMSecRecvPacket +MSMSecRedoSecurity +MSMSecRemoveAPPeerKey +MSMSecSendPktCompletion +MSMSecSetAPPeerKey +MSMSecSetAPSecondaryPSK +MSMSecSetRuntimeState +MSMSecSetWcnOneXEnable +MSMSecStopPostAssociateSecurity +MSMSecStopSecurity +MSMSecUIResponse diff --git a/lib/libc/mingw/libarm32/wlansvc.def b/lib/libc/mingw/libarm32/wlansvc.def new file mode 100644 index 0000000000..bb080b64e5 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlansvc.def @@ -0,0 +1,11 @@ +; +; Definition file of Wlansvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "Wlansvc.dll" +EXPORTS +SvchostPushServiceGlobals +WLNotifyOnLogoff +WLNotifyOnLogon +WlanSvcMain diff --git a/lib/libc/mingw/libarm32/wlansvcpal.def b/lib/libc/mingw/libarm32/wlansvcpal.def new file mode 100644 index 0000000000..6ce62f30eb --- /dev/null +++ b/lib/libc/mingw/libarm32/wlansvcpal.def @@ -0,0 +1,8 @@ +; +; Definition file of wlansvcpal.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlansvcpal.dll" +EXPORTS +WlanSvcPAL_GetFunctionTable diff --git a/lib/libc/mingw/libarm32/wlgpclnt.def b/lib/libc/mingw/libarm32/wlgpclnt.def new file mode 100644 index 0000000000..5837fc6146 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlgpclnt.def @@ -0,0 +1,11 @@ +; +; Definition file of wlgpclnt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlgpclnt.dll" +EXPORTS +GenerateWLANPolicy +ProcessWLANPolicyEx +WLGPADeInit +WLGPAInit diff --git a/lib/libc/mingw/libarm32/wlidcli.def b/lib/libc/mingw/libarm32/wlidcli.def new file mode 100644 index 0000000000..699df58f70 --- /dev/null +++ b/lib/libc/mingw/libarm32/wlidcli.def @@ -0,0 +1,98 @@ +; +; Definition file of wlidcli.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wlidcli.dll" +EXPORTS +Initialize +Uninitialize +PassportFreeMemory +CreateIdentityHandle +SetCredential +GetIdentityProperty +SetIdentityProperty +CloseIdentityHandle +AuthIdentityToService +PersistCredential +RemovePersistedCredential +EnumIdentitiesWithCachedCredentials +NextIdentity +CloseEnumIdentitiesHandle +GetAuthState +LogonIdentity +HasPersistedCredential +SetIdentityCallback +InitializeEx +GetWebAuthUrl +LogonIdentityEx +AuthIdentityToServiceEx +GetAuthStateEx +GetCertificate +CancelPendingRequest +VerifyCertificate +GetIdentityPropertyByName +SetExtendedProperty +GetExtendedProperty +GetServiceConfig +SetIdcrlOptions +GetWebAuthUrlEx +EncryptWithSessionKey +DecryptWithSessionKey +SetUserExtendedProperty +GetUserExtendedProperty +SetChangeNotificationCallback +RemoveChangeNotificationCallback +GetExtendedError +InitializeApp +EnumerateCertificates +GenerateCertToken +GetDeviceId +SetDeviceConsent +GenerateDeviceToken +CreateLinkedIdentityHandle +IsDeviceIDAdmin +EnumerateDeviceID +GetAssertion +VerifyAssertion +OpenAuthenticatedBrowser +LogonIdentityExWithUI +GetResponseForHttpChallenge +GetDeviceShortLivedToken +GetHIPChallenge +SetHIPSolution +SetDefaultUserForTarget +GetDefaultUserForTarget +UICollectCredential +AssociateDeviceToUser +DisassociateDeviceFromUser +EnumerateUserAssociatedDevices +UpdateUserAssociatedDeviceProperties +UIShowWaitDialog +UIEndWaitDialog +InitializeIDCRLTraceBuffer +FlushIDCRLTraceBuffer +IsMappedError +GetAuthenticationStatus +GetConfigDWORDValue +ProvisionDeviceId +GetDeviceIdEx +RenewDeviceId +DeProvisionDeviceId +UnPackErrorBlob +GetDefaultNoUISSOUser +LogonIdentityExSSO +StartTracing +StopTracing +GetRealmInfo +CreateIdentityHandleEx +AddUserToSsoGroup +GetUsersFromSsoGroup +RemoveUserFromSsoGroup +SendOneTimeCode +EncryptWithSessionKeyEx +DecryptWithSessionKeyEx +GetErrorMessage +SendWatsonReport +IDCRL_GetSpecifiedProtectionKey +IDCRL_GetLatestProtectionKey diff --git a/lib/libc/mingw/libarm32/wlidnsp.def b/lib/libc/mingw/libarm32/wlidnsp.def new file mode 100644 index 0000000000..684cf62bbd --- /dev/null +++ b/lib/libc/mingw/libarm32/wlidnsp.def @@ -0,0 +1,9 @@ +; +; Definition file of WLIDNSP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WLIDNSP.dll" +EXPORTS +NSPCleanup +NSPStartup diff --git a/lib/libc/mingw/libarm32/wlidsvc.def b/lib/libc/mingw/libarm32/wlidsvc.def new file mode 100644 index 0000000000..80fb4846ca --- /dev/null +++ b/lib/libc/mingw/libarm32/wlidsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of WLIDSVC.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WLIDSVC.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wmiclnt.def b/lib/libc/mingw/libarm32/wmiclnt.def new file mode 100644 index 0000000000..81bb2e4b78 --- /dev/null +++ b/lib/libc/mingw/libarm32/wmiclnt.def @@ -0,0 +1,36 @@ +; +; Definition file of WMICLNT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WMICLNT.dll" +EXPORTS +WmiCloseBlock +WmiDevInstToInstanceNameA +WmiDevInstToInstanceNameW +WmiEnumerateGuids +WmiExecuteMethodA +WmiExecuteMethodW +WmiFileHandleToInstanceNameA +WmiFileHandleToInstanceNameW +WmiFreeBuffer +WmiMofEnumerateResourcesA +WmiMofEnumerateResourcesW +WmiNotificationRegistrationA +WmiNotificationRegistrationW +WmiOpenBlock +WmiQueryAllDataA +WmiQueryAllDataMultipleA +WmiQueryAllDataMultipleW +WmiQueryAllDataW +WmiQueryGuidInformation +WmiQuerySingleInstanceA +WmiQuerySingleInstanceMultipleA +WmiQuerySingleInstanceMultipleW +WmiQuerySingleInstanceW +WmiReceiveNotificationsA +WmiReceiveNotificationsW +WmiSetSingleInstanceA +WmiSetSingleInstanceW +WmiSetSingleItemA +WmiSetSingleItemW diff --git a/lib/libc/mingw/libarm32/wmidcom.def b/lib/libc/mingw/libarm32/wmidcom.def new file mode 100644 index 0000000000..982dcaa420 --- /dev/null +++ b/lib/libc/mingw/libarm32/wmidcom.def @@ -0,0 +1,12 @@ +; +; Definition file of wmidcom.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wmidcom.dll" +EXPORTS +??0CCritSec@@QAA@XZ +??1CCritSec@@QAA@XZ +??4CAutoSetActivityId@@QAAAAV0@ABV0@@Z +??4CCritSec@@QAAAAV0@ABV0@@Z +MI_Application_InitializeV1 diff --git a/lib/libc/mingw/libarm32/wmitomi.def b/lib/libc/mingw/libarm32/wmitomi.def new file mode 100644 index 0000000000..81c2f8584b --- /dev/null +++ b/lib/libc/mingw/libarm32/wmitomi.def @@ -0,0 +1,19 @@ +; +; Definition file of wmitomi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wmitomi.dll" +EXPORTS +??0CCritSec@@QAA@XZ +??0MIServer@@QAA@XZ +??1CCritSec@@QAA@XZ +??4CAutoSetActivityId@@QAAAAV0@ABV0@@Z +??4CCritSec@@QAAAAV0@ABV0@@Z +??4MIServer@@QAAAAV0@ABV0@@Z +?SetAdapter@AdapterContextBase@@QAAJPAUIUnknown@@@Z +Adapter_CreateAdapterObject +Adapter_DllCanUnloadNow +Adapter_DllGetClassObject +Adapter_RegisterDLL +Adapter_UnRegisterDLL diff --git a/lib/libc/mingw/libarm32/wmpdui.def b/lib/libc/mingw/libarm32/wmpdui.def new file mode 100644 index 0000000000..09b2558d62 --- /dev/null +++ b/lib/libc/mingw/libarm32/wmpdui.def @@ -0,0 +1,151 @@ +; +; Definition file of wmpdui.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wmpdui.dll" +EXPORTS +DUserCastHandle +DUserDeleteGadget +GetStdColorBrushF +GetStdColorF +GetStdColorPenF +UtilDrawOutlineRect +AddGadgetMessageHandler +AddLayeredRef +AdjustClipInsideRef +AttachWndProcA +AttachWndProcW +AutoTrace +BuildAnimation +BuildDropTarget +BuildInterpolation +CacheDWriteRenderTarget +ChangeCurrentAnimationScenario +ClearPushedOpacitiesFromGadgetTree +ClearTopmostVisual +CreateAction +CreateGadget +CustomGadgetHitTestQuery +DUserBuildGadget +DUserCastClass +DUserCastDirect +DUserFindClass +DUserFlushDeferredMessages +DUserFlushMessages +DUserGetAlphaPRID +DUserGetGutsData +DUserGetRectPRID +DUserGetRotatePRID +DUserGetScalePRID +DUserInstanceOf +DUserPostEvent +DUserPostMethod +DUserRegisterGuts +DUserRegisterStub +DUserRegisterSuper +DUserSendEvent +DUserSendMethod +DUserStopAnimation +DUserStopPVLAnimation +DeleteHandle +DestroyPendingDCVisuals +DetachGadgetVisuals +DetachWndProc +DisableContainerHwnd +DrawGadgetTree +EnsureAnimationsEnabled +EnsureGadgetTransInitialized +EnumGadgets +FindGadgetFromPoint +FindGadgetMessages +FindStdColor +FireGadgetMessages +ForwardGadgetMessage +GadgetTransCompositionChanged +GadgetTransSettingChanged +GetActionTimeslice +GetCachedDWriteRenderTarget +GetDUserModule +GetDebug +GetFinalAnimatingPosition +GetGadget +GetGadgetAnimation +GetGadgetBitmap +GetGadgetBufferInfo +GetGadgetCenterPoint +GetGadgetFlags +GetGadgetFocus +GetGadgetLayerInfo +GetGadgetMessageFilter +GetGadgetProperty +GetGadgetRect +GetGadgetRgn +GetGadgetRootInfo +GetGadgetRotation +GetGadgetScale +GetGadgetSize +GetGadgetStyle +GetGadgetTicket +GetGadgetVisual +GetMessageExA +GetMessageExW +GetStdColorBrushI +GetStdColorI +GetStdColorName +GetStdColorPenI +GetStdPalette +InitGadgetComponent +InitGadgets +InvalidateGadget +InvalidateLayeredDescendants +IsGadgetParentChainStyle +IsInsideContext +IsStartDelete +LookupGadgetTicket +MapGadgetPoints +PeekMessageExA +PeekMessageExW +RegisterGadgetMessage +RegisterGadgetMessageString +RegisterGadgetProperty +ReleaseDetachedObjects +ReleaseLayeredRef +ReleaseMouseCapture +RemoveClippingImmunityFromVisual +RemoveGadgetMessageHandler +RemoveGadgetProperty +ResetDUserDevice +ScheduleGadgetTransitions +SetActionTimeslice +SetAtlasingHints +SetGadgetBufferInfo +SetGadgetCenterPoint +SetGadgetFillF +SetGadgetFillI +SetGadgetFlags +SetGadgetFocus +SetGadgetFocusEx +SetGadgetLayerInfo +SetGadgetMessageFilter +SetGadgetOrder +SetGadgetParent +SetGadgetProperty +SetGadgetRect +SetGadgetRootInfo +SetGadgetRotation +SetGadgetScale +SetGadgetStyle +SetHardwareDeviceUsage +SetMinimumDCompVersion +SetRestoreCachedLayeredRefFlag +SetTransitionVisualProperties +SetWindowResizeFlag +UnregisterGadgetMessage +UnregisterGadgetMessageString +UnregisterGadgetProperty +UtilBuildFont +UtilDrawBlendRect +UtilGetColor +UtilSetBackground +WaitMessageEx diff --git a/lib/libc/mingw/libarm32/wmsgapi.def b/lib/libc/mingw/libarm32/wmsgapi.def new file mode 100644 index 0000000000..2ed7e6b134 --- /dev/null +++ b/lib/libc/mingw/libarm32/wmsgapi.def @@ -0,0 +1,13 @@ +; +; Definition file of WMsgAPI.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WMsgAPI.dll" +EXPORTS +WmsgBroadcastMessage +WmsgBroadcastNotifyMessage +WmsgPostMessage +WmsgPostNotifyMessage +WmsgSendMessage +WmsgSendPSPMessage diff --git a/lib/libc/mingw/libarm32/workfoldersgpext.def b/lib/libc/mingw/libarm32/workfoldersgpext.def new file mode 100644 index 0000000000..ab7488cd07 --- /dev/null +++ b/lib/libc/mingw/libarm32/workfoldersgpext.def @@ -0,0 +1,8 @@ +; +; Definition file of WorkFoldersGPExt.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WorkFoldersGPExt.dll" +EXPORTS +ProcessGroupPolicy diff --git a/lib/libc/mingw/libarm32/workfolderssvc.def b/lib/libc/mingw/libarm32/workfolderssvc.def new file mode 100644 index 0000000000..9add87384b --- /dev/null +++ b/lib/libc/mingw/libarm32/workfolderssvc.def @@ -0,0 +1,13 @@ +; +; Definition file of workfolderssvc.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "workfolderssvc.DLL" +EXPORTS +ServiceMain +ClientInitEcsLib +ClientUnInitEcsLib +CreateSyncClientCoreInstance +CreateSyncServiceCoreInstance +SyncChangeBatchEnumCreateInstance diff --git a/lib/libc/mingw/libarm32/wpdbusenum.def b/lib/libc/mingw/libarm32/wpdbusenum.def new file mode 100644 index 0000000000..056de01223 --- /dev/null +++ b/lib/libc/mingw/libarm32/wpdbusenum.def @@ -0,0 +1,9 @@ +; +; Definition file of WpdBusEnum.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WpdBusEnum.DLL" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wpdshext.def b/lib/libc/mingw/libarm32/wpdshext.def new file mode 100644 index 0000000000..e9dd469563 --- /dev/null +++ b/lib/libc/mingw/libarm32/wpdshext.def @@ -0,0 +1,8 @@ +; +; Definition file of WPDSHEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WPDSHEXT.dll" +EXPORTS +CDefFolderMenu_MergeMenu diff --git a/lib/libc/mingw/libarm32/wpnsruprov.def b/lib/libc/mingw/libarm32/wpnsruprov.def new file mode 100644 index 0000000000..fb88011d55 --- /dev/null +++ b/lib/libc/mingw/libarm32/wpnsruprov.def @@ -0,0 +1,9 @@ +; +; Definition file of wpnsruprov.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wpnsruprov.dll" +EXPORTS +SruInitializeProvider +SruUninitializeProvider diff --git a/lib/libc/mingw/libarm32/wsdchngr.def b/lib/libc/mingw/libarm32/wsdchngr.def new file mode 100644 index 0000000000..f7d1971c39 --- /dev/null +++ b/lib/libc/mingw/libarm32/wsdchngr.def @@ -0,0 +1,12 @@ +; +; Definition file of WSDChngr.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSDChngr.dll" +EXPORTS +WSDCHNGRChallengeDeviceClass +WSDCHNGRInitialize +WSDCHNGRRegisterDeviceToChallenge +WSDCHNGRRemoveDevice +WSDCHNGRShutdown diff --git a/lib/libc/mingw/libarm32/wsecedit.def b/lib/libc/mingw/libarm32/wsecedit.def new file mode 100644 index 0000000000..834662b107 --- /dev/null +++ b/lib/libc/mingw/libarm32/wsecedit.def @@ -0,0 +1,9 @@ +; +; Definition file of WSECEDIT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSECEDIT.DLL" +EXPORTS +InvokeCAPEACLEditor +TranslateAceMasksAndCondition diff --git a/lib/libc/mingw/libarm32/wshext.def b/lib/libc/mingw/libarm32/wshext.def new file mode 100644 index 0000000000..1ac3a1e914 --- /dev/null +++ b/lib/libc/mingw/libarm32/wshext.def @@ -0,0 +1,13 @@ +; +; Definition file of WSHEXT.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSHEXT.dll" +EXPORTS +CreateIndirectData +GetSignedDataMsg +IsFileSupportedName +PutSignedDataMsg +RemoveSignedDataMsg +VerifyIndirectData diff --git a/lib/libc/mingw/libarm32/wship6.def b/lib/libc/mingw/libarm32/wship6.def new file mode 100644 index 0000000000..38e82dc042 --- /dev/null +++ b/lib/libc/mingw/libarm32/wship6.def @@ -0,0 +1,22 @@ +; +; Definition file of WSHIP6.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSHIP6.dll" +EXPORTS +WSHAddressToString +WSHEnumProtocols +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/libarm32/wshnetbs.def b/lib/libc/mingw/libarm32/wshnetbs.def new file mode 100644 index 0000000000..688e141e5a --- /dev/null +++ b/lib/libc/mingw/libarm32/wshnetbs.def @@ -0,0 +1,16 @@ +; +; Definition file of wshnetbs.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wshnetbs.dll" +EXPORTS +WSHEnumProtocols +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHNotify +WSHOpenSocket +WSHSetSocketInformation diff --git a/lib/libc/mingw/libarm32/wshqos.def b/lib/libc/mingw/libarm32/wshqos.def new file mode 100644 index 0000000000..ab3cff4820 --- /dev/null +++ b/lib/libc/mingw/libarm32/wshqos.def @@ -0,0 +1,22 @@ +; +; Definition file of WSHTCPIP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSHTCPIP.dll" +EXPORTS +WSHAddressToString +WSHEnumProtocols +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/libarm32/wshrm.def b/lib/libc/mingw/libarm32/wshrm.def new file mode 100644 index 0000000000..41a58f2482 --- /dev/null +++ b/lib/libc/mingw/libarm32/wshrm.def @@ -0,0 +1,23 @@ +; +; Definition file of WSHRM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSHRM.dll" +EXPORTS +WSHAddressToString +WSHEnumProtocols +WSHGetBroadcastSockaddr +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/libarm32/wshtcpip.def b/lib/libc/mingw/libarm32/wshtcpip.def new file mode 100644 index 0000000000..1d74f40884 --- /dev/null +++ b/lib/libc/mingw/libarm32/wshtcpip.def @@ -0,0 +1,23 @@ +; +; Definition file of WSHTCPIP.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSHTCPIP.dll" +EXPORTS +WSHAddressToString +WSHEnumProtocols +WSHGetBroadcastSockaddr +WSHGetProviderGuid +WSHGetSockaddrType +WSHGetSocketInformation +WSHGetWSAProtocolInfo +WSHGetWildcardSockaddr +WSHGetWinsockMapping +WSHIoctl +WSHJoinLeaf +WSHNotify +WSHOpenSocket +WSHOpenSocket2 +WSHSetSocketInformation +WSHStringToAddress diff --git a/lib/libc/mingw/libarm32/wsmagent.def b/lib/libc/mingw/libarm32/wsmagent.def new file mode 100644 index 0000000000..87011d8c72 --- /dev/null +++ b/lib/libc/mingw/libarm32/wsmagent.def @@ -0,0 +1,11 @@ +; +; Definition file of wsmagent.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wsmagent.DLL" +EXPORTS +??1CWSManCriticalSectionWithConditionVar@@QAA@XZ +?GetInitError@CWSManCriticalSection@@QBAKXZ +GetProviderClassID +MI_Main diff --git a/lib/libc/mingw/libarm32/wsmwmipl.def b/lib/libc/mingw/libarm32/wsmwmipl.def new file mode 100644 index 0000000000..29697ff8db --- /dev/null +++ b/lib/libc/mingw/libarm32/wsmwmipl.def @@ -0,0 +1,46 @@ +; +; Definition file of WsmWmiPl.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WsmWmiPl.DLL" +EXPORTS +??0?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??0?$SafeMap_Iterator@VKey@Locale@@K@@QAA@AAV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@_N@Z +??0?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@ABV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@_N@Z +??1?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??1?$SafeMap_Iterator@VKey@Locale@@K@@QAA@XZ +??1?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA@XZ +??1CWSManCriticalSectionWithConditionVar@@QAA@XZ +??_7?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@6B@ DATA +?Acquire@?$SafeMap@VKey@CWmiPtrCache@@VMapping@2@V?$SafeMap_Iterator@VKey@CWmiPtrCache@@VMapping@2@@@@@UBAXXZ +?Acquire@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UBAXXZ +?Acquire@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAAXXZ +?Acquired@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAA_NXZ +?AsReference@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QAAAAV1@XZ +?Data@?$SafeMap_Iterator@VKey@Locale@@K@@IBAAAV?$STLMap@VKey@Locale@@K@@XZ +?DeInitialize@?$SafeMap@VKey@CWmiPtrCache@@VMapping@2@V?$SafeMap_Iterator@VKey@CWmiPtrCache@@VMapping@2@@@@@UAA_NAAVIRequestContext@@@Z +?DeInitialize@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UAA_NAAVIRequestContext@@@Z +?GetInitError@CWSManCriticalSection@@QBAKXZ +?GetMap@?$SafeMap_Iterator@VKey@Locale@@K@@QBAAAV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@XZ +?GetMap@?$SafeMap_Lock@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@QBAABV?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@XZ +?Initialize@?$SafeMap@VKey@CWmiPtrCache@@VMapping@2@V?$SafeMap_Iterator@VKey@CWmiPtrCache@@VMapping@2@@@@@UAA_NAAVIRequestContext@@@Z +?Initialize@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UAA_NAAVIRequestContext@@@Z +?IsValid@?$SafeMap_Iterator@VKey@CWmiPtrCache@@VMapping@2@@@QBA_NXZ +?IsValid@?$SafeMap_Iterator@VKey@Locale@@K@@QBA_NXZ +?Release@?$SafeMap@VKey@CWmiPtrCache@@VMapping@2@V?$SafeMap_Iterator@VKey@CWmiPtrCache@@VMapping@2@@@@@UBAXXZ +?Release@?$SafeMap@VKey@Locale@@KV?$SafeMap_Iterator@VKey@Locale@@K@@@@UBAXXZ +?Reset@?$SafeMap_Iterator@VKey@Locale@@K@@QAAXXZ +?SkipOrphans@?$SafeMap_Iterator@VKey@Locale@@K@@IAAXXZ +WSManPluginShutdown +WSManPluginStartup +WSManProvCreate +WSManProvDelete +WSManProvEnumerate +WSManProvGet +WSManProvIdentify +WSManProvInvoke +WSManProvPullEvents +WSManProvPut +WSManProvSubscribe +WSManProvUnsubscribe diff --git a/lib/libc/mingw/libarm32/wsservice.def b/lib/libc/mingw/libarm32/wsservice.def new file mode 100644 index 0000000000..b493a10db5 --- /dev/null +++ b/lib/libc/mingw/libarm32/wsservice.def @@ -0,0 +1,9 @@ +; +; Definition file of WsService.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WsService.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wssync.def b/lib/libc/mingw/libarm32/wssync.def new file mode 100644 index 0000000000..631185256b --- /dev/null +++ b/lib/libc/mingw/libarm32/wssync.def @@ -0,0 +1,34 @@ +; +; Definition file of WSSync.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WSSync.dll" +EXPORTS +WSAcquireLicense +WSAcquireWindowsUpgradeLicense +WSCallActivateAppxLOBSKU +WSCreateAcquireLicenseChallenge +WSEvaluatePackageRemediationState +WSFulfillProduct +WSGetAddonKeyInstalledFlag +WSGetBase64EncodedActiveLicenseData +WSGetDebuggingHeader +WSGetLOBEnabledSKUFlag +WSGetLastSyncTime +WSGetLocalHardwareId +WSGetWindowsUpgradeToken +WSIsWindowsUpgradeLicensed +WSLicenseFree +WSLicenseGetDeviceList +WSLicenseGetMachineID +WSLicenseGetMyAppsList +WSLicenseGetOemLicenseList +WSLicenseInitialize +WSLicenseParseReceiptResponse +WSLicenseRemoveDevice +WSParseLicenseResponse +WSSetDebuggingHeader +WSSyncLicenses +WSSyncMachineLicenses +g_bPrint DATA diff --git a/lib/libc/mingw/libarm32/wuaext.def b/lib/libc/mingw/libarm32/wuaext.def new file mode 100644 index 0000000000..ea102c5f42 --- /dev/null +++ b/lib/libc/mingw/libarm32/wuaext.def @@ -0,0 +1,11 @@ +; +; Definition file of wuaext.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wuaext.dll" +EXPORTS +IsWuAppDisabledByPolicy +GetAutoUpdateNotification +AutoUpdateNotificationSkipped +GetDaysWaitedForAutoUpdateNotification diff --git a/lib/libc/mingw/libarm32/wuaueng.def b/lib/libc/mingw/libarm32/wuaueng.def new file mode 100644 index 0000000000..c907d0e120 --- /dev/null +++ b/lib/libc/mingw/libarm32/wuaueng.def @@ -0,0 +1,17 @@ +; +; Definition file of wuaueng.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wuaueng.dll" +EXPORTS +GetAUOptionsEx +GeneralizeForImaging +ord_3 @3 +WUCheckForUpdatesAtShutdown +WUAutoUpdateAtShutdown +GetEngineStatusInfo +RegisterServiceVersion +ServiceHandler +ServiceMain +WUServiceMain diff --git a/lib/libc/mingw/libarm32/wudfcoinstaller.def b/lib/libc/mingw/libarm32/wudfcoinstaller.def new file mode 100644 index 0000000000..94a75bea39 --- /dev/null +++ b/lib/libc/mingw/libarm32/wudfcoinstaller.def @@ -0,0 +1,8 @@ +; +; Definition file of WUDFCoinstaller.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDFCoinstaller.dll" +EXPORTS +CoDeviceInstall diff --git a/lib/libc/mingw/libarm32/wudfplatform.def b/lib/libc/mingw/libarm32/wudfplatform.def new file mode 100644 index 0000000000..a90c58d6eb --- /dev/null +++ b/lib/libc/mingw/libarm32/wudfplatform.def @@ -0,0 +1,20 @@ +; +; Definition file of WUDFPlatform.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDFPlatform.dll" +EXPORTS +GetPlatformObject +ClearPlatformTestingCallbacks +GetAndInitializePlatformObject +InitializePlatformLibrary +PlatformUnhandledExceptionFilter +SetPlatformTestingCallbacks +ShutdownPlatformLibrary +WdfGetLpcInterface +WudfDebugBreakPoint +WudfIsAnyDebuggerPresent +WudfIsKernelDebuggerPresent +WudfIsUserDebuggerPresent +WudfWaitForDebugger diff --git a/lib/libc/mingw/libarm32/wudfsvc.def b/lib/libc/mingw/libarm32/wudfsvc.def new file mode 100644 index 0000000000..c141c468d8 --- /dev/null +++ b/lib/libc/mingw/libarm32/wudfsvc.def @@ -0,0 +1,9 @@ +; +; Definition file of WUDFSvc.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDFSvc.dll" +EXPORTS +ServiceMain +SvchostPushServiceGlobals diff --git a/lib/libc/mingw/libarm32/wudfx.def b/lib/libc/mingw/libarm32/wudfx.def new file mode 100644 index 0000000000..bd29218d21 --- /dev/null +++ b/lib/libc/mingw/libarm32/wudfx.def @@ -0,0 +1,8 @@ +; +; Definition file of WUDFx.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDFx.DLL" +EXPORTS +Microsoft_WDF_UMDF_Version DATA diff --git a/lib/libc/mingw/libarm32/wudfx02000.def b/lib/libc/mingw/libarm32/wudfx02000.def new file mode 100644 index 0000000000..5cde39946d --- /dev/null +++ b/lib/libc/mingw/libarm32/wudfx02000.def @@ -0,0 +1,9 @@ +; +; Definition file of WUDFx02000.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDFx02000.DLL" +EXPORTS +FxFrameworkEntryUm +Microsoft_WDF_UMDF_Version DATA diff --git a/lib/libc/mingw/libarm32/wudriver.def b/lib/libc/mingw/libarm32/wudriver.def new file mode 100644 index 0000000000..e8d292b8be --- /dev/null +++ b/lib/libc/mingw/libarm32/wudriver.def @@ -0,0 +1,17 @@ +; +; Definition file of WUDriver.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUDriver.dll" +EXPORTS +CancelCDMOperation +CloseCDMContext +DetFilesDownloaded +DownloadIsInternetAvailable +DownloadUpdatedFiles +FindMatchingDriver +LogDriverNotFound +OpenCDMContext +OpenCDMContextEx +QueryDetectionFiles diff --git a/lib/libc/mingw/libarm32/wusettingsprovider.def b/lib/libc/mingw/libarm32/wusettingsprovider.def new file mode 100644 index 0000000000..c04bb9fb31 --- /dev/null +++ b/lib/libc/mingw/libarm32/wusettingsprovider.def @@ -0,0 +1,8 @@ +; +; Definition file of WUSettingsProvider.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WUSettingsProvider.dll" +EXPORTS +GetSetting diff --git a/lib/libc/mingw/libarm32/wwaninst.def b/lib/libc/mingw/libarm32/wwaninst.def new file mode 100644 index 0000000000..4a7ba5f0e4 --- /dev/null +++ b/lib/libc/mingw/libarm32/wwaninst.def @@ -0,0 +1,8 @@ +; +; Definition file of wwaninst.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wwaninst.dll" +EXPORTS +WwanDeviceClassCoInstaller diff --git a/lib/libc/mingw/libarm32/wwanmm.def b/lib/libc/mingw/libarm32/wwanmm.def new file mode 100644 index 0000000000..2687a7a8ab --- /dev/null +++ b/lib/libc/mingw/libarm32/wwanmm.def @@ -0,0 +1,8 @@ +; +; Definition file of WWanMM.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WWanMM.dll" +EXPORTS +StartDiagnosticsW diff --git a/lib/libc/mingw/libarm32/wwanprotdim.def b/lib/libc/mingw/libarm32/wwanprotdim.def new file mode 100644 index 0000000000..a2d54dbca4 --- /dev/null +++ b/lib/libc/mingw/libarm32/wwanprotdim.def @@ -0,0 +1,8 @@ +; +; Definition file of NDIS_60_WMI.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "NDIS_60_WMI.DLL" +EXPORTS +DimInitialize diff --git a/lib/libc/mingw/libarm32/wwansvc.def b/lib/libc/mingw/libarm32/wwansvc.def new file mode 100644 index 0000000000..0ebdceae96 --- /dev/null +++ b/lib/libc/mingw/libarm32/wwansvc.def @@ -0,0 +1,9 @@ +; +; Definition file of WWANSVC.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "WWANSVC.DLL" +EXPORTS +SvchostPushServiceGlobals +WwanSvcMain diff --git a/lib/libc/mingw/libarm32/wwapi.def b/lib/libc/mingw/libarm32/wwapi.def new file mode 100644 index 0000000000..5b3ed8cfd5 --- /dev/null +++ b/lib/libc/mingw/libarm32/wwapi.def @@ -0,0 +1,50 @@ +; +; Definition file of wwapi.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "wwapi.dll" +EXPORTS +Wwan2CloseDeviceServiceCommandSession +Wwan2CloseDeviceServiceDataSession +Wwan2CloseHandle +Wwan2EnumerateDeviceServices +Wwan2OpenDeviceServiceCommandSession +Wwan2OpenDeviceServiceDataSession +Wwan2OpenHandle +Wwan2QueryDeviceServiceSupportedCommands +Wwan2QueryInterfaces +Wwan2RegisterNotification +Wwan2SendDeviceServiceCommand +Wwan2SubscribePowerStateEvents +Wwan2WriteDeviceServiceData +WwanAllocateMemory +WwanAuthChallenge +WwanCloseHandle +WwanConnect +WwanConnectAdditionalPdpContext +WwanConnectByActivityId +WwanConvertToInterfaceObject +WwanDeleteProfile +WwanDisconnect +WwanEnumerateInterfaces +WwanFreeMemory +WwanGetProfile +WwanGetProfileHomeProviderName +WwanGetProfileIndex +WwanGetProfileIstream +WwanGetProfileList +WwanGetProfileMetaData +WwanOpenHandle +WwanQueryInterface +WwanRegister +WwanRegisterNotification +WwanScan +WwanSetInterface +WwanSetProfile +WwanSetProfileMetaData +WwanSetSmsConfiguration +WwanSmsDelete +WwanSmsRead +WwanSmsSend +WwanUssdRequest diff --git a/lib/libc/mingw/libarm32/xpsprint.def b/lib/libc/mingw/libarm32/xpsprint.def new file mode 100644 index 0000000000..994c90e05c --- /dev/null +++ b/lib/libc/mingw/libarm32/xpsprint.def @@ -0,0 +1,13 @@ +; +; Definition file of XPSPRINT.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "XPSPRINT.DLL" +EXPORTS +ord_3 @3 +ord_5 @5 +ord_7 @7 +ord_9 @9 +StartXpsPrintJob +StartXpsPrintJob1 diff --git a/lib/libc/mingw/libarm32/xpsrasterservice.def b/lib/libc/mingw/libarm32/xpsrasterservice.def new file mode 100644 index 0000000000..e8a62d1afc --- /dev/null +++ b/lib/libc/mingw/libarm32/xpsrasterservice.def @@ -0,0 +1,9 @@ +; +; Definition file of XpsRasterService.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "XpsRasterService.DLL" +EXPORTS +ord_1 @1 +DrvPopulateFilterServices diff --git a/lib/libc/mingw/libarm32/xpssvcs.def b/lib/libc/mingw/libarm32/xpssvcs.def new file mode 100644 index 0000000000..fffdd8a138 --- /dev/null +++ b/lib/libc/mingw/libarm32/xpssvcs.def @@ -0,0 +1,16 @@ +; +; Definition file of XpsSvcs.DLL +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "XpsSvcs.DLL" +EXPORTS +DDLogHelper +CreateContainerConsumer +CreateContainerProducer +CreateReachPackageReceiver +CreateReachPackageSender +CreateSeekableBuffer +CreateStreamReceiverOnFileHandle +CreateStreamSenderOnFileHandle +CreateStreamSenderOnIStream diff --git a/lib/libc/mingw/libarm32/xwizards.def b/lib/libc/mingw/libarm32/xwizards.def new file mode 100644 index 0000000000..16c07c4e5b --- /dev/null +++ b/lib/libc/mingw/libarm32/xwizards.def @@ -0,0 +1,26 @@ +; +; Definition file of xwizards.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "xwizards.dll" +EXPORTS +ProcessXMLFileA +ProcessXMLFileW +ResetRegistrationA +ResetRegistrationW +RunPropertySheetA +RunPropertySheetW +RunWizardA +RunWizardW +XWProcessXMLFile +XWRegisterHost +XWRegisterPageWithPage +XWRegisterPageWithTask +XWRegisterTaskWithHost +XWUnregisterHost +XWUnregisterHostTaskLink +XWUnregisterPage +XWUnregisterPagesLink +XWUnregisterTask +XWUnregisterTaskPageLink diff --git a/lib/libc/mingw/libarm32/zipfldr.def b/lib/libc/mingw/libarm32/zipfldr.def new file mode 100644 index 0000000000..0f20e66358 --- /dev/null +++ b/lib/libc/mingw/libarm32/zipfldr.def @@ -0,0 +1,8 @@ +; +; Definition file of ZIPFLDR.dll +; Automatic generated by gendef +; written by Kai Tietz 2008-2014 +; +LIBRARY "ZIPFLDR.dll" +EXPORTS +RouteTheCall diff --git a/lib/libc/mingw/libsrc/uuid.c b/lib/libc/mingw/libsrc/uuid.c index 8dfcb0813f..533f1aa007 100644 --- a/lib/libc/mingw/libsrc/uuid.c +++ b/lib/libc/mingw/libsrc/uuid.c @@ -14,6 +14,7 @@ #define INITGUID #include +#include #include #include #include @@ -24,7 +25,16 @@ #include #include #include + #include +#include +#include +#include +#include +#include +#include +#include + #include #include #include diff --git a/lib/libc/mingw/math/abs64.c b/lib/libc/mingw/math/abs64.c deleted file mode 100644 index 3f2133a8c1..0000000000 --- a/lib/libc/mingw/math/abs64.c +++ /dev/null @@ -1,6 +0,0 @@ -#include -#include - -__MINGW_EXTENSION __int64 __cdecl _abs64(__int64 x) { - return llabs(x); -} diff --git a/lib/libc/mingw/math/fp_consts.h b/lib/libc/mingw/math/fp_consts.h index bcd173e3a0..dc042409f1 100644 --- a/lib/libc/mingw/math/fp_consts.h +++ b/lib/libc/mingw/math/fp_consts.h @@ -12,23 +12,19 @@ initial significand bit of 1. A SNaN has has an exponent of all 1 values and initial significand bit of 0 (with one or more other significand bits of 1). An Inf has significand of 0 and exponent of all 1 values. A denormal value has all exponent bits of 0. - -The following does _not_ follow those rules, but uses values -equal to those exported from MS C++ runtime lib, msvcprt.dll -for float and double. MSVC however, does not have long doubles. */ #define __DOUBLE_INF_REP { 0, 0, 0, 0x7ff0 } -#define __DOUBLE_QNAN_REP { 0, 0, 0, 0xfff8 } /* { 0, 0, 0, 0x7ff8 } */ -#define __DOUBLE_SNAN_REP { 0, 0, 0, 0xfff0 } /* { 1, 0, 0, 0x7ff0 } */ +#define __DOUBLE_QNAN_REP { 0, 0, 0, 0x7ff8 } +#define __DOUBLE_SNAN_REP { 0, 0, 0, 0x7ff0 } #define __DOUBLE_DENORM_REP {1, 0, 0, 0} #define D_NAN_MASK 0x7ff0000000000000LL /* this will mask NaN's and Inf's */ #define __FLOAT_INF_REP { 0, 0x7f80 } -#define __FLOAT_QNAN_REP { 0, 0xffc0 } /* { 0, 0x7fc0 } */ -#define __FLOAT_SNAN_REP { 0, 0xff80 } /* { 1, 0x7f80 } */ +#define __FLOAT_QNAN_REP { 0, 0x7fc0 } +#define __FLOAT_SNAN_REP { 0, 0x7f80 } #define __FLOAT_DENORM_REP {1,0} #define F_NAN_MASK 0x7f800000 @@ -38,8 +34,8 @@ for float and double. MSVC however, does not have long doubles. Padded to 96 bits */ #define __LONG_DOUBLE_INF_REP { 0, 0, 0, 0x8000, 0x7fff, 0 } -#define __LONG_DOUBLE_QNAN_REP { 0, 0, 0, 0xc000, 0xffff, 0 } -#define __LONG_DOUBLE_SNAN_REP { 0, 0, 0, 0x8000, 0xffff, 0 } +#define __LONG_DOUBLE_QNAN_REP { 0, 0, 0, 0xc000, 0x7fff, 0 } +#define __LONG_DOUBLE_SNAN_REP { 0, 0, 0, 0x8000, 0x7fff, 0 } #define __LONG_DOUBLE_DENORM_REP {1, 0, 0, 0, 0, 0} union _ieee_rep diff --git a/lib/libc/mingw/math/lrint.c b/lib/libc/mingw/math/lrint.c index ec80e4e557..7831446be6 100644 --- a/lib/libc/mingw/math/lrint.c +++ b/lib/libc/mingw/math/lrint.c @@ -5,10 +5,16 @@ */ #include +#if defined(_AMD64_) || defined(__x86_64__) +#include +#endif + long lrint (double x) { long retval = 0L; -#if defined(_AMD64_) || defined(__x86_64__) || defined(_X86_) || defined(__i386__) +#if defined(_AMD64_) || defined(__x86_64__) + retval = _mm_cvtsd_si32(_mm_load_sd(&x)); +#elif defined(_X86_) || defined(__i386__) __asm__ __volatile__ ("fistpl %0" : "=m" (retval) : "t" (x) : "st"); #elif defined(__arm__) || defined(_ARM_) float temp; diff --git a/lib/libc/mingw/math/lrintf.c b/lib/libc/mingw/math/lrintf.c index 91fc5e12e5..1e8902f031 100644 --- a/lib/libc/mingw/math/lrintf.c +++ b/lib/libc/mingw/math/lrintf.c @@ -5,10 +5,16 @@ */ #include +#if defined(_AMD64_) || defined(__x86_64__) +#include +#endif + long lrintf (float x) { long retval = 0l; -#if defined(_AMD64_) || defined(__x86_64__) || defined(_X86_) || defined(__i386__) +#if defined(_AMD64_) || defined(__x86_64__) + retval = _mm_cvtss_si32(_mm_load_ss(&x)); +#elif defined(_X86_) || defined(__i386__) __asm__ __volatile__ ("fistpl %0" : "=m" (retval) : "t" (x) : "st"); #elif defined(__arm__) || defined(_ARM_) __asm__ __volatile__ ( diff --git a/lib/libc/mingw/math/powi.def.h b/lib/libc/mingw/math/powi.def.h index 1997727fd3..bc57fb0f1a 100644 --- a/lib/libc/mingw/math/powi.def.h +++ b/lib/libc/mingw/math/powi.def.h @@ -68,6 +68,22 @@ #include #include +static __FLT_TYPE do_powi_iter(__FLT_TYPE d, int y) +{ + unsigned int u = (unsigned int) y; + __FLT_TYPE rslt = ((u & 1) != 0) ? d : __FLT_CST(1.0); + u >>= 1; + do + { + d *= d; + if ((u & 1) != 0) + rslt *= d; + u >>= 1; + } + while (u > 0); + return rslt; +} + __FLT_TYPE __cdecl __FLT_ABI(__powi) (__FLT_TYPE x, int y); @@ -76,6 +92,7 @@ __FLT_ABI(__powi) (__FLT_TYPE x, int y) { int x_class = fpclassify (x); int odd_y = y & 1; + int recip = 0; __FLT_TYPE d, rslt; if (y == 0 || x == __FLT_CST(1.0)) @@ -125,7 +142,8 @@ __FLT_ABI(__powi) (__FLT_TYPE x, int y) if (y < 0) { - d = __FLT_CST(1.0) / d; + /* By default, do the reciprocal of the result. */ + recip = 1; y = -y; } @@ -135,18 +153,21 @@ __FLT_ABI(__powi) (__FLT_TYPE x, int y) rslt = d; else { - unsigned int u = (unsigned int) y; - rslt = ((u & 1) != 0) ? d : __FLT_CST(1.0); - u >>= 1; - do - { - d *= d; - if ((u & 1) != 0) - rslt *= d; - u >>= 1; - } - while (u > 0); + rslt = do_powi_iter(d, y); + if (recip && fpclassify(rslt) == FP_INFINITE && d > __FLT_CST(1.0)) + { + /* Uncommon case - we had overflow, but we're going to calculate + the reciprocal. If this happened, redo the calculation by doing + the reciprocal upfront instead. Instead of trying to calculate + whether this will happen, we prefer keeping the default case + cheap. */ + d = __FLT_CST(1.0) / d; + recip = 0; + rslt = do_powi_iter(d, y); + } } + if (recip) + rslt = __FLT_CST(1.0) / rslt; if (signbit (x) && odd_y) rslt = -rslt; return rslt; diff --git a/lib/libc/mingw/stdio/mingw_snprintfw.c b/lib/libc/mingw/misc/__initenv.c similarity index 51% rename from lib/libc/mingw/stdio/mingw_snprintfw.c rename to lib/libc/mingw/misc/__initenv.c index b31cda2aec..31fd87525b 100644 --- a/lib/libc/mingw/stdio/mingw_snprintfw.c +++ b/lib/libc/mingw/misc/__initenv.c @@ -3,7 +3,10 @@ * This file is part of the mingw-w64 runtime package. * No warranty is given; refer to the file DISCLAIMER.PD within this package. */ -#define __BUILD_WIDEAPI 1 -#include "mingw_snprintf.c" +#include +static char ** local__initenv; +static wchar_t ** local__winitenv; +char *** __MINGW_IMP_SYMBOL(__initenv) = &local__initenv; +wchar_t *** __MINGW_IMP_SYMBOL(__winitenv) = &local__winitenv; diff --git a/lib/libc/mingw/misc/basename.c b/lib/libc/mingw/misc/basename.c deleted file mode 100644 index c45dbbb363..0000000000 --- a/lib/libc/mingw/misc/basename.c +++ /dev/null @@ -1,135 +0,0 @@ -/* basename.c - * - * $Id: basename.c,v 1.2 2007/03/08 23:15:58 keithmarshall Exp $ - * - * Provides an implementation of the "basename" function, conforming - * to SUSv3, with extensions to accommodate Win32 drive designators, - * and suitable for use on native Microsoft(R) Win32 platforms. - * - * Written by Keith Marshall - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ - -#include -#include -#include -#include -#include - -#ifndef __cdecl -#define __cdecl -#endif - -char * __cdecl -basename (char *path) -{ - static char *retfail = NULL; - size_t len; - /* to handle path names for files in multibyte character locales, - * we need to set up LC_CTYPE to match the host file system locale - */ - char *locale = setlocale (LC_CTYPE, NULL); - - if (locale != NULL) - locale = strdup (locale); - setlocale (LC_CTYPE, ""); - - if (path && *path) - { - /* allocate sufficient local storage space, - * in which to create a wide character reference copy of path - */ - wchar_t refcopy[1 + (len = mbstowcs (NULL, path, 0))]; - /* create the wide character reference copy of path, - * and step over the drive designator, if present ... - */ - wchar_t *refpath = refcopy; - - if ((len = mbstowcs( refpath, path, len)) > 1 && refpath[1] == L':') - { - /* FIXME: maybe should confirm *refpath is a valid drive designator */ - refpath += 2; - } - /* ensure that our wide character reference path is NUL terminated */ - refcopy[len] = L'\0'; - /* check again, just to ensure we still have a non-empty path name ... */ - if (*refpath) - { - /* and, when we do, process it in the wide character domain ... - * scanning from left to right, to the char after the final dir separator. */ - wchar_t *refname; - - for (refname = refpath; *refpath; ++refpath) - { - if (*refpath == L'/' || *refpath == L'\\') - { - /* we found a dir separator ... - * step over it, and any others which immediately follow it. */ - while (*refpath == L'/' || *refpath == L'\\') - ++refpath; - /* if we didn't reach the end of the path string ... */ - if (*refpath) - /* then we have a new candidate for the base name. */ - refname = refpath; - /* otherwise ... - * strip off any trailing dir separators which we found. */ - else - while (refpath > refname - && (*--refpath == L'/' || *refpath == L'\\') ) - *refpath = L'\0'; - } - } - /* in the wide character domain ... - * refname now points at the resolved base name ... */ - if (*refname) - { - /* if it's not empty, - * then we transform the full normalised path back into - * the multibyte character domain, and skip over the dirname, - * to return the resolved basename. */ - if ((len = wcstombs( path, refcopy, len)) != (size_t)(-1)) - path[len] = '\0'; - *refname = L'\0'; - if ((len = wcstombs( NULL, refcopy, 0 )) != (size_t)(-1)) - path += len; - } - else - { - /* the basename is empty, so return the default value of "/", - * transforming from wide char to multibyte char domain, and - * returning it in our own buffer. */ - retfail = realloc (retfail, len = 1 + wcstombs (NULL, L"/", 0)); - wcstombs (path = retfail, L"/", len); - } - /* restore the caller's locale, clean up, and return the result */ - setlocale (LC_CTYPE, locale); - free (locale); - return path; - } - /* or we had an empty residual path name, after the drive designator, - * in which case we simply fall through ... */ - } - /* and, if we get to here ... - * the path name is either NULL, or it decomposes to an empty string; - * in either case, we return the default value of "." in our own buffer, - * reloading it with the correct value, transformed from the wide char - * to the multibyte char domain, just in case the caller trashed it - * after a previous call. - */ - retfail = realloc (retfail, len = 1 + wcstombs( NULL, L".", 0)); - wcstombs (retfail, L".", len); - - /* restore the caller's locale, clean up, and return the result. */ - setlocale (LC_CTYPE, locale); - free (locale); - return retfail; -} diff --git a/lib/libc/mingw/misc/delayimp.c b/lib/libc/mingw/misc/delayimp.c index 26afde8079..ca4b51ad16 100644 --- a/lib/libc/mingw/misc/delayimp.c +++ b/lib/libc/mingw/misc/delayimp.c @@ -47,7 +47,6 @@ static unsigned IndexFromPImgThunkData(PCImgThunkData pitdCur,PCImgThunkData pit return (unsigned) (pitdCur - pitdBase); } -#define __ImageBase __MINGW_LSYMBOL(_image_base__) extern IMAGE_DOS_HEADER __ImageBase; #define PtrFromRVA(RVA) (((PBYTE)&__ImageBase) + (RVA)) diff --git a/lib/libc/mingw/misc/dirname.c b/lib/libc/mingw/misc/dirname.c index 9c5cf87db4..7e6c8d58a3 100644 --- a/lib/libc/mingw/misc/dirname.c +++ b/lib/libc/mingw/misc/dirname.c @@ -1,183 +1,277 @@ -/* dirname.c +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ +#ifndef WIN32_LEAN_AND_MEAN +#define WIN32_LEAN_AND_MEAN +#endif +#include +#include +#include + +/* A 'directory separator' is a byte that equals 0x2F ('solidus' or more + * commonly 'forward slash') or 0x5C ('reverse solidus' or more commonly + * 'backward slash'). The byte 0x5C may look different from a backward slash + * in some locales; for example, it looks the same as a Yen sign in Japanese + * locales and a Won sign in Korean locales. Despite its appearance, it still + * functions as a directory separator. * - * $Id: dirname.c,v 1.2 2007/03/08 23:15:58 keithmarshall Exp $ + * A 'path' comprises an optional DOS drive letter with a colon, and then an + * arbitrary number of possibily empty components, separated by non-empty + * sequences of directory separators (in other words, consecutive directory + * separators are treated as a single one). A path that comprises an empty + * component denotes the current working directory. * - * Provides an implementation of the "dirname" function, conforming - * to SUSv3, with extensions to accommodate Win32 drive designators, - * and suitable for use on native Microsoft(R) Win32 platforms. + * An 'absolute path' comprises at least two components, the first of which + * is empty. * - * Written by Keith Marshall + * A 'relative path' is a path that is not an absolute path. In other words, + * it either comprises an empty component, or begins with a non-empty + * component. * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. + * POSIX doesn't have a concept about DOS drives. A path that does not have a + * drive letter starts from the same drive as the current working directory. * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. + * For example: + * (Examples without drive letters match POSIX.) * + * Argument dirname() returns basename() returns + * -------- ----------------- ------------------ + * `` or NULL `.` `.` + * `usr` `.` `usr` + * `usr\` `.` `usr` + * `\` `\` `\` + * `\usr` `\` `usr` + * `\usr\lib` `\usr` `lib` + * `\home\\dwc\\test` `\home\\dwc` `test` + * `\\host\usr` `\\host\.` `usr` + * `\\host\usr\lib` `\\host\usr` `lib` + * `\\host\\usr` `\\host\\` `usr` + * `\\host\\usr\lib` `\\host\\usr` `lib` + * `C:` `C:.` `.` + * `C:usr` `C:.` `usr` + * `C:usr\` `C:.` `usr` + * `C:\` `C:\` `\` + * `C:\\` `C:\` `\` + * `C:\\\` `C:\` `\` + * `C:\usr` `C:\` `usr` + * `C:\usr\lib` `C:\usr` `lib` + * `C:\\usr\\lib\\` `C:\\usr` `lib` + * `C:\home\\dwc\\test` `C:\home\\dwc` `test` */ -#include -#include -#include -#include -#include +struct path_info + { + /* This points to end of the UNC prefix and drive letter, if any. */ + char* prefix_end; -#ifndef __cdecl /* If compiling on any non-Win32 platform ... */ -#define __cdecl /* this may not be defined. */ -#endif + /* These point to the directory separator in front of the last non-empty + * component. */ + char* base_sep_begin; + char* base_sep_end; -char * __cdecl -dirname(char *path) -{ - static char *retfail = NULL; - size_t len; - /* to handle path names for files in multibyte character locales, - * we need to set up LC_CTYPE to match the host file system locale. */ - char *locale = setlocale (LC_CTYPE, NULL); + /* This points to the last directory separator sequence if no other + * non-separator characters follow it. */ + char* term_sep_begin; - if (locale != NULL) - locale = strdup (locale); - setlocale (LC_CTYPE, ""); + /* This points to the end of the string. */ + char* path_end; + }; - if (path && *path) - { - /* allocate sufficient local storage space, - * in which to create a wide character reference copy of path. */ - wchar_t refcopy[1 + (len = mbstowcs (NULL, path, 0))]; - /* create the wide character reference copy of path */ - wchar_t *refpath = refcopy; +#define IS_DIR_SEP(c) ((c) == '/' || (c) == '\\') - len = mbstowcs (refpath, path, len); - refcopy[len] = L'\0'; - /* SUSv3 identifies a special case, where path is exactly equal to "//"; - * (we will also accept "\\" in the Win32 context, but not "/\" or "\/", - * and neither will we consider paths with an initial drive designator). - * For this special case, SUSv3 allows the implementation to choose to - * return "/" or "//", (or "\" or "\\", since this is Win32); we will - * simply return the path unchanged, (i.e. "//" or "\\"). */ - if (len > 1 && (refpath[0] == L'/' || refpath[0] == L'\\')) - { - if (refpath[1] == refpath[0] && refpath[2] == L'\0') - { - setlocale (LC_CTYPE, locale); - free (locale); - return path; - } +static +void +do_get_path_info(struct path_info* info, char* path) + { + char* pos = path; + int unc_ncoms = 0; + DWORD cp; + int dbcs_tb, prev_dir_sep, dir_sep; + + /* Get the code page for paths in the same way as `fopen()`. */ + cp = AreFileApisANSI() ? CP_ACP : CP_OEMCP; + + /* Set the structure to 'no data'. */ + info->prefix_end = NULL; + info->base_sep_begin = NULL; + info->base_sep_end = NULL; + info->term_sep_begin = NULL; + + if(IS_DIR_SEP(pos[0]) && IS_DIR_SEP(pos[1])) { + /* The path is UNC. */ + pos += 2; + + /* Seek to the end of the share/device name. */ + dbcs_tb = 0; + prev_dir_sep = 0; + + while(*pos != 0) { + dir_sep = 0; + + if(dbcs_tb) + dbcs_tb = 0; + else if(IsDBCSLeadByteEx(cp, *pos)) + dbcs_tb = 1; + else + dir_sep = IS_DIR_SEP(*pos); + + /* If a separator has been encountered and the previous character + * was not, mark this as the end of the current component. */ + if(dir_sep && !prev_dir_sep) { + unc_ncoms ++; + + /* The first component is the host name, and the second is the + * share name. So we stop at the end of the second component. */ + if(unc_ncoms == 2) + break; } - /* For all other cases ... - * step over the drive designator, if present ... */ - else if (len > 1 && refpath[1] == L':') - { - /* FIXME: maybe should confirm *refpath is a valid drive designator. */ - refpath += 2; - } - /* check again, just to ensure we still have a non-empty path name ... */ - if (*refpath) - { -# undef basename -# define basename __the_basename /* avoid shadowing. */ - /* reproduce the scanning logic of the "basename" function - * to locate the basename component of the current path string, - * (but also remember where the dirname component starts). */ - wchar_t *refname, *basename; - for (refname = basename = refpath; *refpath; ++refpath) - { - if (*refpath == L'/' || *refpath == L'\\') - { - /* we found a dir separator ... - * step over it, and any others which immediately follow it. */ - while (*refpath == L'/' || *refpath == L'\\') - ++refpath; - /* if we didn't reach the end of the path string ... */ - if (*refpath) - /* then we have a new candidate for the base name. */ - basename = refpath; - else - /* we struck an early termination of the path string, - * with trailing dir separators following the base name, - * so break out of the for loop, to avoid overrun. */ - break; - } - } - /* now check, - * to confirm that we have distinct dirname and basename components. */ - if (basename > refname) - { - /* and, when we do ... - * backtrack over all trailing separators on the dirname component, - * (but preserve exactly two initial dirname separators, if identical), - * and add a NUL terminator in their place. */ - do --basename; - while (basename > refname && (*basename == L'/' || *basename == L'\\')); - if (basename == refname && (refname[0] == L'/' || refname[0] == L'\\') - && refname[1] == refname[0] && refname[2] != L'/' && refname[2] != L'\\') - ++basename; - *++basename = L'\0'; - /* if the resultant dirname begins with EXACTLY two dir separators, - * AND both are identical, then we preserve them. */ - refpath = refcopy; - while ((*refpath == L'/' || *refpath == L'\\')) - ++refpath; - if ((refpath - refcopy) > 2 || refcopy[1] != refcopy[0]) - refpath = refcopy; - /* and finally ... - * we remove any residual, redundantly duplicated separators from the dirname, - * reterminate, and return it. */ - refname = refpath; - while (*refpath) - { - if ((*refname++ = *refpath) == L'/' || *refpath++ == L'\\') - { - while (*refpath == L'/' || *refpath == L'\\') - ++refpath; - } - } - *refname = L'\0'; - /* finally ... - * transform the resolved dirname back into the multibyte char domain, - * restore the caller's locale, and return the resultant dirname. */ - if ((len = wcstombs( path, refcopy, len )) != (size_t)(-1)) - path[len] = '\0'; - } - else - { - /* either there were no dirname separators in the path name, - * or there was nothing else ... */ - if (*refname == L'/' || *refname == L'\\') - { - /* it was all separators, so return one. */ - ++refname; - } - else - { - /* there were no separators, so return '.'. */ - *refname++ = L'.'; - } - /* add a NUL terminator, in either case, - * then transform to the multibyte char domain, - * using our own buffer. */ - *refname = L'\0'; - retfail = realloc (retfail, len = 1 + wcstombs (NULL, refcopy, 0)); - wcstombs (path = retfail, refcopy, len); - } - /* restore caller's locale, clean up, and return the resolved dirname. */ - setlocale (LC_CTYPE, locale); - free (locale); - return path; - } -# undef basename + + prev_dir_sep = dir_sep; + pos ++; + } + + /* The UNC prefix terminates here. The terminating directory separator + * is not part of the prefix, and initiates a new absolute path. */ + info->prefix_end = pos; } - /* path is NULL, or an empty string; default return value is "." ... - * return this in our own buffer, regenerated by wide char transform, - * in case the caller trashed it after a previous call. - */ - retfail = realloc (retfail, len = 1 + wcstombs (NULL, L".", 0)); - wcstombs (retfail, L".", len); - /* restore caller's locale, clean up, and return the default dirname. */ - setlocale (LC_CTYPE, locale); - free (locale); - return retfail; -} + else if((pos[0] >= 'A' && pos[0] <= 'Z' && pos[1] == ':') + || (pos[0] >= 'a' && pos[0] <= 'z' && pos[1] == ':')) { + /* The path contains a DOS drive letter in the beginning. */ + pos += 2; + + /* The DOS drive prefix terminates here. Unlike UNC paths, the remaing + * part can be relative. For example, `C:foo` denotes `foo` in the + * working directory of drive `C:`. */ + info->prefix_end = pos; + } + + /* The remaining part of the path is almost the same as POSIX. */ + dbcs_tb = 0; + prev_dir_sep = 0; + + while(*pos != 0) { + dir_sep = 0; + + if(dbcs_tb) + dbcs_tb = 0; + else if(IsDBCSLeadByteEx(cp, *pos)) + dbcs_tb = 1; + else + dir_sep = IS_DIR_SEP(*pos); + + /* If a separator has been encountered and the previous character + * was not, mark this as the beginning of the terminating separator + * sequence. */ + if(dir_sep && !prev_dir_sep) + info->term_sep_begin = pos; + + /* If a non-separator character has been encountered and a previous + * terminating separator sequence exists, start a new component. */ + if(!dir_sep && prev_dir_sep) { + info->base_sep_begin = info->term_sep_begin; + info->base_sep_end = pos; + info->term_sep_begin = NULL; + } + + prev_dir_sep = dir_sep; + pos ++; + } + + /* Store the end of the path for convenience. */ + info->path_end = pos; + } + +char* +dirname(char* path) + { + struct path_info info; + char* upath; + const char* top; + static char* static_path_copy; + + if(path == NULL || path[0] == 0) + return (char*) "."; + + do_get_path_info(&info, path); + upath = info.prefix_end ? info.prefix_end : path; + top = (IS_DIR_SEP(path[0]) || IS_DIR_SEP(upath[0])) ? "\\" : "."; + + /* If a non-terminating directory separator exists, it terminates the + * dirname. Truncate the path there. */ + if(info.base_sep_begin) { + info.base_sep_begin[0] = 0; + + /* If the unprefixed path has not been truncated to empty, it is now + * the dirname, so return it. */ + if(upath[0]) + return path; + } + + /* The dirname is empty. In principle we return `.` if the + * path is relative and `\` if it is absolute. This can be + * optimized if there is no prefix. */ + if(upath == path) + return (char*) top; + + /* When there is a prefix, we must append a character to the prefix. + * If there is enough room in the original path, we just reuse its + * storage. */ + if(upath != info.path_end) { + upath[0] = *top; + upath[1] = 0; + return path; + } + + /* This is only the last resort. If there is no room, we have to copy + * the prefix elsewhere. */ + upath = realloc(static_path_copy, info.prefix_end - path + 2); + if(!upath) + return (char*) top; + + static_path_copy = upath; + memcpy(upath, path, info.prefix_end - path); + upath += info.prefix_end - path; + upath[0] = *top; + upath[1] = 0; + return static_path_copy; + } + +char* +basename(char* path) + { + struct path_info info; + char* upath; + + if(path == NULL || path[0] == 0) + return (char*) "."; + + do_get_path_info(&info, path); + upath = info.prefix_end ? info.prefix_end : path; + + /* If the path is non-UNC and empty, then it's relative. POSIX says '.' + * shall be returned. */ + if(IS_DIR_SEP(path[0]) == 0 && upath[0] == 0) + return (char*) "."; + + /* If a terminating separator sequence exists, it is not part of the + * name and shall be truncated. */ + if(info.term_sep_begin) + info.term_sep_begin[0] = 0; + + /* If some other separator sequence has been found, the basename + * immediately follows it. */ + if(info.base_sep_end) + return info.base_sep_end; + + /* If removal of the terminating separator sequence has caused the + * unprefixed path to become empty, it must have comprised only + * separators. POSIX says `/` shall be returned, but on Windows, we + * return `\` instead. */ + if(upath[0] == 0) + return (char*) "\\"; + + /* Return the unprefixed path. */ + return upath; + } diff --git a/lib/libc/mingw/misc/imaxabs.c b/lib/libc/mingw/misc/imaxabs.c index 2ee550d1e7..4f144a7ad5 100644 --- a/lib/libc/mingw/misc/imaxabs.c +++ b/lib/libc/mingw/misc/imaxabs.c @@ -16,7 +16,13 @@ #include intmax_t +__cdecl imaxabs (intmax_t _j) { return _j >= 0 ? _j : -_j; } +intmax_t (__cdecl *__MINGW_IMP_SYMBOL(imaxabs))(intmax_t) = imaxabs; -long long __attribute__ ((alias ("imaxabs"))) llabs (long long); +long long __attribute__ ((alias ("imaxabs"))) __cdecl llabs (long long); +long long (__cdecl *__MINGW_IMP_SYMBOL(llabs))(long long) = llabs; + +__int64 __attribute__ ((alias ("imaxabs"))) __cdecl _abs64 (__int64); +__int64 (__cdecl *__MINGW_IMP_SYMBOL(_abs64))(__int64) = _abs64; diff --git a/lib/libc/mingw/misc/imaxdiv.c b/lib/libc/mingw/misc/imaxdiv.c index 6faf4943a8..7db911fa94 100644 --- a/lib/libc/mingw/misc/imaxdiv.c +++ b/lib/libc/mingw/misc/imaxdiv.c @@ -19,6 +19,7 @@ #include imaxdiv_t +__cdecl imaxdiv(intmax_t numer, intmax_t denom) { imaxdiv_t result; @@ -26,6 +27,9 @@ imaxdiv(intmax_t numer, intmax_t denom) result.rem = numer % denom; return result; } +imaxdiv_t (__cdecl *__MINGW_IMP_SYMBOL(imaxdiv))(intmax_t, intmax_t) = imaxdiv; lldiv_t __attribute__ ((alias ("imaxdiv"))) +__cdecl lldiv (long long, long long); +lldiv_t (__cdecl *__MINGW_IMP_SYMBOL(lldiv))(long long, long long) = lldiv; diff --git a/lib/libc/mingw/misc/mkstemp.c b/lib/libc/mingw/misc/mkstemp.c index c78b7c5096..6b327f2fca 100644 --- a/lib/libc/mingw/misc/mkstemp.c +++ b/lib/libc/mingw/misc/mkstemp.c @@ -49,7 +49,7 @@ int __cdecl mkstemp (char *template_name) } fd = _sopen(template_name, _O_RDWR | _O_CREAT | _O_EXCL | _O_BINARY, - _SH_DENYRW, _S_IREAD | _S_IWRITE); + _SH_DENYNO, _S_IREAD | _S_IWRITE); if (fd != -1) return fd; if (fd == -1 && errno != EEXIST) return -1; } diff --git a/lib/libc/mingw/misc/strtoimax.c b/lib/libc/mingw/misc/strtoimax.c index 9e75f8a275..7f09869cb0 100644 --- a/lib/libc/mingw/misc/strtoimax.c +++ b/lib/libc/mingw/misc/strtoimax.c @@ -31,6 +31,7 @@ #define valid(n, b) ((n) >= 0 && (n) < (b)) intmax_t +__cdecl strtoimax(const char * __restrict__ nptr, char ** __restrict__ endptr, int base) { register uintmax_t accum; /* accumulates converted value */ @@ -109,6 +110,14 @@ strtoimax(const char * __restrict__ nptr, char ** __restrict__ endptr, int base) else return (intmax_t)(minus ? -accum : accum); } +intmax_t (__cdecl *__MINGW_IMP_SYMBOL(strtoimax))(const char* __restrict__, char ** __restrict__, int) = strtoimax; long long __attribute__ ((alias ("strtoimax"))) +__cdecl strtoll (const char* __restrict__ nptr, char ** __restrict__ endptr, int base); +long long (__cdecl *__MINGW_IMP_SYMBOL(strtoll))(const char* __restrict__, char ** __restrict__, int) = strtoll; + +__int64 __attribute__ ((alias ("strtoimax"))) +__cdecl +_strtoi64 (const char* __restrict__ nptr, char ** __restrict__ endptr, int base); +__int64 (__cdecl *__MINGW_IMP_SYMBOL(_strtoi64))(const char* __restrict__, char ** __restrict__, int) = _strtoi64; diff --git a/lib/libc/mingw/misc/strtoumax.c b/lib/libc/mingw/misc/strtoumax.c index 2c24db14d8..d47a7c90d8 100644 --- a/lib/libc/mingw/misc/strtoumax.c +++ b/lib/libc/mingw/misc/strtoumax.c @@ -31,6 +31,7 @@ #define valid(n, b) ((n) >= 0 && (n) < (b)) uintmax_t +__cdecl strtoumax(const char * __restrict__ nptr, char ** __restrict__ endptr, int base) { register uintmax_t accum; /* accumulates converted value */ @@ -107,6 +108,14 @@ strtoumax(const char * __restrict__ nptr, char ** __restrict__ endptr, int base) else return minus ? -accum : accum; /* (yes!) */ } +uintmax_t (__cdecl *__MINGW_IMP_SYMBOL(strtoumax))(const char* __restrict__, char ** __restrict__, int) = strtoumax; unsigned long long __attribute__ ((alias ("strtoumax"))) +__cdecl strtoull (const char* __restrict__ nptr, char ** __restrict__ endptr, int base); +unsigned long long (__cdecl *__MINGW_IMP_SYMBOL(strtoull))(const char* __restrict__, char ** __restrict__, int) = strtoull; + +unsigned __int64 __attribute__ ((alias ("strtoumax"))) +__cdecl +_strtoui64 (const char* __restrict__ nptr, char ** __restrict__ endptr, int base); +unsigned __int64 (__cdecl *__MINGW_IMP_SYMBOL(_strtoui64))(const char* __restrict__, char ** __restrict__, int) = _strtoui64; diff --git a/lib/libc/mingw/misc/uchar_c16rtomb.c b/lib/libc/mingw/misc/uchar_c16rtomb.c deleted file mode 100644 index 94a2aaad08..0000000000 --- a/lib/libc/mingw/misc/uchar_c16rtomb.c +++ /dev/null @@ -1,32 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -/* ISO C1x Unicode utilities - * Based on ISO/IEC SC22/WG14 9899 TR 19769 (SC22 N1326) - * - * THIS SOFTWARE IS NOT COPYRIGHTED - * - * This source code is offered for use in the public domain. You may - * use, modify or distribute it freely. - * - * This code is distributed in the hope that it will be useful but - * WITHOUT ANY WARRANTY. ALL WARRANTIES, EXPRESS OR IMPLIED ARE HEREBY - * DISCLAIMED. This includes but is not limited to warranties of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. - * - * Date: 2011-09-27 - */ - -#include -#include - -size_t c16rtomb (char *__restrict__ s, - char16_t c16, - mbstate_t *__restrict__ state) -{ -/* wchar_t should compatible to char16_t on Windows */ - return wcrtomb(s, c16, state); -} - diff --git a/lib/libc/mingw/misc/uchar_c32rtomb.c b/lib/libc/mingw/misc/uchar_c32rtomb.c deleted file mode 100644 index d05e6326fb..0000000000 --- a/lib/libc/mingw/misc/uchar_c32rtomb.c +++ /dev/null @@ -1,59 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -/* ISO C1x Unicode utilities - * Based on ISO/IEC SC22/WG14 9899 TR 19769 (SC22 N1326) - * - * THIS SOFTWARE IS NOT COPYRIGHTED - * - * This source code is offered for use in the public domain. You may - * use, modify or distribute it freely. - * - * This code is distributed in the hope that it will be useful but - * WITHOUT ANY WARRANTY. ALL WARRANTIES, EXPRESS OR IMPLIED ARE HEREBY - * DISCLAIMED. This includes but is not limited to warranties of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. - * - * Date: 2011-09-27 - */ - -#include -#include - -size_t c32rtomb (char *__restrict__ s, - char32_t c32, - mbstate_t *__restrict__ __UNUSED_PARAM(ps)) -{ - if (c32 <= 0x7F) /* 7 bits needs 1 byte */ - { - *s = (char)c32 & 0x7F; - return 1; - } - else if (c32 <= 0x7FF) /* 11 bits needs 2 bytes */ - { - s[1] = 0x80 | (char)(c32 & 0x3F); - s[0] = 0xC0 | (char)(c32 >> 6); - return 2; - } - else if (c32 <= 0xFFFF) /* 16 bits needs 3 bytes */ - { - s[2] = 0x80 | (char)(c32 & 0x3F); - s[1] = 0x80 | (char)((c32 >> 6) & 0x3F); - s[0] = 0xE0 | (char)(c32 >> 12); - return 3; - } - else if (c32 <= 0x1FFFFF) /* 21 bits needs 4 bytes */ - { - s[3] = 0x80 | (char)(c32 & 0x3F); - s[2] = 0x80 | (char)((c32 >> 6) & 0x3F); - s[1] = 0x80 | (char)((c32 >> 12) & 0x3F); - s[0] = 0xF0 | (char)(c32 >> 18); - return 4; - } - - errno = EILSEQ; - return (size_t)-1; -} - diff --git a/lib/libc/mingw/misc/uchar_mbrtoc16.c b/lib/libc/mingw/misc/uchar_mbrtoc16.c deleted file mode 100644 index 9de35fe074..0000000000 --- a/lib/libc/mingw/misc/uchar_mbrtoc16.c +++ /dev/null @@ -1,33 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -/* ISO C1x Unicode utilities - * Based on ISO/IEC SC22/WG14 9899 TR 19769 (SC22 N1326) - * - * THIS SOFTWARE IS NOT COPYRIGHTED - * - * This source code is offered for use in the public domain. You may - * use, modify or distribute it freely. - * - * This code is distributed in the hope that it will be useful but - * WITHOUT ANY WARRANTY. ALL WARRANTIES, EXPRESS OR IMPLIED ARE HEREBY - * DISCLAIMED. This includes but is not limited to warranties of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. - * - * Date: 2011-09-27 - */ - -#include -#include - -size_t mbrtoc16 (char16_t *__restrict__ pc16, - const char *__restrict__ s, - size_t n, - mbstate_t *__restrict__ state) -{ -/* wchar_t should compatible to char16_t on Windows */ - return mbrtowc((wchar_t *)pc16, s, n, state); -} - diff --git a/lib/libc/mingw/misc/uchar_mbrtoc32.c b/lib/libc/mingw/misc/uchar_mbrtoc32.c deleted file mode 100644 index 1d63e5ceb5..0000000000 --- a/lib/libc/mingw/misc/uchar_mbrtoc32.c +++ /dev/null @@ -1,72 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -/* ISO C1x Unicode utilities - * Based on ISO/IEC SC22/WG14 9899 TR 19769 (SC22 N1326) - * - * THIS SOFTWARE IS NOT COPYRIGHTED - * - * This source code is offered for use in the public domain. You may - * use, modify or distribute it freely. - * - * This code is distributed in the hope that it will be useful but - * WITHOUT ANY WARRANTY. ALL WARRANTIES, EXPRESS OR IMPLIED ARE HEREBY - * DISCLAIMED. This includes but is not limited to warranties of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. - * - * Date: 2011-09-27 - */ - -#include -#include - -size_t mbrtoc32 (char32_t *__restrict__ pc32, - const char *__restrict__ s, - size_t n, - mbstate_t *__restrict__ __UNUSED_PARAM(ps)) -{ - if (*s == 0) - { - *pc32 = 0; - return 0; - } - - /* ASCII character - high bit unset */ - if ((*s & 0x80) == 0) - { - *pc32 = *s; - return 1; - } - - /* Multibyte chars */ - if ((*s & 0xE0) == 0xC0) /* 110xxxxx needs 2 bytes */ - { - if (n < 2) - return (size_t)-2; - - *pc32 = ((s[0] & 31) << 6) | (s[1] & 63); - return 2; - } - else if ((*s & 0xf0) == 0xE0) /* 1110xxxx needs 3 bytes */ - { - if (n < 3) - return (size_t)-2; - - *pc32 = ((s[0] & 15) << 12) | ((s[1] & 63) << 6) | (s[2] & 63); - return 3; - } - else if ((*s & 0xF8) == 0xF0) /* 11110xxx needs 4 bytes */ - { - if (n < 4) - return (size_t)-2; - - *pc32 = ((s[0] & 7) << 18) | ((s[1] & 63) << 12) | ((s[2] & 63) << 6) | (s[4] & 63); - return 4; - } - - errno = EILSEQ; - return (size_t)-1; -} - diff --git a/lib/libc/mingw/secapi/rand_s.c b/lib/libc/mingw/secapi/rand_s.c index 7773d65ece..52700ba4fa 100644 --- a/lib/libc/mingw/secapi/rand_s.c +++ b/lib/libc/mingw/secapi/rand_s.c @@ -16,6 +16,12 @@ static errno_t __cdecl init_rand_s(unsigned int*); errno_t (__cdecl *__MINGW_IMP_SYMBOL(rand_s))(unsigned int*) = init_rand_s; +errno_t __cdecl +rand_s(unsigned int *val) +{ + return __MINGW_IMP_SYMBOL(rand_s)(val); +} + static errno_t __cdecl init_rand_s(unsigned int *val) { int (__cdecl *func)(unsigned int*); diff --git a/lib/libc/mingw/secapi/strerror_s.c b/lib/libc/mingw/secapi/strerror_s.c index 3a68360e56..1216c4131c 100644 --- a/lib/libc/mingw/secapi/strerror_s.c +++ b/lib/libc/mingw/secapi/strerror_s.c @@ -19,8 +19,10 @@ _stub (char *buffer, size_t numberOfElements, int errnum) f = (errno_t __cdecl (*)(char *, size_t, int)) GetProcAddress (__mingw_get_msvcrt_handle (), "strerror_s"); if (!f) + { f = _int_strerror_s; - __MINGW_IMP_SYMBOL(strerror_s) = f; + } + __MINGW_IMP_SYMBOL(strerror_s) = f; } return (*f)(buffer, numberOfElements, errnum); } diff --git a/lib/libc/mingw/stdio/_vscprintf.c b/lib/libc/mingw/stdio/_vscprintf.c index b859b9a2a0..bb596b4d67 100644 --- a/lib/libc/mingw/stdio/_vscprintf.c +++ b/lib/libc/mingw/stdio/_vscprintf.c @@ -15,7 +15,7 @@ static int __cdecl emu_vscprintf(const char * __restrict__ format, va_list argli { char *buffer, *new_buffer; size_t size; - int ret; + int ret = -1; /* if format is a null pointer, _vscprintf() returns -1 and sets errno to EINVAL */ if (!format) { diff --git a/lib/libc/mingw/stdio/atoll.c b/lib/libc/mingw/stdio/atoll.c index 39df0139f3..278c01cf92 100644 --- a/lib/libc/mingw/stdio/atoll.c +++ b/lib/libc/mingw/stdio/atoll.c @@ -6,5 +6,8 @@ #define __CRT__NO_INLINE #include -long long atoll (const char * _c) - { return _atoi64 (_c); } +long long __cdecl atoll(const char * nptr) { return strtoll(nptr, NULL, 10); } +long long (__cdecl *__MINGW_IMP_SYMBOL(atoll))(const char *) = atoll; + +__int64 __attribute__((alias("atoll"))) __cdecl _atoi64(const char * nptr); +__int64 (__cdecl *__MINGW_IMP_SYMBOL(_atoi64))(const char *) = _atoi64; diff --git a/lib/libc/mingw/stdio/mingw_asprintf.c b/lib/libc/mingw/stdio/mingw_asprintf.c deleted file mode 100644 index e55e235af0..0000000000 --- a/lib/libc/mingw/stdio/mingw_asprintf.c +++ /dev/null @@ -1,32 +0,0 @@ -#define _GNU_SOURCE -#define __CRT__NO_INLINE - -#include -#include -#include - -int __mingw_asprintf(char ** __restrict__ ret, - const char * __restrict__ format, - ...) { - va_list ap; - int len; - va_start(ap,format); - /* Get Length */ - len = __mingw_vsnprintf(NULL,0,format,ap); - if (len < 0) goto _end; - /* +1 for \0 terminator. */ - *ret = malloc(len + 1); - /* Check malloc fail*/ - if (!*ret) { - len = -1; - goto _end; - } - /* Write String */ - __mingw_vsnprintf(*ret,len+1,format,ap); - /* Terminate explicitly */ - (*ret)[len] = '\0'; - _end: - va_end(ap); - return len; -} - diff --git a/lib/libc/mingw/stdio/mingw_fprintf.c b/lib/libc/mingw/stdio/mingw_fprintf.c deleted file mode 100644 index 438941f7e3..0000000000 --- a/lib/libc/mingw/stdio/mingw_fprintf.c +++ /dev/null @@ -1,58 +0,0 @@ -/* fprintf.c - * - * $Id: fprintf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "fprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "fprintf" will normally be invoked by calling - * "__mingw_fprintf()" in preference to a direct reference to "fprintf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "fprint()". Users who then - * wish to use this implementation may either call "__mingw_fprintf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "fprintf()" to "__mingw_fprintf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "fprintf()" in user - * code will ALWAYS be redirected to "__mingw_fprintf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "fprintf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_fprintf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __fprintf (FILE *, const APICHAR *, ...) __MINGW_NOTHROW; - -int __cdecl __fprintf(FILE *stream, const APICHAR *fmt, ...) -{ - register int retval; - va_list argv; va_start( argv, fmt ); - _lock_file( stream ); - retval = __pformat( PFORMAT_TO_FILE | PFORMAT_NOLIMIT, stream, 0, fmt, argv ); - _unlock_file( stream ); - va_end( argv ); - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_fprintfw.c b/lib/libc/mingw/stdio/mingw_fprintfw.c deleted file mode 100644 index e5ea41ee49..0000000000 --- a/lib/libc/mingw/stdio/mingw_fprintfw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_fprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_fscanf.c b/lib/libc/mingw/stdio/mingw_fscanf.c deleted file mode 100644 index 0c5192a5c8..0000000000 --- a/lib/libc/mingw/stdio/mingw_fscanf.c +++ /dev/null @@ -1,21 +0,0 @@ -#include -#include -#include - -extern int __mingw_vfscanf (FILE *stream, const char *format, va_list argp); - -int __mingw_fscanf (FILE *stream, const char *format, ...); - -int -__mingw_fscanf (FILE *stream, const char *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vfscanf (stream, format, argp); - va_end (argp); - - return r; -} - diff --git a/lib/libc/mingw/stdio/mingw_fwscanf.c b/lib/libc/mingw/stdio/mingw_fwscanf.c deleted file mode 100644 index 018125ecf2..0000000000 --- a/lib/libc/mingw/stdio/mingw_fwscanf.c +++ /dev/null @@ -1,21 +0,0 @@ -#include -#include -#include - -extern int __mingw_vfwscanf (FILE *stream, const wchar_t *format, va_list argp); - -int __mingw_fwscanf (FILE *stream, const wchar_t *format, ...); - -int -__mingw_fwscanf (FILE *stream, const wchar_t *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vfwscanf (stream, format, argp); - va_end (argp); - - return r; -} - diff --git a/lib/libc/mingw/stdio/mingw_lock.c b/lib/libc/mingw/stdio/mingw_lock.c deleted file mode 100644 index ebc3c256fe..0000000000 --- a/lib/libc/mingw/stdio/mingw_lock.c +++ /dev/null @@ -1,102 +0,0 @@ -#define _CRTIMP -#include -#include -#include "internal.h" - -/*** - * Copy of MS functions _lock_file, _unlock_file which are missing from - * msvcrt.dll and msvcr80.dll. They are needed to atomic/lock stdio - * functions (printf, fprintf, vprintf, vfprintf). We need exactly the same - * lock that MS uses in msvcrt.dll because we can mix mingw-w64 code with - * original MS functions (puts, fputs for example). -***/ - - -_CRTIMP void __cdecl _lock(int locknum); -_CRTIMP void __cdecl _unlock(int locknum); -#define _STREAM_LOCKS 16 -#define _IOLOCKED 0x8000 - - -/*** -* _lock_file - Lock a FILE -* -*Purpose: -* Assert the lock for a stdio-level file -* -*Entry: -* pf = __piob[] entry (pointer to a FILE or _FILEX) -* -*Exit: -* -*Exceptions: -* -*******************************************************************************/ - -void __cdecl _lock_file( FILE *pf ) -{ - /* - * The way the FILE (pointed to by pf) is locked depends on whether - * it is part of _iob[] or not - */ - if ( (pf >= __acrt_iob_func(0)) && (pf <= __acrt_iob_func(_IOB_ENTRIES-1)) ) - { - /* - * FILE lies in _iob[] so the lock lies in _locktable[]. - */ - _lock( _STREAM_LOCKS + (int)(pf - __acrt_iob_func(0)) ); - /* We set _IOLOCKED to indicate we locked the stream */ - pf->_flag |= _IOLOCKED; - } - else - /* - * Not part of _iob[]. Therefore, *pf is a _FILEX and the - * lock field of the struct is an initialized critical - * section. - */ - EnterCriticalSection( &(((_FILEX *)pf)->lock) ); -} - -void *__MINGW_IMP_SYMBOL(_lock_file) = _lock_file; - - -/*** -* _unlock_file - Unlock a FILE -* -*Purpose: -* Release the lock for a stdio-level file -* -*Entry: -* pf = __piob[] entry (pointer to a FILE or _FILEX) -* -*Exit: -* -*Exceptions: -* -*******************************************************************************/ - -void __cdecl _unlock_file( FILE *pf ) -{ - /* - * The way the FILE (pointed to by pf) is unlocked depends on whether - * it is part of _iob[] or not - */ - if ( (pf >= __acrt_iob_func(0)) && (pf <= __acrt_iob_func(_IOB_ENTRIES-1)) ) - { - /* - * FILE lies in _iob[] so the lock lies in _locktable[]. - * We reset _IOLOCKED to indicate we unlock the stream. - */ - pf->_flag &= ~_IOLOCKED; - _unlock( _STREAM_LOCKS + (int)(pf - __acrt_iob_func(0)) ); - } - else - /* - * Not part of _iob[]. Therefore, *pf is a _FILEX and the - * lock field of the struct is an initialized critical - * section. - */ - LeaveCriticalSection( &(((_FILEX *)pf)->lock) ); -} - -void *__MINGW_IMP_SYMBOL(_unlock_file) = _unlock_file; diff --git a/lib/libc/mingw/stdio/mingw_pformat.c b/lib/libc/mingw/stdio/mingw_pformat.c deleted file mode 100644 index d9f5de7cef..0000000000 --- a/lib/libc/mingw/stdio/mingw_pformat.c +++ /dev/null @@ -1,3298 +0,0 @@ -/* pformat.c - * - * $Id: pformat.c,v 1.9 2011/01/07 22:57:00 keithmarshall Exp $ - * - * Provides a core implementation of the formatting capabilities - * common to the entire `printf()' family of functions; it conforms - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. - * - * Written by Keith Marshall - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - * The elements of this implementation which deal with the formatting - * of floating point numbers, (i.e. the `%e', `%E', `%f', `%F', `%g' - * and `%G' format specifiers, but excluding the hexadecimal floating - * point `%a' and `%A' specifiers), make use of the `__gdtoa' function - * written by David M. Gay, and are modelled on his sample code, which - * has been deployed under its accompanying terms of use:-- - * - ****************************************************************** - * Copyright (C) 1997, 1999, 2001 Lucent Technologies - * All Rights Reserved - * - * Permission to use, copy, modify, and distribute this software and - * its documentation for any purpose and without fee is hereby - * granted, provided that the above copyright notice appear in all - * copies and that both that the copyright notice and this - * permission notice and warranty disclaimer appear in supporting - * documentation, and that the name of Lucent or any of its entities - * not be used in advertising or publicity pertaining to - * distribution of the software without specific, written prior - * permission. - * - * LUCENT DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE, - * INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. - * IN NO EVENT SHALL LUCENT OR ANY OF ITS ENTITIES BE LIABLE FOR ANY - * SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES - * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER - * IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, - * ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF - * THIS SOFTWARE. - ****************************************************************** - * - */ - -#define __LARGE_MBSTATE_T - -#ifdef HAVE_CONFIG_H -#include "config.h" -#endif - -#include -#include -#include -#include -#include -#include -#include -#include -#include - -#ifdef __ENABLE_DFP -#ifndef __STDC_WANT_DEC_FP__ -#define __STDC_WANT_DEC_FP__ 1 -#endif - -#include "../math/DFP/dfp_internal.h" -#endif /* __ENABLE_DFP */ - -#include - -/* FIXME: The following belongs in values.h, but current MinGW - * has nothing useful there! OTOH, values.h is not a standard - * header, and its use may be considered obsolete; perhaps it - * is better to just keep these definitions here. - */ - -#include -/* workaround gcc bug */ -#if defined(__GNUC__) && !defined(__clang__) -#define ATTRIB_GCC_STRUCT __attribute__((gcc_struct)) -#else -#define ATTRIB_GCC_STRUCT -#endif -typedef struct ATTRIB_GCC_STRUCT __tI128 { - int64_t digits[2]; -} __tI128; - -typedef struct ATTRIB_GCC_STRUCT __tI128_2 { - uint32_t digits32[4]; -} __tI128_2; - -typedef union ATTRIB_GCC_STRUCT __uI128 { - __tI128 t128; - __tI128_2 t128_2; -} __uI128; -#include - -#ifndef _VALUES_H -/* - * values.h - * - */ -#define _VALUES_H - -#include - -#define _TYPEBITS(type) (sizeof(type) * CHAR_BIT) - -#if defined(__ENABLE_PRINTF128) || defined(__ENABLE_DFP) -#define LLONGBITS _TYPEBITS(__tI128) -#else -#define LLONGBITS _TYPEBITS(long long) -#endif - -#endif /* !defined _VALUES_H -- end of file */ - -#include "mingw_pformat.h" - -/* Bit-map constants, defining the internal format control - * states, which propagate through the flags. - */ -#define PFORMAT_GROUPED 0x00001000 -#define PFORMAT_HASHED 0x00000800 -#define PFORMAT_LJUSTIFY 0x00000400 -#define PFORMAT_ZEROFILL 0x00000200 - -#define PFORMAT_JUSTIFY (PFORMAT_LJUSTIFY | PFORMAT_ZEROFILL) -#define PFORMAT_IGNORE -1 - -#define PFORMAT_SIGNED 0x000001C0 -#define PFORMAT_POSITIVE 0x00000100 -#define PFORMAT_NEGATIVE 0x00000080 -#define PFORMAT_ADDSPACE 0x00000040 - -#define PFORMAT_XCASE 0x00000020 - -#define PFORMAT_LDOUBLE 0x00000004 - -#ifdef __ENABLE_DFP -#define PFORMAT_DECIM32 0x00020000 -#define PFORMAT_DECIM64 0x00040000 -#define PFORMAT_DECIM128 0x00080000 -#endif - -/* `%o' format digit extraction mask, and shift count... - * (These are constant, and do not propagate through the flags). - */ -#define PFORMAT_OMASK 0x00000007 -#define PFORMAT_OSHIFT 0x00000003 - -/* `%x' and `%X' format digit extraction mask, and shift count... - * (These are constant, and do not propagate through the flags). - */ -#define PFORMAT_XMASK 0x0000000F -#define PFORMAT_XSHIFT 0x00000004 - -/* The radix point character, used in floating point formats, is - * localised on the basis of the active LC_NUMERIC locale category. - * It is stored locally, as a `wchar_t' entity, which is converted - * to a (possibly multibyte) character on output. Initialisation - * of the stored `wchar_t' entity, together with a record of its - * effective multibyte character length, is required each time - * `__pformat()' is entered, (static storage would not be thread - * safe), but this initialisation is deferred until it is actually - * needed; on entry, the effective character length is first set to - * the following value, (and the `wchar_t' entity is zeroed), to - * indicate that a call of `localeconv()' is needed, to complete - * the initialisation. - */ -#define PFORMAT_RPINIT -3 - -/* The floating point format handlers return the following value - * for the radix point position index, when the argument value is - * infinite, or not a number. - */ -#define PFORMAT_INFNAN -32768 - -typedef union -{ - /* A data type agnostic representation, - * for printf arguments of any integral data type... - */ - signed long __pformat_long_t; - signed long long __pformat_llong_t; - unsigned long __pformat_ulong_t; - unsigned long long __pformat_ullong_t; - unsigned short __pformat_ushort_t; - unsigned char __pformat_uchar_t; - signed short __pformat_short_t; - signed char __pformat_char_t; - void * __pformat_ptr_t; - __uI128 __pformat_u128_t; -} __pformat_intarg_t; - -typedef enum -{ - /* Format interpreter state indices... - * (used to identify the active phase of format string parsing). - */ - PFORMAT_INIT = 0, - PFORMAT_SET_WIDTH, - PFORMAT_GET_PRECISION, - PFORMAT_SET_PRECISION, - PFORMAT_END -} __pformat_state_t; - -typedef enum -{ - /* Argument length classification indices... - * (used for arguments representing integer data types). - */ - PFORMAT_LENGTH_INT = 0, - PFORMAT_LENGTH_SHORT, - PFORMAT_LENGTH_LONG, - PFORMAT_LENGTH_LLONG, - PFORMAT_LENGTH_LLONG128, - PFORMAT_LENGTH_CHAR -} __pformat_length_t; -/* - * And a macro to map any arbitrary data type to an appropriate - * matching index, selected from those above; the compiler should - * collapse this to a simple assignment. - */ - -#ifdef __GNUC__ -/* provides for some deadcode elimination via compile time eval */ -#define __pformat_arg_length(x) \ -__builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), __tI128), \ - PFORMAT_LENGTH_LLONG128, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), long long), \ - PFORMAT_LENGTH_LLONG, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), long), \ - PFORMAT_LENGTH_LONG, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), short), \ - PFORMAT_LENGTH_SHORT, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), char), \ - PFORMAT_LENGTH_CHAR, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), __uI128), \ - PFORMAT_LENGTH_LLONG128, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), unsigned long), \ - PFORMAT_LENGTH_LONG, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), unsigned long long), \ - PFORMAT_LENGTH_LLONG, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), unsigned short), \ - PFORMAT_LENGTH_SHORT, \ - __builtin_choose_expr ( \ - __builtin_types_compatible_p (typeof (x), unsigned char), \ - PFORMAT_LENGTH_CHAR, \ - PFORMAT_LENGTH_INT)))))))))) - -#else -#define __pformat_arg_length( type ) \ - sizeof( type ) == sizeof( __tI128 ) ? PFORMAT_LENGTH_LLONG128 : \ - sizeof( type ) == sizeof( long long ) ? PFORMAT_LENGTH_LLONG : \ - sizeof( type ) == sizeof( long ) ? PFORMAT_LENGTH_LONG : \ - sizeof( type ) == sizeof( short ) ? PFORMAT_LENGTH_SHORT : \ - sizeof( type ) == sizeof( char ) ? PFORMAT_LENGTH_CHAR : \ - /* should never need this default */ PFORMAT_LENGTH_INT -#endif - -typedef struct -{ - /* Formatting and output control data... - * An instance of this control block is created, (on the stack), - * for each call to `__pformat()', and is passed by reference to - * each of the output handlers, as required. - */ - void * dest; - int flags; - int width; - int precision; - int rplen; - wchar_t rpchr; - int thousands_chr_len; - wchar_t thousands_chr; - int count; - int quota; - int expmin; -} __pformat_t; - -#if defined(__ENABLE_PRINTF128) || defined(__ENABLE_DFP) -/* trim leading, leave at least n characters */ -static char * __bigint_trim_leading_zeroes(char *in, int n){ - char *src = in; - int len = strlen(in); - while( len > n && *++src == '0') len--; - - /* we want to null terminator too */ - memmove(in, src, strlen(src) + 1); - return in; -} - -/* LSB first */ -static -void __bigint_to_string(const uint32_t *digits, const uint32_t digitlen, char *buff, const uint32_t bufflen){ - int64_t digitsize = sizeof(*digits) * 8; - int64_t shiftpos = digitlen * digitsize - 1; - memset(buff, 0, bufflen); - - while(shiftpos >= 0) { - /* increment */ - for(uint32_t i = 0; i < bufflen - 1; i++){ - buff[i] += (buff[i] > 4) ? 3 : 0; - } - - /* shift left */ - for(uint32_t i = 0; i < bufflen - 1; i++) - buff[i] <<= 1; - - /* shift in */ - buff[bufflen - 2] |= digits[shiftpos / digitsize] & (0x1 << (shiftpos % digitsize)) ? 1 : 0; - - /* overflow check */ - for(uint32_t i = bufflen - 1; i > 0; i--){ - buff[i - 1] |= (buff[i] > 0xf); - buff[i] &= 0x0f; - } - shiftpos--; - } - - for(uint32_t i = 0; i < bufflen - 1; i++){ - buff[i] += '0'; - } - buff[bufflen - 1] = '\0'; -} - -#if defined(__ENABLE_PRINTF128) -/* LSB first, hex version */ -static -void __bigint_to_stringx(const uint32_t *digits, const uint32_t digitlen, char *buff, const uint32_t bufflen, int upper){ - int32_t stride = sizeof(*digits) * 2; - uint32_t lastpos = 0; - - for(uint32_t i = 0; i < digitlen * stride; i++){ - int32_t buffpos = bufflen - i - 2; - buff[buffpos] = (digits[ i / stride ] & (0xf << 4 * (i % stride))) >> ( 4 * (i % stride)); - buff[buffpos] += (buff[buffpos] > 9) ? ((upper) ? 0x7 : 0x27) : 0; - buff[buffpos] += '0'; - lastpos = buffpos; - if(buffpos == 0) break; /* sanity check */ - } - memset(buff, '0', lastpos); - buff[bufflen - 1] = '\0'; -} - -/* LSB first, octet version */ -static -void __bigint_to_stringo(const uint32_t *digits, const uint32_t digitlen, char *buff, const uint32_t bufflen){ - const uint32_t digitsize = sizeof(*digits) * 8; - const uint64_t bits = digitsize * digitlen; - uint32_t pos = bufflen - 2; - uint32_t reg = 0; - for(uint32_t i = 0; i <= bits; i++){ - reg |= (digits[ i / digitsize] & (0x1 << (i % digitsize))) ? 1 << (i % 3) : 0; - if( (i && ( i + 1) % 3 == 0) || (i + 1) == bits){ /* make sure all is committed after last bit */ - buff[pos] = '0' + reg; - reg = 0; - if(!pos) break; /* sanity check */ - pos--; - } - } - if(pos < bufflen - 1) - memset(buff,'0', pos + 1); - buff[bufflen - 1] = '\0'; -} -#endif /* defined(__ENABLE_PRINTF128) */ -#endif /* defined(__ENABLE_PRINTF128) || defined(__ENABLE_DFP) */ - -static -void __pformat_putc( int c, __pformat_t *stream ) -{ - /* Place a single character into the `__pformat()' output queue, - * provided any specified output quota has not been exceeded. - */ - if( (stream->flags & PFORMAT_NOLIMIT) || (stream->quota > stream->count) ) - { - /* Either there was no quota specified, - * or the active quota has not yet been reached. - */ - if( stream->flags & PFORMAT_TO_FILE ) - /* - * This is single character output to a FILE stream... - */ - __fputc(c, (FILE *)(stream->dest)); - - else - /* Whereas, this is to an internal memory buffer... - */ - ((APICHAR *)(stream->dest))[stream->count] = c; - } - ++stream->count; -} - -static -void __pformat_putchars( const char *s, int count, __pformat_t *stream ) -{ -#ifndef __BUILD_WIDEAPI - /* Handler for `%c' and (indirectly) `%s' conversion specifications. - * - * Transfer characters from the string buffer at `s', character by - * character, up to the number of characters specified by `count', or - * if `precision' has been explicitly set to a value less than `count', - * stopping after the number of characters specified for `precision', - * to the `__pformat()' output stream. - * - * Characters to be emitted are passed through `__pformat_putc()', to - * ensure that any specified output quota is honoured. - */ - if( (stream->precision >= 0) && (count > stream->precision) ) - /* - * Ensure that the maximum number of characters transferred doesn't - * exceed any explicitly set `precision' specification. - */ - count = stream->precision; - - /* Establish the width of any field padding required... - */ - if( stream->width > count ) - /* - * as the number of spaces equivalent to the number of characters - * by which those to be emitted is fewer than the field width... - */ - stream->width -= count; - - else - /* ignoring any width specification which is insufficient. - */ - stream->width = PFORMAT_IGNORE; - - if( (stream->width > 0) && ((stream->flags & PFORMAT_LJUSTIFY) == 0) ) - /* - * When not doing flush left justification, (i.e. the `-' flag - * is not set), any residual unreserved field width must appear - * as blank padding, to the left of the output string. - */ - while( stream->width-- ) - __pformat_putc( '\x20', stream ); - - /* Emit the data... - */ - while( count-- ) - /* - * copying the requisite number of characters from the input. - */ - __pformat_putc( *s++, stream ); - - /* If we still haven't consumed the entire specified field width, - * we must be doing flush left justification; any residual width - * must be filled with blanks, to the right of the output value. - */ - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - -#else /* __BUILD_WIDEAPI */ - - int len; - - if( (stream->precision >= 0) && (count > stream->precision) ) - count = stream->precision; - - if( (stream->flags & PFORMAT_TO_FILE) && (stream->flags & PFORMAT_NOLIMIT) ) - { - int __cdecl __ms_fwprintf(FILE *, const wchar_t *, ...); - - if( stream->width > count ) - { - if( (stream->flags & PFORMAT_LJUSTIFY) == 0 ) - len = __ms_fwprintf( (FILE *)(stream->dest), L"%*.*S", stream->width, count, s ); - else - len = __ms_fwprintf( (FILE *)(stream->dest), L"%-*.*S", stream->width, count, s ); - } - else - { - len = __ms_fwprintf( (FILE *)(stream->dest), L"%.*S", count, s ); - } - if( len > 0 ) - stream->count += len; - stream->width = PFORMAT_IGNORE; - return; - } - - if( stream->width > count ) - stream->width -= count; - else - stream->width = PFORMAT_IGNORE; - - if( (stream->width > 0) && ((stream->flags & PFORMAT_LJUSTIFY) == 0) ) - while( stream->width-- ) - __pformat_putc( '\x20', stream ); - - { - /* mbrtowc */ - size_t l; - wchar_t w[12], *p; - while( count > 0 ) - { - mbstate_t ps; - memset(&ps, 0, sizeof(ps) ); - --count; - p = &w[0]; - l = mbrtowc (p, s, strlen (s), &ps); - if (!l) - break; - if ((ssize_t)l < 0) - { - l = 1; - w[0] = (wchar_t) *s; - } - s += l; - __pformat_putc((int)w[0], stream); - } - } - - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - -#endif /* __BUILD_WIDEAPI */ -} - -static -void __pformat_puts( const char *s, __pformat_t *stream ) -{ - /* Handler for `%s' conversion specifications. - * - * Transfer a NUL terminated character string, character by character, - * stopping when the end of the string is encountered, or if `precision' - * has been explicitly set, when the specified number of characters has - * been emitted, if that is less than the length of the input string, - * to the `__pformat()' output stream. - * - * This is implemented as a trivial call to `__pformat_putchars()', - * passing the length of the input string as the character count, - * (after first verifying that the input pointer is not NULL). - */ - if( s == NULL ) s = "(null)"; - - if( stream->precision >= 0 ) - __pformat_putchars( s, strnlen( s, stream->precision ), stream ); - else - __pformat_putchars( s, strlen( s ), stream ); -} - -static -void __pformat_wputchars( const wchar_t *s, int count, __pformat_t *stream ) -{ -#ifndef __BUILD_WIDEAPI - /* Handler for `%C'(`%lc') and `%S'(`%ls') conversion specifications; - * (this is a wide character variant of `__pformat_putchars()'). - * - * Each multibyte character sequence to be emitted is passed, byte - * by byte, through `__pformat_putc()', to ensure that any specified - * output quota is honoured. - */ - char buf[16]; - mbstate_t state; - int len = wcrtomb(buf, L'\0', &state); - - if( (stream->precision >= 0) && (count > stream->precision) ) - /* - * Ensure that the maximum number of characters transferred doesn't - * exceed any explicitly set `precision' specification. - */ - count = stream->precision; - - /* Establish the width of any field padding required... - */ - if( stream->width > count ) - /* - * as the number of spaces equivalent to the number of characters - * by which those to be emitted is fewer than the field width... - */ - stream->width -= count; - - else - /* ignoring any width specification which is insufficient. - */ - stream->width = PFORMAT_IGNORE; - - if( (stream->width > 0) && ((stream->flags & PFORMAT_LJUSTIFY) == 0) ) - /* - * When not doing flush left justification, (i.e. the `-' flag - * is not set), any residual unreserved field width must appear - * as blank padding, to the left of the output string. - */ - while( stream->width-- ) - __pformat_putc( '\x20', stream ); - - /* Emit the data, converting each character from the wide - * to the multibyte domain as we go... - */ - while( (count-- > 0) && ((len = wcrtomb( buf, *s++, &state )) > 0) ) - { - char *p = buf; - while( len-- > 0 ) - __pformat_putc( *p++, stream ); - } - - /* If we still haven't consumed the entire specified field width, - * we must be doing flush left justification; any residual width - * must be filled with blanks, to the right of the output value. - */ - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - -#else /* __BUILD_WIDEAPI */ - - int len; - - if( (stream->precision >= 0) && (count > stream->precision) ) - count = stream->precision; - - if( (stream->flags & PFORMAT_TO_FILE) && (stream->flags & PFORMAT_NOLIMIT) ) - { - int __cdecl __ms_fwprintf(FILE *, const wchar_t *, ...); - - if( stream->width > count ) - { - if( (stream->flags & PFORMAT_LJUSTIFY) == 0 ) - len = __ms_fwprintf( (FILE *)(stream->dest), L"%*.*s", stream->width, count, s ); - else - len = __ms_fwprintf( (FILE *)(stream->dest), L"%-*.*s", stream->width, count, s ); - } - else - { - len = __ms_fwprintf( (FILE *)(stream->dest), L"%.*s", count, s ); - } - if( len > 0 ) - stream->count += len; - stream->width = PFORMAT_IGNORE; - return; - } - - if( stream->width > count ) - stream->width -= count; - else - stream->width = PFORMAT_IGNORE; - - if( (stream->width > 0) && ((stream->flags & PFORMAT_LJUSTIFY) == 0) ) - while( stream->width-- ) - __pformat_putc( '\x20', stream ); - - len = count; - while(len-- > 0 && *s != 0) - { - __pformat_putc(*s++, stream); - } - - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - -#endif /* __BUILD_WIDEAPI */ -} - -static -void __pformat_wcputs( const wchar_t *s, __pformat_t *stream ) -{ - /* Handler for `%S' (`%ls') conversion specifications. - * - * Transfer a NUL terminated wide character string, character by - * character, converting to its equivalent multibyte representation - * on output, and stopping when the end of the string is encountered, - * or if `precision' has been explicitly set, when the specified number - * of characters has been emitted, if that is less than the length of - * the input string, to the `__pformat()' output stream. - * - * This is implemented as a trivial call to `__pformat_wputchars()', - * passing the length of the input string as the character count, - * (after first verifying that the input pointer is not NULL). - */ - if( s == NULL ) s = L"(null)"; - - if( stream->precision >= 0 ) - __pformat_wputchars( s, wcsnlen( s, stream->precision ), stream ); - else - __pformat_wputchars( s, wcslen( s ), stream ); -} - -static -int __pformat_int_bufsiz( int bias, int size, __pformat_t *stream ) -{ - /* Helper to establish the size of the internal buffer, which - * is required to queue the ASCII decomposition of an integral - * data value, prior to transfer to the output stream. - */ - size = ((size - 1 + LLONGBITS) / size) + bias; - size += (stream->precision > 0) ? stream->precision : 0; - if ((stream->flags & PFORMAT_GROUPED) != 0 && stream->thousands_chr != 0) - size += (size / 3); - return (size > stream->width) ? size : stream->width; -} - -static -void __pformat_int( __pformat_intarg_t value, __pformat_t *stream ) -{ - /* Handler for `%d', `%i' and `%u' conversion specifications. - * - * Transfer the ASCII representation of an integer value parameter, - * formatted as a decimal number, to the `__pformat()' output queue; - * output will be truncated, if any specified quota is exceeded. - */ - int32_t bufflen = __pformat_int_bufsiz(1, PFORMAT_OSHIFT, stream); -#ifdef __ENABLE_PRINTF128 - char *tmp_buff = NULL; -#endif - char *buf = NULL; - char *p; - int precision; - - buf = alloca(bufflen); - p = buf; - if( stream->flags & PFORMAT_NEGATIVE ) -#ifdef __ENABLE_PRINTF128 - { - /* The input value might be negative, (i.e. it is a signed value)... - */ - if( value.__pformat_u128_t.t128.digits[1] < 0) { - /* - * It IS negative, but we want to encode it as unsigned, - * displayed with a leading minus sign, so convert it... - */ - /* two's complement */ - value.__pformat_u128_t.t128.digits[0] = ~value.__pformat_u128_t.t128.digits[0]; - value.__pformat_u128_t.t128.digits[1] = ~value.__pformat_u128_t.t128.digits[1]; - value.__pformat_u128_t.t128.digits[0] += 1; - value.__pformat_u128_t.t128.digits[1] += (!value.__pformat_u128_t.t128.digits[0]) ? 1 : 0; - } else - /* It is unequivocally a POSITIVE value, so turn off the - * request to prefix it with a minus sign... - */ - stream->flags &= ~PFORMAT_NEGATIVE; - } - - tmp_buff = alloca(bufflen); - /* Encode the input value for display... - */ - __bigint_to_string(value.__pformat_u128_t.t128_2.digits32, - 4, tmp_buff, bufflen); - __bigint_trim_leading_zeroes(tmp_buff,1); - - memset(p,0,bufflen); - for(int32_t i = strlen(tmp_buff) - 1; i >= 0; i--){ - if ( i && (stream->flags & PFORMAT_GROUPED) != 0 && stream->thousands_chr != 0 - && (i % 4) == 3) - { - *p++ = ','; - } - *p++ = tmp_buff[i]; - if( i > bufflen - 1) break; /* sanity chec */ - if( tmp_buff[i] == '\0' ) break; /* end */ - } -#else - { - /* The input value might be negative, (i.e. it is a signed value)... - */ - if( value.__pformat_llong_t < 0LL ) - /* - * It IS negative, but we want to encode it as unsigned, - * displayed with a leading minus sign, so convert it... - */ - value.__pformat_llong_t = -value.__pformat_llong_t; - - else - /* It is unequivocally a POSITIVE value, so turn off the - * request to prefix it with a minus sign... - */ - stream->flags &= ~PFORMAT_NEGATIVE; - } -while( value.__pformat_ullong_t ) - { - /* decomposing it into its constituent decimal digits, - * in order from least significant to most significant, using - * the local buffer as a LIFO queue in which to store them. - */ - if (p != buf && (stream->flags & PFORMAT_GROUPED) != 0 && stream->thousands_chr != 0 - && ((p - buf) % 4) == 3) - { - *p++ = ','; - } - *p++ = '0' + (unsigned char)(value.__pformat_ullong_t % 10LL); - value.__pformat_ullong_t /= 10LL; - } -#endif - - if( (stream->precision > 0) - && ((precision = stream->precision - (p - buf)) > 0) ) - /* - * We have not yet queued sufficient digits to fill the field width - * specified for minimum `precision'; pad with zeros to achieve this. - */ - while( precision-- > 0 ) - *p++ = '0'; - - if( (p == buf) && (stream->precision != 0) ) - /* - * Input value was zero; make sure we print at least one digit, - * unless the precision is also explicitly zero. - */ - *p++ = '0'; - - if( (stream->width > 0) && ((stream->width -= p - buf) > 0) ) - { - /* We have now queued sufficient characters to display the input value, - * at the desired precision, but this will not fill the output field... - */ - if( stream->flags & PFORMAT_SIGNED ) - /* - * We will fill one additional space with a sign... - */ - stream->width--; - - if( (stream->precision < 0) - && ((stream->flags & PFORMAT_JUSTIFY) == PFORMAT_ZEROFILL) ) - /* - * and the `0' flag is in effect, so we pad the remaining spaces, - * to the left of the displayed value, with zeros. - */ - while( stream->width-- > 0 ) - *p++ = '0'; - - else if( (stream->flags & PFORMAT_LJUSTIFY) == 0 ) - /* - * the `0' flag is not in effect, and neither is the `-' flag, - * so we pad to the left of the displayed value with spaces, so that - * the value appears right justified within the output field. - */ - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - } - - if( stream->flags & PFORMAT_NEGATIVE ) - /* - * A negative value needs a sign... - */ - *p++ = '-'; - - else if( stream->flags & PFORMAT_POSITIVE ) - /* - * A positive value may have an optionally displayed sign... - */ - *p++ = '+'; - - else if( stream->flags & PFORMAT_ADDSPACE ) - /* - * Space was reserved for displaying a sign, but none was emitted... - */ - *p++ = '\x20'; - - while( p > buf ) - /* - * Emit the accumulated constituent digits, - * in order from most significant to least significant... - */ - __pformat_putc( *--p, stream ); - - while( stream->width-- > 0 ) - /* - * The specified output field has not yet been completely filled; - * the `-' flag must be in effect, resulting in a displayed value which - * appears left justified within the output field; we must pad the field - * to the right of the displayed value, by emitting additional spaces, - * until we reach the rightmost field boundary. - */ - __pformat_putc( '\x20', stream ); -} - -static -void __pformat_xint( int fmt, __pformat_intarg_t value, __pformat_t *stream ) -{ - /* Handler for `%o', `%p', `%x' and `%X' conversions. - * - * These can be implemented using a simple `mask and shift' strategy; - * set up the mask and shift values appropriate to the conversion format, - * and allocate a suitably sized local buffer, in which to queue encoded - * digits of the formatted value, in preparation for output. - */ - int width; - int shift = (fmt == 'o') ? PFORMAT_OSHIFT : PFORMAT_XSHIFT; - int bufflen = __pformat_int_bufsiz(2, shift, stream); - char *buf = NULL; -#ifdef __ENABLE_PRINTF128 - char *tmp_buf = NULL; -#endif - char *p; - buf = alloca(bufflen); - p = buf; -#ifdef __ENABLE_PRINTF128 - tmp_buf = alloca(bufflen); - if(fmt == 'o'){ - __bigint_to_stringo(value.__pformat_u128_t.t128_2.digits32,4,tmp_buf,bufflen); - } else { - __bigint_to_stringx(value.__pformat_u128_t.t128_2.digits32,4,tmp_buf,bufflen, !(fmt & PFORMAT_XCASE)); - } - __bigint_trim_leading_zeroes(tmp_buf,0); - - memset(buf,0,bufflen); - for(int32_t i = strlen(tmp_buf); i >= 0; i--) - *p++ = tmp_buf[i]; -#else - int mask = (fmt == 'o') ? PFORMAT_OMASK : PFORMAT_XMASK; - while( value.__pformat_ullong_t ) - { - /* Encode the specified non-zero input value as a sequence of digits, - * in the appropriate `base' encoding and in reverse digit order, each - * encoded in its printable ASCII form, with no leading zeros, using - * the local buffer as a LIFO queue in which to store them. - */ - char *q; - if( (*(q = p++) = '0' + (value.__pformat_ullong_t & mask)) > '9' ) - *q = (*q + 'A' - '9' - 1) | (fmt & PFORMAT_XCASE); - value.__pformat_ullong_t >>= shift; - } -#endif - - if( p == buf ) - /* - * Nothing was queued; input value must be zero, which should never be - * emitted in the `alternative' PFORMAT_HASHED style. - */ - stream->flags &= ~PFORMAT_HASHED; - - if( ((width = stream->precision) > 0) && ((width -= p - buf) > 0) ) - /* - * We have not yet queued sufficient digits to fill the field width - * specified for minimum `precision'; pad with zeros to achieve this. - */ - while( width-- > 0 ) - *p++ = '0'; - - else if( (fmt == 'o') && (stream->flags & PFORMAT_HASHED) ) - /* - * The field width specified for minimum `precision' has already - * been filled, but the `alternative' PFORMAT_HASHED style for octal - * output requires at least one initial zero; that will not have - * been queued, so add it now. - */ - *p++ = '0'; - - if( (p == buf) && (stream->precision != 0) ) - /* - * Still nothing queued for output, but the `precision' has not been - * explicitly specified as zero, (which is necessary if no output for - * an input value of zero is desired); queue exactly one zero digit. - */ - *p++ = '0'; - - if( stream->width > (width = p - buf) ) - /* - * Specified field width exceeds the minimum required... - * Adjust so that we retain only the additional padding width. - */ - stream->width -= width; - - else - /* Ignore any width specification which is insufficient. - */ - stream->width = PFORMAT_IGNORE; - - if( ((width = stream->width) > 0) - && (fmt != 'o') && (stream->flags & PFORMAT_HASHED) ) - /* - * For `%#x' or `%#X' formats, (which have the `#' flag set), - * further reduce the padding width to accommodate the radix - * indicating prefix. - */ - width -= 2; - - if( (width > 0) && (stream->precision < 0) - && ((stream->flags & PFORMAT_JUSTIFY) == PFORMAT_ZEROFILL) ) - /* - * When the `0' flag is set, and not overridden by the `-' flag, - * or by a specified precision, add sufficient leading zeros to - * consume the remaining field width. - */ - while( width-- > 0 ) - *p++ = '0'; - - if( (fmt != 'o') && (stream->flags & PFORMAT_HASHED) ) - { - /* For formats other than octal, the PFORMAT_HASHED output style - * requires the addition of a two character radix indicator, as a - * prefix to the actual encoded numeric value. - */ - *p++ = fmt; - *p++ = '0'; - } - - if( (width > 0) && ((stream->flags & PFORMAT_LJUSTIFY) == 0) ) - /* - * When not doing flush left justification, (i.e. the `-' flag - * is not set), any residual unreserved field width must appear - * as blank padding, to the left of the output value. - */ - while( width-- > 0 ) - __pformat_putc( '\x20', stream ); - - while( p > buf ) - /* - * Move the queued output from the local buffer to the ultimate - * destination, in LIFO order. - */ - __pformat_putc( *--p, stream ); - - /* If we still haven't consumed the entire specified field width, - * we must be doing flush left justification; any residual width - * must be filled with blanks, to the right of the output value. - */ - while( width-- > 0 ) - __pformat_putc( '\x20', stream ); -} - -typedef union -{ - /* A multifaceted representation of an IEEE extended precision, - * (80-bit), floating point number, facilitating access to its - * component parts. - */ - double __pformat_fpreg_double_t; - long double __pformat_fpreg_ldouble_t; - struct - { unsigned long long __pformat_fpreg_mantissa; - signed short __pformat_fpreg_exponent; - }; - unsigned short __pformat_fpreg_bitmap[5]; - unsigned long __pformat_fpreg_bits; -} __pformat_fpreg_t; - -#ifdef _WIN32 -/* TODO: make this unconditional in final release... - * (see note at head of associated `#else' block. - */ -#include "../gdtoa/gdtoa.h" - -static __pformat_fpreg_t init_fpreg_ldouble( long double val ) -{ - __pformat_fpreg_t x; - x.__pformat_fpreg_ldouble_t = val; - - if( sizeof( double ) == sizeof( long double ) ) - { - /* Here, __pformat_fpreg_t expects to be initialized with a 80 bit long - * double, but this platform doesn't have long doubles that differ from - * regular 64 bit doubles. Therefore manually convert the 64 bit float - * value to an 80 bit float value. - */ - int exp = (x.__pformat_fpreg_mantissa >> 52) & 0x7ff; - unsigned long long mant = x.__pformat_fpreg_mantissa & 0x000fffffffffffffULL; - int topbit = exp ? 1 : 0; - int signbit = x.__pformat_fpreg_mantissa >> 63; - - if (exp == 0x7ff) - exp = 0x7fff; - else if (exp != 0) - exp = exp - 1023 + 16383; - else if (mant != 0) { - /* Denormal when stored as a 64 bit double, but becomes a normal when - * converted to 80 bit long double form. */ - exp = 1 - 1023 + 16383; - while (!(mant & 0x0010000000000000ULL)) { - /* Normalize the mantissa. */ - mant <<= 1; - exp--; - } - topbit = 1; /* The top bit, which is implicit in the 64 bit form. */ - } - x.__pformat_fpreg_mantissa = (mant << 11) | ((unsigned long long)topbit << 63); - x.__pformat_fpreg_exponent = exp | (signbit << 15); - } - - return x; -} - -static -char *__pformat_cvt( int mode, long double val, int nd, int *dp, int *sign ) -{ - /* Helper function, derived from David M. Gay's `g_xfmt()', calling - * his `__gdtoa()' function in a manner to provide extended precision - * replacements for `ecvt()' and `fcvt()'. - */ - int k; unsigned int e = 0; char *ep; - static FPI fpi = { 64, 1-16383-64+1, 32766-16383-64+1, FPI_Round_near, 0, 14 /* Int_max */ }; - __pformat_fpreg_t x = init_fpreg_ldouble( val ); - - k = __fpclassifyl( val ); - - /* Classify the argument into an appropriate `__gdtoa()' category... - */ - if( k & FP_NAN ) - /* - * identifying infinities or not-a-number... - */ - k = (k & FP_NORMAL) ? STRTOG_Infinite : STRTOG_NaN; - - else if( k & FP_NORMAL ) - { - /* normal and near-zero `denormals'... - */ - if( k & FP_ZERO ) - { - /* with appropriate exponent adjustment for a `denormal'... - */ - k = STRTOG_Denormal; - e = 1 - 0x3FFF - 63; - } - else - { - /* or with `normal' exponent adjustment... - */ - k = STRTOG_Normal; - e = (x.__pformat_fpreg_exponent & 0x7FFF) - 0x3FFF - 63; - } - } - - else - /* or, if none of the above, it's a zero, (positive or negative). - */ - k = STRTOG_Zero; - - /* Check for negative values, always treating NaN as unsigned... - * (return value is zero for positive/unsigned; non-zero for negative). - */ - *sign = (k == STRTOG_NaN) ? 0 : x.__pformat_fpreg_exponent & 0x8000; - - /* Finally, get the raw digit string, and radix point position index. - */ - return __gdtoa( &fpi, e, &x.__pformat_fpreg_bits, &k, mode, nd, dp, &ep ); -} - -static -char *__pformat_ecvt( long double x, int precision, int *dp, int *sign ) -{ - /* A convenience wrapper for the above... - * it emulates `ecvt()', but takes a `long double' argument. - */ - return __pformat_cvt( 2, x, precision, dp, sign ); -} - -static -char *__pformat_fcvt( long double x, int precision, int *dp, int *sign ) -{ - /* A convenience wrapper for the above... - * it emulates `fcvt()', but takes a `long double' argument. - */ - return __pformat_cvt( 3, x, precision, dp, sign ); -} - -/* The following are required, to clean up the `__gdtoa()' memory pool, - * after processing the data returned by the above. - */ -#define __pformat_ecvt_release( value ) __freedtoa( value ) -#define __pformat_fcvt_release( value ) __freedtoa( value ) - -#else -/* - * TODO: remove this before final release; it is included here as a - * convenience for testing, without requiring a working `__gdtoa()'. - */ -static -char *__pformat_ecvt( long double x, int precision, int *dp, int *sign ) -{ - /* Define in terms of `ecvt()'... - */ - char *retval = ecvt( (double)(x), precision, dp, sign ); - if( isinf( x ) || isnan( x ) ) - { - /* emulating `__gdtoa()' reporting for infinities and NaN. - */ - *dp = PFORMAT_INFNAN; - if( *retval == '-' ) - { - /* Need to force the `sign' flag, (particularly for NaN). - */ - ++retval; *sign = 1; - } - } - return retval; -} - -static -char *__pformat_fcvt( long double x, int precision, int *dp, int *sign ) -{ - /* Define in terms of `fcvt()'... - */ - char *retval = fcvt( (double)(x), precision, dp, sign ); - if( isinf( x ) || isnan( x ) ) - { - /* emulating `__gdtoa()' reporting for infinities and NaN. - */ - *dp = PFORMAT_INFNAN; - if( *retval == '-' ) - { - /* Need to force the `sign' flag, (particularly for NaN). - */ - ++retval; *sign = 1; - } - } - return retval; -} - -/* No memory pool clean up needed, for these emulated cases... - */ -#define __pformat_ecvt_release( value ) /* nothing to be done */ -#define __pformat_fcvt_release( value ) /* nothing to be done */ - -/* TODO: end of conditional to be removed. */ -#endif - -static -void __pformat_emit_radix_point( __pformat_t *stream ) -{ - /* Helper to place a localised representation of the radix point - * character at the ultimate destination, when formatting fixed or - * floating point numbers. - */ - if( stream->rplen == PFORMAT_RPINIT ) - { - /* Radix point initialisation not yet completed; - * establish a multibyte to `wchar_t' converter... - */ - int len; wchar_t rpchr; mbstate_t state; - - /* Initialise the conversion state... - */ - memset( &state, 0, sizeof( state ) ); - - /* Fetch and convert the localised radix point representation... - */ - if( (len = mbrtowc( &rpchr, localeconv()->decimal_point, 16, &state )) > 0 ) - /* - * and store it, if valid. - */ - stream->rpchr = rpchr; - - /* In any case, store the reported effective multibyte length, - * (or the error flag), marking initialisation as `done'. - */ - stream->rplen = len; - } - - if( stream->rpchr != (wchar_t)(0) ) - { - /* We have a localised radix point mark; - * establish a converter to make it a multibyte character... - */ -#ifdef __BUILD_WIDEAPI - __pformat_putc (stream->rpchr, stream); -#else - int len; char buf[len = stream->rplen]; mbstate_t state; - - /* Initialise the conversion state... - */ - memset( &state, 0, sizeof( state ) ); - - /* Convert the `wchar_t' representation to multibyte... - */ - if( (len = wcrtomb( buf, stream->rpchr, &state )) > 0 ) - { - /* and copy to the output destination, when valid... - */ - char *p = buf; - while( len-- > 0 ) - __pformat_putc( *p++, stream ); - } - - else - /* otherwise fall back to plain ASCII '.'... - */ - __pformat_putc( '.', stream ); -#endif - } - else - /* No localisation: just use ASCII '.'... - */ - __pformat_putc( '.', stream ); -} - -static -void __pformat_emit_numeric_value( int c, __pformat_t *stream ) -{ - /* Convenience helper to transfer numeric data from an internal - * formatting buffer to the ultimate destination... - */ - if( c == '.' ) - /* - * converting this internal representation of the the radix - * point to the appropriately localised representation... - */ - __pformat_emit_radix_point( stream ); - else if (c == ',') - { - wchar_t wcs; - if ((wcs = stream->thousands_chr) != 0) - __pformat_wputchars (&wcs, 1, stream); - } - else - /* and passing all other characters through, unmodified. - */ - __pformat_putc( c, stream ); -} - -static -void __pformat_emit_inf_or_nan( int sign, char *value, __pformat_t *stream ) -{ - /* Helper to emit INF or NAN where a floating point value - * resolves to one of these special states. - */ - int i; - char buf[4]; - char *p = buf; - - /* We use the string formatting helper to display INF/NAN, - * but we don't want truncation if the precision set for the - * original floating point output request was insufficient; - * ignore it! - */ - stream->precision = PFORMAT_IGNORE; - - if( sign ) - /* - * Negative infinity: emit the sign... - */ - *p++ = '-'; - - else if( stream->flags & PFORMAT_POSITIVE ) - /* - * Not negative infinity, but '+' flag is in effect; - * thus, we emit a positive sign... - */ - *p++ = '+'; - - else if( stream->flags & PFORMAT_ADDSPACE ) - /* - * No sign required, but space was reserved for it... - */ - *p++ = '\x20'; - - /* Copy the appropriate status indicator, up to a maximum of - * three characters, transforming to the case corresponding to - * the format specification... - */ - for( i = 3; i > 0; --i ) - *p++ = (*value++ & ~PFORMAT_XCASE) | (stream->flags & PFORMAT_XCASE); - - /* and emit the result. - */ - __pformat_putchars( buf, p - buf, stream ); -} - -static -void __pformat_emit_float( int sign, char *value, int len, __pformat_t *stream ) -{ - /* Helper to emit a fixed point representation of numeric data, - * as encoded by a prior call to `ecvt()' or `fcvt()'; (this does - * NOT include the exponent, for floating point format). - */ - if( len > 0 ) - { - /* The magnitude of `x' is greater than or equal to 1.0... - * reserve space in the output field, for the required number of - * decimal digits to be placed before the decimal point... - */ - if( stream->width >= len) - /* - * adjusting as appropriate, when width is sufficient... - */ - stream->width -= len; - - else - /* or simply ignoring the width specification, if not. - */ - stream->width = PFORMAT_IGNORE; - } - - else if( stream->width > 0 ) - /* - * The magnitude of `x' is less than 1.0... - * reserve space for exactly one zero before the decimal point. - */ - stream->width--; - - /* Reserve additional space for the digits which will follow the - * decimal point... - */ - if( (stream->width >= 0) && (stream->width > stream->precision) ) - /* - * adjusting appropriately, when sufficient width remains... - * (note that we must check both of these conditions, because - * precision may be more negative than width, as a result of - * adjustment to provide extra padding when trailing zeros - * are to be discarded from "%g" format conversion with a - * specified field width, but if width itself is negative, - * then there is explicitly to be no padding anyway). - */ - stream->width -= stream->precision; - - else - /* or again, ignoring the width specification, if not. - */ - stream->width = PFORMAT_IGNORE; - - /* Reserve space in the output field, for display of the decimal point, - * unless the precision is explicity zero, with the `#' flag not set. - */ - if ((stream->width > 0) - && ((stream->precision > 0) || (stream->flags & PFORMAT_HASHED))) - stream->width--; - - if (len > 0 && (stream->flags & PFORMAT_GROUPED) != 0 && stream->thousands_chr != 0) - { - int cths = ((len + 2) / 3) - 1; - while (cths > 0 && stream->width > 0) - { - --cths; stream->width--; - } - } - - /* Reserve space in the output field, for display of the sign of the - * formatted value, if required; (i.e. if the value is negative, or if - * either the `space' or `+' formatting flags are set). - */ - if( (stream->width > 0) && (sign || (stream->flags & PFORMAT_SIGNED)) ) - stream->width--; - - /* Emit any padding space, as required to correctly right justify - * the output within the alloted field width. - */ - if( (stream->width > 0) && ((stream->flags & PFORMAT_JUSTIFY) == 0) ) - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - - /* Emit the sign indicator, as appropriate... - */ - if( sign ) - /* - * mandatory, for negative values... - */ - __pformat_putc( '-', stream ); - - else if( stream->flags & PFORMAT_POSITIVE ) - /* - * optional, for positive values... - */ - __pformat_putc( '+', stream ); - - else if( stream->flags & PFORMAT_ADDSPACE ) - /* - * or just fill reserved space, when the space flag is in effect. - */ - __pformat_putc( '\x20', stream ); - - /* If the `0' flag is in effect, and not overridden by the `-' flag, - * then zero padding, to fill out the field, goes here... - */ - if( (stream->width > 0) - && ((stream->flags & PFORMAT_JUSTIFY) == PFORMAT_ZEROFILL) ) - while( stream->width-- > 0 ) - __pformat_putc( '0', stream ); - - /* Emit the digits of the encoded numeric value... - */ - if( len > 0 ) - { - /* - * ...beginning with those which precede the radix point, - * and appending any necessary significant trailing zeros. - */ - do { - __pformat_putc( *value ? *value++ : '0', stream); - --len; - if (len != 0 && (stream->flags & PFORMAT_GROUPED) != 0 && stream->thousands_chr != 0 - && (len % 3) == 0) - __pformat_wputchars (&stream->thousands_chr, 1, stream); - } - while (len > 0); - } - else - /* The magnitude of the encoded value is less than 1.0, so no - * digits precede the radix point; we emit a mandatory initial - * zero, followed immediately by the radix point. - */ - __pformat_putc( '0', stream ); - - /* Unless the encoded value is integral, AND the radix point - * is not expressly demanded by the `#' flag, we must insert - * the appropriately localised radix point mark here... - */ - if( (stream->precision > 0) || (stream->flags & PFORMAT_HASHED) ) - __pformat_emit_radix_point( stream ); - - /* When the radix point offset, `len', is negative, this implies - * that additional zeros must appear, following the radix point, - * and preceding the first significant digit... - */ - if( len < 0 ) - { - /* To accommodate these, we adjust the precision, (reducing it - * by adding a negative value), and then we emit as many zeros - * as are required. - */ - stream->precision += len; - do __pformat_putc( '0', stream ); - while( ++len < 0 ); - } - - /* Now we emit any remaining significant digits, or trailing zeros, - * until the required precision has been achieved. - */ - while( stream->precision-- > 0 ) - __pformat_putc( *value ? *value++ : '0', stream ); -} - -static -void __pformat_emit_efloat( int sign, char *value, int e, __pformat_t *stream ) -{ - /* Helper to emit a floating point representation of numeric data, - * as encoded by a prior call to `ecvt()' or `fcvt()'; (this DOES - * include the following exponent). - */ - int exp_width = 1; - __pformat_intarg_t exponent; exponent.__pformat_llong_t = e -= 1; - - /* Determine how many digit positions are required for the exponent. - */ - while( (e /= 10) != 0 ) - exp_width++; - - /* Ensure that this is at least as many as the standard requirement. - * The C99 standard requires the expenent to contain at least two - * digits, unless specified explicitly otherwise. - */ - if (stream->expmin == -1) - stream->expmin = 2; - if( exp_width < stream->expmin ) - exp_width = stream->expmin; - - /* Adjust the residual field width allocation, to allow for the - * number of exponent digits to be emitted, together with a sign - * and exponent separator... - */ - if( stream->width > (exp_width += 2) ) - stream->width -= exp_width; - - else - /* ignoring the field width specification, if insufficient. - */ - stream->width = PFORMAT_IGNORE; - - /* Emit the significand, as a fixed point value with one digit - * preceding the radix point. - */ - __pformat_emit_float( sign, value, 1, stream ); - - /* Reset precision, to ensure the mandatory minimum number of - * exponent digits will be emitted, and set the flags to ensure - * the sign is displayed. - */ - stream->precision = stream->expmin; - stream->flags |= PFORMAT_SIGNED; - - /* Emit the exponent separator. - */ - __pformat_putc( ('E' | (stream->flags & PFORMAT_XCASE)), stream ); - - /* Readjust the field width setting, such that it again allows - * for the digits of the exponent, (which had been discounted when - * computing any left side padding requirement), so that they are - * correctly included in the computation of any right side padding - * requirement, (but here we exclude the exponent separator, which - * has been emitted, and so counted already). - */ - stream->width += exp_width - 1; - - /* And finally, emit the exponent itself, as a signed integer, - * with any padding required to achieve flush left justification, - * (which will be added automatically, by `__pformat_int()'). - */ - __pformat_int( exponent, stream ); -} - -static -void __pformat_float( long double x, __pformat_t *stream ) -{ - /* Handler for `%f' and `%F' format specifiers. - * - * This wraps calls to `__pformat_cvt()', `__pformat_emit_float()' - * and `__pformat_emit_inf_or_nan()', as appropriate, to achieve - * output in fixed point format. - */ - int sign, intlen; char *value; - - /* Establish the precision for the displayed value, defaulting to six - * digits following the decimal point, if not explicitly specified. - */ - if( stream->precision < 0 ) - stream->precision = 6; - - /* Encode the input value as ASCII, for display... - */ - value = __pformat_fcvt( x, stream->precision, &intlen, &sign ); - - if( intlen == PFORMAT_INFNAN ) - /* - * handle cases of `infinity' or `not-a-number'... - */ - __pformat_emit_inf_or_nan( sign, value, stream ); - - else - { /* or otherwise, emit the formatted result. - */ - __pformat_emit_float( sign, value, intlen, stream ); - - /* and, if there is any residual field width as yet unfilled, - * then we must be doing flush left justification, so pad out to - * the right hand field boundary. - */ - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - } - - /* Clean up `__pformat_fcvt()' memory allocation for `value'... - */ - __pformat_fcvt_release( value ); -} - -#ifdef __ENABLE_DFP - -typedef struct decimal128_decode { - int64_t significand[2]; - int32_t exponent; - int sig_neg; - int exp_neg; -} decimal128_decode; - -static uint32_t dec128_decode(decimal128_decode *result, const _Decimal128 deci){ - int64_t significand2; - int64_t significand1; - int32_t exp_part; - int8_t sig_sign; - ud128 in; - in.d = deci; - - if(in.t0.bits == 0x3){ /*case 11 */ - /* should not enter here */ - sig_sign = in.t2.sign; - exp_part = in.t2.exponent; - significand1 = in.t2.mantissaL; - significand2 = (in.t2.mantissaH | (0x1ULL << 49)); - } else { - sig_sign = in.t1.sign; - exp_part = in.t1.exponent; - significand1 = in.t1.mantissaL; - significand2 = in.t1.mantissaH; - } - exp_part -= 6176; /* exp bias */ - - result->significand[0] = significand1; - result->significand[1] = significand2; /* higher */ - result->exponent = exp_part; - result->exp_neg = (exp_part < 0 )? 1 : 0; - result->sig_neg = sig_sign; - - return 0; -} - -static -void __pformat_efloat_decimal(_Decimal128 x, __pformat_t *stream ){ - decimal128_decode in; - char str_exp[8]; - char str_sig[40]; - int floatclass = __fpclassifyd128(x); - - /* precision control */ - int32_t prec = ( (stream->precision < 0) || (stream->precision > 38) ) ? - 6 : stream->precision; - int32_t max_prec; - int32_t exp_strlen; - - dec128_decode(&in,x); - - if((floatclass & FP_INFINITE) == FP_INFINITE){ - stream->precision = 3; - if(stream->flags & PFORMAT_SIGNED) - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - __pformat_puts( (stream->flags & PFORMAT_XCASE) ? "inf" : "INF", stream); - return; - } else if(floatclass & FP_NAN){ - stream->precision = 3; - if(stream->flags & PFORMAT_SIGNED) - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - __pformat_puts( (stream->flags & PFORMAT_XCASE) ? "nan" : "NAN", stream); - return; - } - - /* Stringify significand */ - __bigint_to_string( - (uint32_t[4]){in.significand[0] & 0x0ffffffff, in.significand[0] >> 32, in.significand[1] & 0x0ffffffff, in.significand[1] >> 32 }, - 4, str_sig, sizeof(str_sig)); - __bigint_trim_leading_zeroes(str_sig,1); - max_prec = strlen(str_sig+1); - - /* Try to canonize exponent */ - in.exponent += max_prec; - in.exp_neg = (in.exponent < 0 ) ? 1 : 0; - - /* stringify exponent */ - __bigint_to_string( - (uint32_t[1]) { in.exp_neg ? -in.exponent : in.exponent}, - 1, str_exp, sizeof(str_exp)); - exp_strlen = strlen(__bigint_trim_leading_zeroes(str_exp,3)); - - /* account for dot, +-e */ - for(int32_t spacers = 0; spacers < stream->width - max_prec - exp_strlen - 4; spacers++) - __pformat_putc( ' ', stream ); - - /* optional sign */ - if (in.sig_neg || (stream->flags & PFORMAT_SIGNED)) { - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - } else if( stream->width - max_prec - exp_strlen - 4 > 0 ) { - __pformat_putc( ' ', stream ); - } - stream->width = 0; - /* s.sss form */ - __pformat_putc(str_sig[0], stream); - if(prec) { - /* str_sig[prec+1] = '\0';*/ - __pformat_emit_radix_point(stream); - __pformat_putchars(str_sig+1, prec, stream); - - /* Pad with 0s */ - for(int i = max_prec; i < prec; i++) - __pformat_putc('0', stream); - } - - stream->precision = exp_strlen; /* force puts to emit */ - - __pformat_putc( ('E' | (stream->flags & PFORMAT_XCASE)), stream ); - __pformat_putc( in.exp_neg ? '-' : '+', stream ); - - for(int32_t trailing = 0; trailing < 3 - exp_strlen; trailing++) - __pformat_putc('0', stream); - __pformat_putchars(str_exp, exp_strlen,stream); -} - -static -void __pformat_float_decimal(_Decimal128 x, __pformat_t *stream ){ - decimal128_decode in; - char str_exp[8]; - char str_sig[40]; - int floatclass = __fpclassifyd128(x); - - /* precision control */ - int prec = ( (stream->precision < 0) || (stream->precision > 38) ) ? - 6 : stream->precision; - int max_prec; - - dec128_decode(&in,x); - - if((floatclass & FP_INFINITE) == FP_INFINITE){ - stream->precision = 3; - if(stream->flags & PFORMAT_SIGNED) - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - __pformat_puts( (stream->flags & PFORMAT_XCASE) ? "inf" : "INF", stream); - return; - } else if(floatclass & FP_NAN){ - stream->precision = 3; - if(stream->flags & PFORMAT_SIGNED) - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - __pformat_puts( (stream->flags & PFORMAT_XCASE) ? "nan" : "NAN", stream); - return; - } - - /* Stringify significand */ - __bigint_to_string( - (uint32_t[4]){in.significand[0] & 0x0ffffffff, in.significand[0] >> 32, in.significand[1] & 0x0ffffffff, in.significand[1] >> 32 }, - 4, str_sig, sizeof(str_sig)); - __bigint_trim_leading_zeroes(str_sig,0); - max_prec = strlen(str_sig); - - /* stringify exponent */ - __bigint_to_string( - (uint32_t[1]) { in.exp_neg ? -in.exponent : in.exponent}, - 1, str_exp, sizeof(str_exp)); - __bigint_trim_leading_zeroes(str_exp,0); - - int32_t decimal_place = max_prec + in.exponent; - int32_t sig_written = 0; - - /*account for . +- */ - for(int32_t spacers = 0; spacers < stream->width - decimal_place - prec - 2; spacers++) - __pformat_putc( ' ', stream ); - - if (in.sig_neg || (stream->flags & PFORMAT_SIGNED)) { - __pformat_putc( in.sig_neg ? '-' : '+', stream ); - } else if(stream->width - decimal_place - prec - 1 > 0){ - __pformat_putc( ' ', stream ); - } - - if(decimal_place <= 0){ /* easy mode */ - __pformat_putc( '0', stream ); - points: - __pformat_emit_radix_point(stream); - for(int32_t written = 0; written < prec; written++){ - if(decimal_place < 0){ /* leading 0s */ - decimal_place++; - __pformat_putc( '0', stream ); - /* significand */ - } else if ( sig_written < max_prec ){ - __pformat_putc( str_sig[sig_written], stream ); - sig_written++; - } else { /* trailing 0s */ - __pformat_putc( '0', stream ); - } - } - } else { /* hard mode */ - for(; sig_written < decimal_place; sig_written++){ - __pformat_putc( str_sig[sig_written], stream ); - if(sig_written == max_prec - 1) break; - } - decimal_place -= sig_written; - for(; decimal_place > 0; decimal_place--) - __pformat_putc( '0', stream ); - goto points; - } - - return; -} - -static -void __pformat_gfloat_decimal(_Decimal128 x, __pformat_t *stream ){ - int prec = ( (stream->precision < 0)) ? - 6 : stream->precision; - decimal128_decode in; - dec128_decode(&in,x); - if(in.exponent > prec) __pformat_efloat_decimal(x,stream); - else __pformat_float_decimal(x,stream); -} - -#endif /* __ENABLE_DFP */ - -static -void __pformat_efloat( long double x, __pformat_t *stream ) -{ - /* Handler for `%e' and `%E' format specifiers. - * - * This wraps calls to `__pformat_cvt()', `__pformat_emit_efloat()' - * and `__pformat_emit_inf_or_nan()', as appropriate, to achieve - * output in floating point format. - */ - int sign, intlen; char *value; - - /* Establish the precision for the displayed value, defaulting to six - * digits following the decimal point, if not explicitly specified. - */ - if( stream->precision < 0 ) - stream->precision = 6; - - /* Encode the input value as ASCII, for display... - */ - value = __pformat_ecvt( x, stream->precision + 1, &intlen, &sign ); - - if( intlen == PFORMAT_INFNAN ) - /* - * handle cases of `infinity' or `not-a-number'... - */ - __pformat_emit_inf_or_nan( sign, value, stream ); - - else - /* or otherwise, emit the formatted result. - */ - __pformat_emit_efloat( sign, value, intlen, stream ); - - /* Clean up `__pformat_ecvt()' memory allocation for `value'... - */ - __pformat_ecvt_release( value ); -} - -static -void __pformat_gfloat( long double x, __pformat_t *stream ) -{ - /* Handler for `%g' and `%G' format specifiers. - * - * This wraps calls to `__pformat_cvt()', `__pformat_emit_float()', - * `__pformat_emit_efloat()' and `__pformat_emit_inf_or_nan()', as - * appropriate, to achieve output in the more suitable of either - * fixed or floating point format. - */ - int sign, intlen; char *value; - - /* Establish the precision for the displayed value, defaulting to - * six significant digits, if not explicitly specified... - */ - if( stream->precision < 0 ) - stream->precision = 6; - - /* or to a minimum of one digit, otherwise... - */ - else if( stream->precision == 0 ) - stream->precision = 1; - - /* Encode the input value as ASCII, for display. - */ - value = __pformat_ecvt( x, stream->precision, &intlen, &sign ); - - if( intlen == PFORMAT_INFNAN ) - /* - * Handle cases of `infinity' or `not-a-number'. - */ - __pformat_emit_inf_or_nan( sign, value, stream ); - - else if( (-4 < intlen) && (intlen <= stream->precision) ) - { - /* Value lies in the acceptable range for fixed point output, - * (i.e. the exponent is no less than minus four, and the number - * of significant digits which precede the radix point is fewer - * than the least number which would overflow the field width, - * specified or implied by the established precision). - */ - if( (stream->flags & PFORMAT_HASHED) == PFORMAT_HASHED ) - /* - * The `#' flag is in effect... - * Adjust precision to retain the specified number of significant - * digits, with the proper number preceding the radix point, and - * the balance following it... - */ - stream->precision -= intlen; - - else - /* The `#' flag is not in effect... - * Here we adjust the precision to accommodate all digits which - * precede the radix point, but we truncate any balance following - * it, to suppress output of non-significant trailing zeros... - */ - if( ((stream->precision = strlen( value ) - intlen) < 0) - /* - * This may require a compensating adjustment to the field - * width, to accommodate significant trailing zeros, which - * precede the radix point... - */ - && (stream->width > 0) ) - stream->width += stream->precision; - - /* Now, we format the result as any other fixed point value. - */ - __pformat_emit_float( sign, value, intlen, stream ); - - /* If there is any residual field width as yet unfilled, then - * we must be doing flush left justification, so pad out to the - * right hand field boundary. - */ - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - } - - else - { /* Value lies outside the acceptable range for fixed point; - * one significant digit will precede the radix point, so we - * decrement the precision to retain only the appropriate number - * of additional digits following it, when we emit the result - * in floating point format. - */ - if( (stream->flags & PFORMAT_HASHED) == PFORMAT_HASHED ) - /* - * The `#' flag is in effect... - * Adjust precision to emit the specified number of significant - * digits, with one preceding the radix point, and the balance - * following it, retaining any non-significant trailing zeros - * which are required to exactly match the requested precision... - */ - stream->precision--; - - else - /* The `#' flag is not in effect... - * Adjust precision to emit only significant digits, with one - * preceding the radix point, and any others following it, but - * suppressing non-significant trailing zeros... - */ - stream->precision = strlen( value ) - 1; - - /* Now, we format the result as any other floating point value. - */ - __pformat_emit_efloat( sign, value, intlen, stream ); - } - - /* Clean up `__pformat_ecvt()' memory allocation for `value'. - */ - __pformat_ecvt_release( value ); -} - -static -void __pformat_emit_xfloat( __pformat_fpreg_t value, __pformat_t *stream ) -{ - /* Helper for emitting floating point data, originating as - * either `double' or `long double' type, as a hexadecimal - * representation of the argument value. - */ - char buf[18 + 6], *p = buf; - __pformat_intarg_t exponent; short exp_width = 2; - - if (value.__pformat_fpreg_mantissa != 0 || - value.__pformat_fpreg_exponent != 0) - { - /* Reduce the exponent since the leading digit emited will start at - * the 4th bit from the highest order bit instead, the later being - * the leading digit of the floating point. Don't do this adjustment - * if the value is an actual zero. - */ - value.__pformat_fpreg_exponent -= 3; - } - - /* The mantissa field of the argument value representation can - * accommodate at most 16 hexadecimal digits, of which one will - * be placed before the radix point, leaving at most 15 digits - * to satisfy any requested precision; thus... - */ - if( (stream->precision >= 0) && (stream->precision < 15) ) - { - /* When the user specifies a precision within this range, - * we want to adjust the mantissa, to retain just the number - * of digits required, rounding up when the high bit of the - * leftmost discarded digit is set; (mask of 0x08 accounts - * for exactly one digit discarded, shifting 4 bits per - * digit, with up to 14 additional digits, to consume the - * full availability of 15 precision digits). - */ - - /* We then shift the mantissa one bit position back to the - * right, to guard against possible overflow when the rounding - * adjustment is added. - */ - value.__pformat_fpreg_mantissa >>= 1; - - /* We now add the rounding adjustment, noting that to keep the - * 0x08 mask aligned with the shifted mantissa, we also need to - * shift it right by one bit initially, changing its starting - * value to 0x04... - */ - value.__pformat_fpreg_mantissa += 0x04LL << (4 * (14 - stream->precision)); - if( (value.__pformat_fpreg_mantissa & (LLONG_MAX + 1ULL)) == 0ULL ) - /* - * When the rounding adjustment would not have overflowed, - * then we shift back to the left again, to fill the vacated - * bit we reserved to accommodate the carry. - */ - value.__pformat_fpreg_mantissa <<= 1; - - else - { - /* Otherwise the rounding adjustment would have overflowed, - * so the carry has already filled the vacated bit; the effect - * of this is equivalent to an increment of the exponent. We will - * discard a whole digit to match glibc's behavior. - */ - value.__pformat_fpreg_exponent += 4; - value.__pformat_fpreg_mantissa >>= 3; - } - - /* We now complete the rounding to the required precision, by - * shifting the unwanted digits out, from the right hand end of - * the mantissa. - */ - value.__pformat_fpreg_mantissa >>= 4 * (15 - stream->precision); - } - - /* Don't print anything if mantissa is zero unless we have to satisfy - * desired precision. - */ - if( value.__pformat_fpreg_mantissa || stream->precision > 0 ) - { - /* Encode the significant digits of the mantissa in hexadecimal - * ASCII notation, ready for transfer to the output stream... - */ - for( int i=stream->precision >= 15 || stream->precision < 0 ? 16 : stream->precision + 1; i>0; --i ) - { - /* taking the rightmost digit in each pass... - */ - unsigned c = value.__pformat_fpreg_mantissa & 0xF; - if( i == 1 ) - { - /* inserting the radix point, when we reach the last, - * (i.e. the most significant digit), unless we found no - * less significant digits, with no mandatory radix point - * inclusion, and no additional required precision... - */ - if( (p > buf) - || (stream->flags & PFORMAT_HASHED) || (stream->precision > 0) ) - { - /* - * Internally, we represent the radix point as an ASCII '.'; - * we will replace it with any locale specific alternative, - * at the time of transfer to the ultimate destination. - */ - *p++ = '.'; - } - } - - else if( stream->precision > 0 ) - /* - * we have not yet fulfilled the desired precision, - * and we have not yet found the most significant digit, - * so account for the current digit, within the field - * width required to meet the specified precision. - */ - stream->precision--; - - if( (c > 0) || (p > buf) || (stream->precision >= 0) ) - { - /* - * Ignoring insignificant trailing zeros, (unless required to - * satisfy specified precision), store the current encoded digit - * into the pending output buffer, in LIFO order, and using the - * appropriate case for digits in the `A'..`F' range. - */ - *p++ = c > 9 ? (c - 10 + 'A') | (stream->flags & PFORMAT_XCASE) : c + '0'; - } - /* Shift out the current digit, (4-bit logical shift right), - * to align the next more significant digit to be extracted, - * and encoded in the next pass. - */ - value.__pformat_fpreg_mantissa >>= 4; - } - } - - if( p == buf ) - { - /* Nothing has been queued for output... - * We need at least one zero, and possibly a radix point. - */ - if( (stream->precision > 0) || (stream->flags & PFORMAT_HASHED) ) - *p++ = '.'; - - *p++ = '0'; - } - - if( stream->width > 0 ) - { - /* Adjust the user specified field width, to account for the - * number of digits minimally required, to display the encoded - * value, at the requested precision. - * - * FIXME: this uses the minimum number of digits possible for - * representation of the binary exponent, in strict conformance - * with C99 and POSIX specifications. Although there appears to - * be no Microsoft precedent for doing otherwise, we may wish to - * relate this to the `_get_output_format()' result, to maintain - * consistency with `%e', `%f' and `%g' styles. - */ - int min_width = p - buf; - int exponent2 = value.__pformat_fpreg_exponent; - - /* If we have not yet queued sufficient digits to fulfil the - * requested precision, then we must adjust the minimum width - * specification, to accommodate the additional digits which - * are required to do so. - */ - if( stream->precision > 0 ) - min_width += stream->precision; - - /* Adjust the minimum width requirement, to accomodate the - * sign, radix indicator and at least one exponent digit... - */ - min_width += stream->flags & PFORMAT_SIGNED ? 6 : 5; - while( (exponent2 = exponent2 / 10) != 0 ) - { - /* and increase as required, if additional exponent digits - * are needed, also saving the exponent field width adjustment, - * for later use when that is emitted. - */ - min_width++; - exp_width++; - } - - if( stream->width > min_width ) - { - /* When specified field width exceeds the minimum required, - * adjust to retain only the excess... - */ - stream->width -= min_width; - - /* and then emit any required left side padding spaces. - */ - if( (stream->flags & PFORMAT_JUSTIFY) == 0 ) - while( stream->width-- > 0 ) - __pformat_putc( '\x20', stream ); - } - - else - /* Specified field width is insufficient; just ignore it! - */ - stream->width = PFORMAT_IGNORE; - } - - /* Emit the sign of the encoded value, as required... - */ - if( stream->flags & PFORMAT_NEGATIVE ) - /* - * this is mandatory, to indicate a negative value... - */ - __pformat_putc( '-', stream ); - - else if( stream->flags & PFORMAT_POSITIVE ) - /* - * but this is optional, for a positive value... - */ - __pformat_putc( '+', stream ); - - else if( stream->flags & PFORMAT_ADDSPACE ) - /* - * with this optional alternative. - */ - __pformat_putc( '\x20', stream ); - - /* Prefix a `0x' or `0X' radix indicator to the encoded value, - * with case appropriate to the format specification. - */ - __pformat_putc( '0', stream ); - __pformat_putc( 'X' | (stream->flags & PFORMAT_XCASE), stream ); - - /* If the `0' flag is in effect... - * Zero padding, to fill out the field, goes here... - */ - if( (stream->width > 0) && (stream->flags & PFORMAT_ZEROFILL) ) - while( stream->width-- > 0 ) - __pformat_putc( '0', stream ); - - /* Next, we emit the encoded value, without its exponent... - */ - while( p > buf ) - __pformat_emit_numeric_value( *--p, stream ); - - /* followed by any additional zeros needed to satisfy the - * precision specification... - */ - while( stream->precision-- > 0 ) - __pformat_putc( '0', stream ); - - /* then the exponent prefix, (C99 and POSIX specify `p'), - * in the case appropriate to the format specification... - */ - __pformat_putc( 'P' | (stream->flags & PFORMAT_XCASE), stream ); - - /* and finally, the decimal representation of the binary exponent, - * as a signed value with mandatory sign displayed, in a field width - * adjusted to accommodate it, LEFT justified, with any additional - * right side padding remaining from the original field width. - */ - stream->width += exp_width; - stream->flags |= PFORMAT_SIGNED; - /* sign extend */ - exponent.__pformat_u128_t.t128.digits[1] = (value.__pformat_fpreg_exponent < 0) ? -1 : 0; - exponent.__pformat_u128_t.t128.digits[0] = value.__pformat_fpreg_exponent; - __pformat_int( exponent, stream ); -} - -static -void __pformat_xldouble( long double x, __pformat_t *stream ) -{ - /* Handler for `%La' and `%LA' format specifiers, (with argument - * value specified as `long double' type). - */ - unsigned sign_bit = 0; - __pformat_fpreg_t z = init_fpreg_ldouble( x ); - - /* First check for NaN; it is emitted unsigned... - */ - if( isnan( x ) ) - __pformat_emit_inf_or_nan( sign_bit, "NaN", stream ); - - else - { /* Capture the sign bit up-front, so we can show it correctly - * even when the argument value is zero or infinite. - */ - if( (sign_bit = (z.__pformat_fpreg_exponent & 0x8000)) != 0 ) - stream->flags |= PFORMAT_NEGATIVE; - - /* Check for infinity, (positive or negative)... - */ - if( isinf( x ) ) - /* - * displaying the appropriately signed indicator, - * when appropriate. - */ - __pformat_emit_inf_or_nan( sign_bit, "Inf", stream ); - - else - { /* The argument value is a representable number... - * extract the effective value of the biased exponent... - */ - z.__pformat_fpreg_exponent &= 0x7FFF; - if( z.__pformat_fpreg_exponent == 0 ) - { - /* A biased exponent value of zero means either a - * true zero value, if the mantissa field also has - * a zero value, otherwise... - */ - if( z.__pformat_fpreg_mantissa != 0 ) - { - /* ...this mantissa represents a subnormal value. - */ - z.__pformat_fpreg_exponent = 1 - 0x3FFF; - } - } - else - /* This argument represents a non-zero normal number; - * eliminate the bias from the exponent... - */ - z.__pformat_fpreg_exponent -= 0x3FFF; - - /* Finally, hand the adjusted representation off to the - * generalised hexadecimal floating point format handler... - */ - __pformat_emit_xfloat( z, stream ); - } - } -} - -static -void __pformat_xdouble( double x, __pformat_t *stream ) -{ - /* Handler for `%la' and `%lA' format specifiers, (with argument - * value specified as `double' type). - */ - unsigned sign_bit = 0; - __pformat_fpreg_t z = init_fpreg_ldouble( (long double)x ); - - /* First check for NaN; it is emitted unsigned... - */ - if( isnan( x ) ) - __pformat_emit_inf_or_nan( sign_bit, "NaN", stream ); - - else - { /* Capture the sign bit up-front, so we can show it correctly - * even when the argument value is zero or infinite. - */ - if( (sign_bit = (z.__pformat_fpreg_exponent & 0x8000)) != 0 ) - stream->flags |= PFORMAT_NEGATIVE; - - /* Check for infinity, (positive or negative)... - */ - if( isinf( x ) ) - /* - * displaying the appropriately signed indicator, - * when appropriate. - */ - __pformat_emit_inf_or_nan( sign_bit, "Inf", stream ); - - else - { /* The argument value is a representable number... - * extract the effective value of the biased exponent... - */ - z.__pformat_fpreg_exponent &= 0x7FFF; - - /* If the double value was a denormalized number, it might have been renormalized by - * the conversion to long double. We will redenormalize it. - */ - if( z.__pformat_fpreg_exponent != 0 && z.__pformat_fpreg_exponent <= (0x3FFF - 0x3FF) ) - { - int shifted = (0x3FFF - 0x3FF) - z.__pformat_fpreg_exponent + 1; - z.__pformat_fpreg_mantissa >>= shifted; - z.__pformat_fpreg_exponent += shifted; - } - - if( z.__pformat_fpreg_exponent == 0 ) - { - /* A biased exponent value of zero means either a - * true zero value, if the mantissa field also has - * a zero value, otherwise... - */ - if( z.__pformat_fpreg_mantissa != 0 ) - { - /* ...this mantissa represents a subnormal value. - */ - z.__pformat_fpreg_exponent = 1 - 0x3FF + 3; - } - } - else - /* This argument represents a non-zero normal number; - * eliminate the bias from the exponent... - */ - z.__pformat_fpreg_exponent -= 0x3FFF - 3; - - /* Shift the mantissa so the leading 4 bits digit is 0 or 1. - * The exponent was also adjusted by 3 previously. - */ - z.__pformat_fpreg_mantissa >>= 3; - - /* Finally, hand the adjusted representation off to the - * generalised hexadecimal floating point format handler... - */ - __pformat_emit_xfloat( z, stream ); - } - } -} - -int -__pformat (int flags, void *dest, int max, const APICHAR *fmt, va_list argv) -{ - int c; - int saved_errno = errno; - - __pformat_t stream = - { - /* Create and initialise a format control block - * for this output request. - */ - dest, /* output goes to here */ - flags &= PFORMAT_TO_FILE | PFORMAT_NOLIMIT, /* only these valid initially */ - PFORMAT_IGNORE, /* no field width yet */ - PFORMAT_IGNORE, /* nor any precision spec */ - PFORMAT_RPINIT, /* radix point uninitialised */ - (wchar_t)(0), /* leave it unspecified */ - 0, - (wchar_t)(0), /* leave it unspecified */ - 0, /* zero output char count */ - max, /* establish output limit */ - -1 /* exponent chars preferred; - -1 means to be determined. */ - }; - -#ifdef __BUILD_WIDEAPI - const APICHAR *literal_string_start = NULL; -#endif - - format_scan: while( (c = *fmt++) != 0 ) - { - /* Format string parsing loop... - * The entry point is labelled, so that we can return to the start state - * from within the inner `conversion specification' interpretation loop, - * as soon as a conversion specification has been resolved. - */ - if( c == '%' ) - { - /* Initiate parsing of a `conversion specification'... - */ - __pformat_intarg_t argval; - __pformat_state_t state = PFORMAT_INIT; - __pformat_length_t length = PFORMAT_LENGTH_INT; - - /* Save the current format scan position, so that we can backtrack - * in the event of encountering an invalid format specification... - */ - const APICHAR *backtrack = fmt; - - /* Restart capture for dynamic field width and precision specs... - */ - int *width_spec = &stream.width; - - #ifdef __BUILD_WIDEAPI - if (literal_string_start) - { - stream.width = stream.precision = PFORMAT_IGNORE; - __pformat_wputchars( literal_string_start, fmt - literal_string_start - 1, &stream ); - literal_string_start = NULL; - } - #endif - - /* Reset initial state for flags, width and precision specs... - */ - stream.flags = flags; - stream.width = stream.precision = PFORMAT_IGNORE; - - while( *fmt ) - { - switch( c = *fmt++ ) - { - /* Data type specifiers... - * All are terminal, so exit the conversion spec parsing loop - * with a `goto format_scan', thus resuming at the outer level - * in the regular format string parser. - */ - case '%': - /* - * Not strictly a data type specifier... - * it simply converts as a literal `%' character. - * - * FIXME: should we require this to IMMEDIATELY follow the - * initial `%' of the "conversion spec"? (glibc `printf()' - * on GNU/Linux does NOT appear to require this, but POSIX - * and SUSv3 do seem to demand it). - */ - #ifndef __BUILD_WIDEAPI - __pformat_putc( c, &stream ); - #else - stream.width = stream.precision = PFORMAT_IGNORE; - __pformat_wputchars( L"%", 1, &stream ); - #endif - goto format_scan; - - case 'C': - /* - * Equivalent to `%lc'; set `length' accordingly, - * and simply fall through. - */ - length = PFORMAT_LENGTH_LONG; - - case 'c': - /* - * Single, (or single multibyte), character output... - * - * We handle these by copying the argument into our local - * `argval' buffer, and then we pass the address of that to - * either `__pformat_putchars()' or `__pformat_wputchars()', - * as appropriate, effectively formatting it as a string of - * the appropriate type, with a length of one. - * - * A side effect of this method of handling character data - * is that, if the user sets a precision of zero, then no - * character is actually emitted; we don't want that, so we - * forcibly override any user specified precision. - */ - stream.precision = PFORMAT_IGNORE; - - /* Now we invoke the appropriate format handler... - */ - if( (length == PFORMAT_LENGTH_LONG) - || (length == PFORMAT_LENGTH_LLONG) ) - { - /* considering any `long' type modifier as a reference to - * `wchar_t' data, (which is promoted to an `int' argument)... - */ - wchar_t iargval = (wchar_t)(va_arg( argv, int )); - __pformat_wputchars( &iargval, 1, &stream ); - } - else - { /* while anything else is simply taken as `char', (which - * is also promoted to an `int' argument)... - */ - argval.__pformat_uchar_t = (unsigned char)(va_arg( argv, int )); - __pformat_putchars( (char *)(&argval), 1, &stream ); - } - goto format_scan; - - case 'S': - /* - * Equivalent to `%ls'; set `length' accordingly, - * and simply fall through. - */ - length = PFORMAT_LENGTH_LONG; - - case 's': - if( (length == PFORMAT_LENGTH_LONG) - || (length == PFORMAT_LENGTH_LLONG)) - { - /* considering any `long' type modifier as a reference to - * a `wchar_t' string... - */ - __pformat_wcputs( va_arg( argv, wchar_t * ), &stream ); - } - else - /* This is normal string output; - * we simply invoke the appropriate handler... - */ - __pformat_puts( va_arg( argv, char * ), &stream ); - goto format_scan; - case 'm': /* strerror (errno) */ - __pformat_puts (strerror (saved_errno), &stream); - goto format_scan; - - case 'o': - case 'u': - case 'x': - case 'X': - /* - * Unsigned integer values; octal, decimal or hexadecimal format... - */ - stream.flags &= ~PFORMAT_POSITIVE; -#if __ENABLE_PRINTF128 - argval.__pformat_u128_t.t128.digits[1] = 0LL; /* no sign extend needed */ - if( length == PFORMAT_LENGTH_LLONG128 ) - argval.__pformat_u128_t.t128 = va_arg( argv, __tI128 ); - else -#endif - if( length == PFORMAT_LENGTH_LLONG ) { - /* - * with an `unsigned long long' argument, which we - * process `as is'... - */ - argval.__pformat_ullong_t = va_arg( argv, unsigned long long ); - - } else if( length == PFORMAT_LENGTH_LONG ) { - /* - * or with an `unsigned long', which we promote to - * `unsigned long long'... - */ - argval.__pformat_ullong_t = va_arg( argv, unsigned long ); - - } else - { /* or for any other size, which will have been promoted - * to `unsigned int', we select only the appropriately sized - * least significant segment, and again promote to the same - * size as `unsigned long long'... - */ - argval.__pformat_ullong_t = va_arg( argv, unsigned int ); - if( length == PFORMAT_LENGTH_SHORT ) - /* - * from `unsigned short'... - */ - argval.__pformat_ullong_t = argval.__pformat_ushort_t; - - else if( length == PFORMAT_LENGTH_CHAR ) - /* - * or even from `unsigned char'... - */ - argval.__pformat_ullong_t = argval.__pformat_uchar_t; - } - - /* so we can pass any size of argument to either of two - * common format handlers... - */ - if( c == 'u' ) - /* - * depending on whether output is to be encoded in - * decimal format... - */ - __pformat_int( argval, &stream ); - - else - /* or in octal or hexadecimal format... - */ - __pformat_xint( c, argval, &stream ); - - goto format_scan; - - case 'd': - case 'i': - /* - * Signed integer values; decimal format... - * This is similar to `u', but must process `argval' as signed, - * and be prepared to handle negative numbers. - */ - stream.flags |= PFORMAT_NEGATIVE; -#if __ENABLE_PRINTF128 - if( length == PFORMAT_LENGTH_LLONG128 ) { - argval.__pformat_u128_t.t128 = va_arg( argv, __tI128 ); - goto skip_sign; /* skip sign extend */ - } else -#endif - if( length == PFORMAT_LENGTH_LLONG ){ - /* - * The argument is a `long long' type... - */ - argval.__pformat_u128_t.t128.digits[0] = va_arg( argv, long long ); - } else if( length == PFORMAT_LENGTH_LONG ) { - /* - * or here, a `long' type... - */ - argval.__pformat_u128_t.t128.digits[0] = va_arg( argv, long ); - } else - { /* otherwise, it's an `int' type... - */ - argval.__pformat_u128_t.t128.digits[0] = va_arg( argv, int ); - if( length == PFORMAT_LENGTH_SHORT ) - /* - * but it was promoted from a `short' type... - */ - argval.__pformat_u128_t.t128.digits[0] = argval.__pformat_short_t; - else if( length == PFORMAT_LENGTH_CHAR ) - /* - * or even from a `char' type... - */ - argval.__pformat_u128_t.t128.digits[0] = argval.__pformat_char_t; - } - - /* In any case, all share a common handler... - */ - argval.__pformat_u128_t.t128.digits[1] = (argval.__pformat_llong_t < 0) ? -1LL : 0LL; -#if __ENABLE_PRINTF128 - skip_sign: -#endif - __pformat_int( argval, &stream ); - goto format_scan; - - case 'p': - /* - * Pointer argument; format as hexadecimal, subject to... - */ - if( (state == PFORMAT_INIT) && (stream.flags == flags) ) - { - /* Here, the user didn't specify any particular - * formatting attributes. We must choose a default - * which will be compatible with Microsoft's (broken) - * scanf() implementation, (i.e. matching the default - * used by MSVCRT's printf(), which appears to resemble - * "%0.8X" for 32-bit pointers); in particular, we MUST - * NOT adopt a GNU-like format resembling "%#x", because - * Microsoft's scanf() will choke on the "0x" prefix. - */ - stream.flags |= PFORMAT_ZEROFILL; - stream.precision = 2 * sizeof( uintptr_t ); - } - argval.__pformat_u128_t.t128.digits[0] = va_arg( argv, uintptr_t ); - argval.__pformat_u128_t.t128.digits[1] = 0; - __pformat_xint( 'x', argval, &stream ); - goto format_scan; - - case 'e': - /* - * Floating point format, with lower case exponent indicator - * and lower case `inf' or `nan' representation when required; - * select lower case mode, and simply fall through... - */ - stream.flags |= PFORMAT_XCASE; - - case 'E': - /* - * Floating point format, with upper case exponent indicator - * and upper case `INF' or `NAN' representation when required, - * (or lower case for all of these, on fall through from above); - * select lower case mode, and simply fall through... - */ -#ifdef __ENABLE_DFP - if( stream.flags & PFORMAT_DECIM32 ) - /* Is a 32bit decimal float */ - __pformat_efloat_decimal((_Decimal128)va_arg( argv, _Decimal32 ), &stream ); - else if( stream.flags & PFORMAT_DECIM64 ) - /* - * Is a 64bit decimal float - */ - __pformat_efloat_decimal((_Decimal128)va_arg( argv, _Decimal64 ), &stream ); - else if( stream.flags & PFORMAT_DECIM128 ) - /* - * Is a 128bit decimal float - */ - __pformat_efloat_decimal(va_arg( argv, _Decimal128 ), &stream ); - else -#endif /* __ENABLE_DFP */ - if( stream.flags & PFORMAT_LDOUBLE ) - /* - * for a `long double' argument... - */ - __pformat_efloat( va_arg( argv, long double ), &stream ); - - else - /* or just a `double', which we promote to `long double', - * so the two may share a common format handler. - */ - __pformat_efloat( (long double)(va_arg( argv, double )), &stream ); - - goto format_scan; - - case 'f': - /* - * Fixed point format, using lower case for `inf' and - * `nan', when appropriate; select lower case mode, and - * simply fall through... - */ - stream.flags |= PFORMAT_XCASE; - - case 'F': - /* - * Fixed case format using upper case, or lower case on - * fall through from above, for `INF' and `NAN'... - */ -#ifdef __ENABLE_DFP - if( stream.flags & PFORMAT_DECIM32 ) - /* Is a 32bit decimal float */ - __pformat_float_decimal((_Decimal128)va_arg( argv, _Decimal32 ), &stream ); - else if( stream.flags & PFORMAT_DECIM64 ) - /* - * Is a 64bit decimal float - */ - __pformat_float_decimal((_Decimal128)va_arg( argv, _Decimal64 ), &stream ); - else if( stream.flags & PFORMAT_DECIM128 ) - /* - * Is a 128bit decimal float - */ - __pformat_float_decimal(va_arg( argv, _Decimal128 ), &stream ); - else -#endif /* __ENABLE_DFP */ - if( stream.flags & PFORMAT_LDOUBLE ) - /* - * for a `long double' argument... - */ - __pformat_float( va_arg( argv, long double ), &stream ); - - else - /* or just a `double', which we promote to `long double', - * so the two may share a common format handler. - */ - __pformat_float( (long double)(va_arg( argv, double )), &stream ); - - goto format_scan; - - case 'g': - /* - * Generalised floating point format, with lower case - * exponent indicator when required; select lower case - * mode, and simply fall through... - */ - stream.flags |= PFORMAT_XCASE; - - case 'G': - /* - * Generalised floating point format, with upper case, - * or on fall through from above, with lower case exponent - * indicator when required... - */ -#ifdef __ENABLE_DFP - if( stream.flags & PFORMAT_DECIM32 ) - /* Is a 32bit decimal float */ - __pformat_gfloat_decimal((_Decimal128)va_arg( argv, _Decimal32 ), &stream ); - else if( stream.flags & PFORMAT_DECIM64 ) - /* - * Is a 64bit decimal float - */ - __pformat_gfloat_decimal((_Decimal128)va_arg( argv, _Decimal64 ), &stream ); - else if( stream.flags & PFORMAT_DECIM128 ) - /* - * Is a 128bit decimal float - */ - __pformat_gfloat_decimal(va_arg( argv, _Decimal128 ), &stream ); - else -#endif /* __ENABLE_DFP */ - if( stream.flags & PFORMAT_LDOUBLE ) - /* - * for a `long double' argument... - */ - __pformat_gfloat( va_arg( argv, long double ), &stream ); - - else - /* or just a `double', which we promote to `long double', - * so the two may share a common format handler. - */ - __pformat_gfloat( (long double)(va_arg( argv, double )), &stream ); - - goto format_scan; - - case 'a': - /* - * Hexadecimal floating point format, with lower case radix - * and exponent indicators; select the lower case mode, and - * fall through... - */ - stream.flags |= PFORMAT_XCASE; - - case 'A': - /* - * Hexadecimal floating point format; handles radix and - * exponent indicators in either upper or lower case... - */ - if( sizeof( double ) != sizeof( long double ) && stream.flags & PFORMAT_LDOUBLE ) - /* - * with a `long double' argument... - */ - __pformat_xldouble( va_arg( argv, long double ), &stream ); - - else - /* or just a `double'. - */ - __pformat_xdouble( va_arg( argv, double ), &stream ); - - goto format_scan; - - case 'n': - /* - * Save current output character count... - */ - if( length == PFORMAT_LENGTH_CHAR ) - /* - * to a signed `char' destination... - */ - *va_arg( argv, char * ) = stream.count; - - else if( length == PFORMAT_LENGTH_SHORT ) - /* - * or to a signed `short'... - */ - *va_arg( argv, short * ) = stream.count; - - else if( length == PFORMAT_LENGTH_LONG ) - /* - * or to a signed `long'... - */ - *va_arg( argv, long * ) = stream.count; - - else if( length == PFORMAT_LENGTH_LLONG ) - /* - * or to a signed `long long'... - */ - *va_arg( argv, long long * ) = stream.count; - - else - /* - * or, by default, to a signed `int'. - */ - *va_arg( argv, int * ) = stream.count; - - goto format_scan; - - /* Argument length modifiers... - * These are non-terminal; each sets the format parser - * into the PFORMAT_END state, and ends with a `break'. - */ - case 'h': - /* - * Interpret the argument as explicitly of a `short' - * or `char' data type, truncated from the standard - * length defined for integer promotion. - */ - if( *fmt == 'h' ) - { - /* Modifier is `hh'; data type is `char' sized... - * Skip the second `h', and set length accordingly. - */ - ++fmt; - length = PFORMAT_LENGTH_CHAR; - } - - else - /* Modifier is `h'; data type is `short' sized... - */ - length = PFORMAT_LENGTH_SHORT; - - state = PFORMAT_END; - break; - - case 'j': - /* - * Interpret the argument as being of the same size as - * a `intmax_t' entity... - */ - length = __pformat_arg_length( intmax_t ); - state = PFORMAT_END; - break; - -# ifdef _WIN32 - - case 'I': - /* - * The MSVCRT implementation of the printf() family of - * functions explicitly uses... - */ -#ifdef __ENABLE_PRINTF128 - if( (fmt[0] == '1') && (fmt[1] == '2') && (fmt[2] == '8')){ - length = PFORMAT_LENGTH_LLONG128; - fmt += 3; - } else -#endif - if( (fmt[0] == '6') && (fmt[1] == '4') ) - { - /* I64' instead of `ll', - * when referring to `long long' integer types... - */ - length = PFORMAT_LENGTH_LLONG; - fmt += 2; - } else - if( (fmt[0] == '3') && (fmt[1] == '2') ) - { - /* and `I32' instead of `l', - * when referring to `long' integer types... - */ - length = PFORMAT_LENGTH_LONG; - fmt += 2; - } - - else - /* or unqualified `I' instead of `t' or `z', - * when referring to `ptrdiff_t' or `size_t' entities; - * (we will choose to map it to `ptrdiff_t'). - */ - length = __pformat_arg_length( ptrdiff_t ); - - state = PFORMAT_END; - break; - -# endif - -#ifdef __ENABLE_DFP - case 'H': - stream.flags |= PFORMAT_DECIM32; - state = PFORMAT_END; - break; - - case 'D': - /* - * Interpret the argument as explicitly of a - * `_Decimal64' or `_Decimal128' data type. - */ - if( *fmt == 'D' ) - { - /* Modifier is `DD'; data type is `_Decimal128' sized... - * Skip the second `D', and set length accordingly. - */ - ++fmt; - stream.flags |= PFORMAT_DECIM128; - } - - else - /* Modifier is `D'; data type is `_Decimal64' sized... - */ - stream.flags |= PFORMAT_DECIM64; - - state = PFORMAT_END; - break; -#endif /* __ENABLE_DFP */ - case 'l': - /* - * Interpret the argument as explicitly of a - * `long' or `long long' data type. - */ - if( *fmt == 'l' ) - { - /* Modifier is `ll'; data type is `long long' sized... - * Skip the second `l', and set length accordingly. - */ - ++fmt; - length = PFORMAT_LENGTH_LLONG; - } - - else - /* Modifier is `l'; data type is `long' sized... - */ - length = PFORMAT_LENGTH_LONG; - - state = PFORMAT_END; - break; - - case 'L': - /* - * Identify the appropriate argument as a `long double', - * when associated with `%a', `%A', `%e', `%E', `%f', `%F', - * `%g' or `%G' format specifications. - */ - stream.flags |= PFORMAT_LDOUBLE; - state = PFORMAT_END; - break; - - case 't': - /* - * Interpret the argument as being of the same size as - * a `ptrdiff_t' entity... - */ - length = __pformat_arg_length( ptrdiff_t ); - state = PFORMAT_END; - break; - - case 'z': - /* - * Interpret the argument as being of the same size as - * a `size_t' entity... - */ - length = __pformat_arg_length( size_t ); - state = PFORMAT_END; - break; - - /* Precision indicator... - * May appear once only; it must precede any modifier - * for argument length, or any data type specifier. - */ - case '.': - if( state < PFORMAT_GET_PRECISION ) - { - /* We haven't seen a precision specification yet, - * so initialise it to zero, (in case no digits follow), - * and accept any following digits as the precision. - */ - stream.precision = 0; - width_spec = &stream.precision; - state = PFORMAT_GET_PRECISION; - } - - else - /* We've already seen a precision specification, - * so this is just junk; proceed to end game. - */ - state = PFORMAT_END; - - /* Either way, we must not fall through here. - */ - break; - - /* Variable field width, or precision specification, - * derived from the argument list... - */ - case '*': - /* - * When this appears... - */ - if( width_spec - && ((state == PFORMAT_INIT) || (state == PFORMAT_GET_PRECISION)) ) - { - /* in proper context; assign to field width - * or precision, as appropriate. - */ - if( (*width_spec = va_arg( argv, int )) < 0 ) - { - /* Assigned value was negative... - */ - if( state == PFORMAT_INIT ) - { - /* For field width, this is equivalent to - * a positive value with the `-' flag... - */ - stream.flags |= PFORMAT_LJUSTIFY; - stream.width = -stream.width; - } - - else - /* while as a precision specification, - * it should simply be ignored. - */ - stream.precision = PFORMAT_IGNORE; - } - } - - else - /* out of context; give up on width and precision - * specifications for this conversion. - */ - state = PFORMAT_END; - - /* Mark as processed... - * we must not see `*' again, in this context. - */ - width_spec = NULL; - break; - - /* Formatting flags... - * Must appear while in the PFORMAT_INIT state, - * and are non-terminal, so again, end with `break'. - */ - case '#': - /* - * Select alternate PFORMAT_HASHED output style. - */ - if( state == PFORMAT_INIT ) - stream.flags |= PFORMAT_HASHED; - break; - - case '+': - /* - * Print a leading sign with numeric output, - * for both positive and negative values. - */ - if( state == PFORMAT_INIT ) - stream.flags |= PFORMAT_POSITIVE; - break; - - case '-': - /* - * Select left justification of displayed output - * data, within the output field width, instead of - * the default flush right justification. - */ - if( state == PFORMAT_INIT ) - stream.flags |= PFORMAT_LJUSTIFY; - break; - - case '\'': - /* - * This is an XSI extension to the POSIX standard, - * which we do not support, at present. - */ - if (state == PFORMAT_INIT) - { - stream.flags |= PFORMAT_GROUPED; /* $$$$ */ - int len; wchar_t rpchr; mbstate_t cstate; - memset (&cstate, 0, sizeof(state)); - if ((len = mbrtowc( &rpchr, localeconv()->thousands_sep, 16, &cstate)) > 0) - stream.thousands_chr = rpchr; - stream.thousands_chr_len = len; - } - break; - - case '\x20': - /* - * Reserve a single space, within the output field, - * for display of the sign of signed data; this will - * be occupied by the minus sign, if the data value - * is negative, or by a plus sign if the data value - * is positive AND the `+' flag is also present, or - * by a space otherwise. (Technically, this flag - * is redundant, if the `+' flag is present). - */ - if( state == PFORMAT_INIT ) - stream.flags |= PFORMAT_ADDSPACE; - break; - - case '0': - /* - * May represent a flag, to activate the `pad with zeros' - * option, or it may simply be a digit in a width or in a - * precision specification... - */ - if( state == PFORMAT_INIT ) - { - /* This is the flag usage... - */ - stream.flags |= PFORMAT_ZEROFILL; - break; - } - - default: - /* - * If we didn't match anything above, then we will check - * for digits, which we may accumulate to generate field - * width or precision specifications... - */ - if( (state < PFORMAT_END) && ('9' >= c) && (c >= '0') ) - { - if( state == PFORMAT_INIT ) - /* - * Initial digits explicitly relate to field width... - */ - state = PFORMAT_SET_WIDTH; - - else if( state == PFORMAT_GET_PRECISION ) - /* - * while those following a precision indicator - * explicitly relate to precision. - */ - state = PFORMAT_SET_PRECISION; - - if( width_spec ) - { - /* We are accepting a width or precision specification... - */ - if( *width_spec < 0 ) - /* - * and accumulation hasn't started yet; we simply - * initialise the accumulator with the current digit - * value, converting from ASCII to decimal. - */ - *width_spec = c - '0'; - - else - /* Accumulation has already started; we perform a - * `leftwise decimal digit shift' on the accumulator, - * (i.e. multiply it by ten), then add the decimal - * equivalent value of the current digit. - */ - *width_spec = *width_spec * 10 + c - '0'; - } - } - - else - { - /* We found a digit out of context, or some other character - * with no designated meaning; reject this format specification, - * backtrack, and emit it as literal text... - */ - fmt = backtrack; - #ifndef __BUILD_WIDEAPI - __pformat_putc( '%', &stream ); - #else - stream.width = stream.precision = PFORMAT_IGNORE; - __pformat_wputchars( L"%", 1, &stream ); - #endif - goto format_scan; - } - } - } - } - - else - /* We just parsed a character which is not included within any format - * specification; we simply emit it as a literal. - */ - #ifndef __BUILD_WIDEAPI - __pformat_putc( c, &stream ); - #else - if (literal_string_start == NULL) - literal_string_start = fmt - 1; - #endif - } - - /* When we have fully dispatched the format string, the return value is the - * total number of bytes we transferred to the output destination. - */ -#ifdef __BUILD_WIDEAPI - if (literal_string_start) - { - stream.width = stream.precision = PFORMAT_IGNORE; - __pformat_wputchars( literal_string_start, fmt - literal_string_start - 1, &stream ); - } -#endif - - return stream.count; -} - -/* $RCSfile: pformat.c,v $Revision: 1.9 $: end of file */ - diff --git a/lib/libc/mingw/stdio/mingw_pformat.h b/lib/libc/mingw/stdio/mingw_pformat.h deleted file mode 100644 index 4777804322..0000000000 --- a/lib/libc/mingw/stdio/mingw_pformat.h +++ /dev/null @@ -1,99 +0,0 @@ -#ifndef PFORMAT_H -/* - * pformat.h - * - * $Id: pformat.h,v 1.1 2008/07/28 23:24:20 keithmarshall Exp $ - * - * A private header, defining the `pformat' API; it is to be included - * in each compilation unit implementing any of the `printf' family of - * functions, but serves no useful purpose elsewhere. - * - * Written by Keith Marshall - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - */ -#define PFORMAT_H - -/* The following macros reproduce definitions from _mingw.h, - * so that compilation will not choke, if using any compiler - * other than the MinGW implementation of GCC. - */ -#ifndef __cdecl -# ifdef __GNUC__ -# define __cdecl __attribute__((__cdecl__)) -# else -# define __cdecl -# endif -#endif - -#ifndef __MINGW_GNUC_PREREQ -# if defined __GNUC__ && defined __GNUC_MINOR__ -# define __MINGW_GNUC_PREREQ( major, minor )\ - (__GNUC__ > (major) || (__GNUC__ == (major) && __GNUC_MINOR__ >= (minor))) -# else -# define __MINGW_GNUC_PREREQ( major, minor ) -# endif -#endif - -#ifndef __MINGW_NOTHROW -# if __MINGW_GNUC_PREREQ( 3, 3 ) -# define __MINGW_NOTHROW __attribute__((__nothrow__)) -# else -# define __MINGW_NOTHROW -# endif -#endif - -#ifdef __BUILD_WIDEAPI -#define APICHAR wchar_t -#else -#define APICHAR char -#endif - -/* The following are the declarations specific to the `pformat' API... - */ -#define PFORMAT_TO_FILE 0x2000 -#define PFORMAT_NOLIMIT 0x4000 - -#if defined(__MINGW32__) || defined(__MINGW64__) - /* - * Map MinGW specific function names, for use in place of the generic - * implementation defined equivalent function names. - */ -#ifdef __BUILD_WIDEAPI -# define __pformat __mingw_wpformat -#define __fputc(X,STR) fputwc((wchar_t) (X), (STR)) - -# define __printf __mingw_wprintf -# define __fprintf __mingw_fwprintf -# define __sprintf __mingw_swprintf -# define __snprintf __mingw_snwprintf - -# define __vprintf __mingw_vwprintf -# define __vfprintf __mingw_vfwprintf -# define __vsprintf __mingw_vswprintf -# define __vsnprintf __mingw_vsnwprintf -#else -# define __pformat __mingw_pformat -#define __fputc(X,STR) fputc((X), (STR)) - -# define __printf __mingw_printf -# define __fprintf __mingw_fprintf -# define __sprintf __mingw_sprintf -# define __snprintf __mingw_snprintf - -# define __vprintf __mingw_vprintf -# define __vfprintf __mingw_vfprintf -# define __vsprintf __mingw_vsprintf -# define __vsnprintf __mingw_vsnprintf -#endif /* __BUILD_WIDEAPI */ -#endif - -int __cdecl __pformat(int, void *, int, const APICHAR *, va_list) __MINGW_NOTHROW; -#endif /* !defined PFORMAT_H */ diff --git a/lib/libc/mingw/stdio/mingw_pformatw.c b/lib/libc/mingw/stdio/mingw_pformatw.c deleted file mode 100644 index 2c7cd1eade..0000000000 --- a/lib/libc/mingw/stdio/mingw_pformatw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_pformat.c" - diff --git a/lib/libc/mingw/stdio/mingw_printf.c b/lib/libc/mingw/stdio/mingw_printf.c deleted file mode 100644 index fbd2e7d90b..0000000000 --- a/lib/libc/mingw/stdio/mingw_printf.c +++ /dev/null @@ -1,59 +0,0 @@ -/* printf.c - * - * $Id: printf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "printf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "printf" will normally be invoked by calling - * "__mingw_printf()" in preference to a direct reference to "printf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "print()". Users who then - * wish to use this implementation may either call "__mingw_printf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "printf()" to "__mingw_printf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "printf()" in user - * code will ALWAYS be redirected to "__mingw_printf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "printf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_printf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __printf(const APICHAR *, ...) __MINGW_NOTHROW; - -int __cdecl __printf(const APICHAR *fmt, ...) -{ - register int retval; - va_list argv; va_start( argv, fmt ); - _lock_file( stdout ); - retval = __pformat( PFORMAT_TO_FILE | PFORMAT_NOLIMIT, stdout, 0, fmt, argv ); - _unlock_file( stdout ); - va_end( argv ); - return retval; -} - diff --git a/lib/libc/mingw/stdio/mingw_printfw.c b/lib/libc/mingw/stdio/mingw_printfw.c deleted file mode 100644 index db65c93e8c..0000000000 --- a/lib/libc/mingw/stdio/mingw_printfw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_printf.c" - diff --git a/lib/libc/mingw/stdio/mingw_scanf.c b/lib/libc/mingw/stdio/mingw_scanf.c deleted file mode 100644 index ebec7d48bc..0000000000 --- a/lib/libc/mingw/stdio/mingw_scanf.c +++ /dev/null @@ -1,28 +0,0 @@ -#include -#include -#include - -extern int __mingw_vfscanf (FILE *stream, const char *format, va_list argp); - -int __mingw_scanf (const char *format, ...); -int __mingw_vscanf (const char *format, va_list argp); - -int -__mingw_scanf (const char *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vfscanf (stdin, format, argp); - va_end (argp); - - return r; -} - -int -__mingw_vscanf (const char *format, va_list argp) -{ - return __mingw_vfscanf (stdin, format, argp); -} - diff --git a/lib/libc/mingw/stdio/mingw_snprintf.c b/lib/libc/mingw/stdio/mingw_snprintf.c deleted file mode 100644 index 0c0d76220b..0000000000 --- a/lib/libc/mingw/stdio/mingw_snprintf.c +++ /dev/null @@ -1,40 +0,0 @@ -/* snprintf.c - * - * $Id: snprintf.c,v 1.3 2008/07/28 23:24:20 keithmarshall Exp $ - * - * Provides an implementation of the "snprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, replacing the redirection through - * libmoldnames.a, to the MSVCRT standard "_snprintf" function; (the - * standard MSVCRT function remains available, and may be invoked - * directly, using this fully qualified form of its name). - * - * Written by Keith Marshall - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ - -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __snprintf (APICHAR *, size_t, const APICHAR *fmt, ...) __MINGW_NOTHROW; -int __cdecl __vsnprintf (APICHAR *, size_t, const APICHAR *fmt, va_list) __MINGW_NOTHROW; - -int __cdecl __snprintf(APICHAR *buf, size_t length, const APICHAR *fmt, ...) -{ - va_list argv; va_start( argv, fmt ); - register int retval = __vsnprintf( buf, length, fmt, argv ); - va_end( argv ); - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_sprintf.c b/lib/libc/mingw/stdio/mingw_sprintf.c deleted file mode 100644 index 4b46eb5322..0000000000 --- a/lib/libc/mingw/stdio/mingw_sprintf.c +++ /dev/null @@ -1,56 +0,0 @@ -/* sprintf.c - * - * $Id: sprintf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "sprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "sprintf" will normally be invoked by calling - * "__mingw_sprintf()" in preference to a direct reference to "sprintf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "sprint()". Users who then - * wish to use this implementation may either call "__mingw_sprintf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "sprintf()" to "__mingw_sprintf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "sprintf()" in user - * code will ALWAYS be redirected to "__mingw_sprintf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "sprintf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_sprintf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __sprintf (APICHAR *, const APICHAR *, ...) __MINGW_NOTHROW; - -int __cdecl __sprintf(APICHAR *buf, const APICHAR *fmt, ...) -{ - register int retval; - va_list argv; va_start( argv, fmt ); - buf[retval = __pformat( PFORMAT_NOLIMIT, buf, 0, fmt, argv )] = '\0'; - va_end( argv ); - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_sprintfw.c b/lib/libc/mingw/stdio/mingw_sprintfw.c deleted file mode 100644 index 0baf1e4f38..0000000000 --- a/lib/libc/mingw/stdio/mingw_sprintfw.c +++ /dev/null @@ -1,10 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 -#define _CRT_NON_CONFORMING_SWPRINTFS 1 - -#include "mingw_sprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_sscanf.c b/lib/libc/mingw/stdio/mingw_sscanf.c deleted file mode 100644 index e1a8e8bfe3..0000000000 --- a/lib/libc/mingw/stdio/mingw_sscanf.c +++ /dev/null @@ -1,20 +0,0 @@ -#include -#include - -extern int __mingw_vsscanf (const char *buf, const char *format, va_list argp); - -int __mingw_sscanf (const char *buf, const char *format, ...); - -int -__mingw_sscanf (const char *buf, const char *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vsscanf (buf, format, argp); - va_end (argp); - - return r; -} - diff --git a/lib/libc/mingw/stdio/mingw_swscanf.c b/lib/libc/mingw/stdio/mingw_swscanf.c deleted file mode 100644 index 47f9f34f15..0000000000 --- a/lib/libc/mingw/stdio/mingw_swscanf.c +++ /dev/null @@ -1,20 +0,0 @@ -#include -#include - -extern int __mingw_vswscanf (const wchar_t *buf, const wchar_t *format, va_list argp); - -int __mingw_swscanf (const wchar_t *buf, const wchar_t *format, ...); - -int -__mingw_swscanf (const wchar_t *buf, const wchar_t *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vswscanf (buf, format, argp); - va_end (argp); - - return r; -} - diff --git a/lib/libc/mingw/stdio/mingw_vasprintf.c b/lib/libc/mingw/stdio/mingw_vasprintf.c deleted file mode 100644 index 8e3344a274..0000000000 --- a/lib/libc/mingw/stdio/mingw_vasprintf.c +++ /dev/null @@ -1,25 +0,0 @@ -#define _GNU_SOURCE -#define __CRT__NO_INLINE - -#include -#include -#include - -int __mingw_vasprintf(char ** __restrict__ ret, - const char * __restrict__ format, - va_list ap) { - int len; - /* Get Length */ - len = __mingw_vsnprintf(NULL,0,format,ap); - if (len < 0) return -1; - /* +1 for \0 terminator. */ - *ret = malloc(len + 1); - /* Check malloc fail*/ - if (!*ret) return -1; - /* Write String */ - __mingw_vsnprintf(*ret,len+1,format,ap); - /* Terminate explicitly */ - (*ret)[len] = '\0'; - return len; -} - diff --git a/lib/libc/mingw/stdio/mingw_vfprintf.c b/lib/libc/mingw/stdio/mingw_vfprintf.c deleted file mode 100644 index 01ad01b579..0000000000 --- a/lib/libc/mingw/stdio/mingw_vfprintf.c +++ /dev/null @@ -1,58 +0,0 @@ -/* vfprintf.c - * - * $Id: vfprintf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "vfprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "vfprintf" will normally be invoked by calling - * "__mingw_vfprintf()" in preference to a direct reference to "vfprintf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "vfprint()". Users who then - * wish to use this implementation may either call "__mingw_vfprintf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "vfprintf()" to "__mingw_vfprintf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "vfprintf()" in user - * code will ALWAYS be redirected to "__mingw_vfprintf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "vfprintf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_vfprintf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __vfprintf (FILE *, const APICHAR *, va_list) __MINGW_NOTHROW; - -int __cdecl __vfprintf(FILE *stream, const APICHAR *fmt, va_list argv) -{ - register int retval; - - _lock_file( stream ); - retval = __pformat( PFORMAT_TO_FILE | PFORMAT_NOLIMIT, stream, 0, fmt, argv ); - _unlock_file( stream ); - - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_vfprintfw.c b/lib/libc/mingw/stdio/mingw_vfprintfw.c deleted file mode 100644 index 0b86387657..0000000000 --- a/lib/libc/mingw/stdio/mingw_vfprintfw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_vfprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_vfscanf.c b/lib/libc/mingw/stdio/mingw_vfscanf.c deleted file mode 100644 index 6f2d5eb37a..0000000000 --- a/lib/libc/mingw/stdio/mingw_vfscanf.c +++ /dev/null @@ -1,1632 +0,0 @@ -/* - This Software is provided under the Zope Public License (ZPL) Version 2.1. - - Copyright (c) 2011 by the mingw-w64 project - - See the AUTHORS file for the list of contributors to the mingw-w64 project. - - This license has been certified as open source. It has also been designated - as GPL compatible by the Free Software Foundation (FSF). - - Redistribution and use in source and binary forms, with or without - modification, are permitted provided that the following conditions are met: - - 1. Redistributions in source code must retain the accompanying copyright - notice, this list of conditions, and the following disclaimer. - 2. Redistributions in binary form must reproduce the accompanying - copyright notice, this list of conditions, and the following disclaimer - in the documentation and/or other materials provided with the - distribution. - 3. Names of the copyright holders must not be used to endorse or promote - products derived from this software without prior written permission - from the copyright holders. - 4. The right to distribute this software or to use it for any purpose does - not give you the right to use Servicemarks (sm) or Trademarks (tm) of - the copyright holders. Use of them is covered by separate agreement - with the copyright holders. - 5. If any files are modified, you must cause the modified files to carry - prominent notices stating that you changed the files and the date of - any change. - - Disclaimer - - THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ``AS IS'' AND ANY EXPRESSED - OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES - OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO - EVENT SHALL THE COPYRIGHT HOLDERS BE LIABLE FOR ANY DIRECT, INDIRECT, - INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT - LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, - OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF - LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING - NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, - EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. -*/ - -#define __LARGE_MBSTATE_T - -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include - -/* Helper flags for conversion. */ -#define IS_C 0x0001 -#define IS_S 0x0002 -#define IS_L 0x0004 -#define IS_LL 0x0008 -#define IS_SIGNED_NUM 0x0010 -#define IS_POINTER 0x0020 -#define IS_HEX_FLOAT 0x0040 -#define IS_SUPPRESSED 0x0080 -#define USE_GROUP 0x0100 -#define USE_GNU_ALLOC 0x0200 -#define USE_POSIX_ALLOC 0x0400 - -#define IS_ALLOC_USED (USE_GNU_ALLOC | USE_POSIX_ALLOC) - -/* internal stream structure with back-buffer. */ -typedef struct _IFP -{ - __extension__ union { - void *fp; - const char *str; - }; - int bch[1024]; - int is_string : 1; - int back_top; - int seen_eof : 1; -} _IFP; - -static void * -get_va_nth (va_list argp, unsigned int n) -{ - va_list ap; - if (!n) abort (); - va_copy (ap, argp); - while (--n > 0) - (void) va_arg(ap, void *); - return va_arg (ap, void *); -} - -static void -optimize_alloc (char **p, char *end, size_t alloc_sz) -{ - size_t need_sz; - char *h; - - if (!p || !*p) - return; - - need_sz = end - *p; - if (need_sz == alloc_sz) - return; - - if ((h = (char *) realloc (*p, need_sz)) != NULL) - *p = h; -} - -static void -back_ch (int c, _IFP *s, size_t *rin, int not_eof) -{ - if (!not_eof && c == EOF) - return; - if (s->is_string == 0) - { - FILE *fp = s->fp; - ungetc (c, fp); - rin[0] -= 1; - return; - } - rin[0] -= 1; - s->bch[s->back_top] = c; - s->back_top += 1; -} - -static int -in_ch (_IFP *s, size_t *rin) -{ - int r; - if (s->back_top) - { - s->back_top -= 1; - r = s->bch[s->back_top]; - rin[0] += 1; - } - else if (s->seen_eof) - { - return EOF; - } - else if (s->is_string) - { - const char *ps = s->str; - r = ((int) *ps) & 0xff; - ps++; - if (r != 0) - { - rin[0] += 1; - s->str = ps; - return r; - } - s->seen_eof = 1; - return EOF; - } - else - { - FILE *fp = (FILE *) s->fp; - r = getc (fp); - if (r != EOF) - rin[0] += 1; - else s->seen_eof = 1; - } - return r; -} - -static int -match_string (_IFP *s, size_t *rin, int *c, const char *str) -{ - int ch = *c; - - if (*str == 0) - return 1; - - if (*str != (char) tolower (ch)) - return 0; - ++str; - while (*str != 0) - { - if ((ch = in_ch (s, rin)) == EOF) - { - c[0] = ch; - return 0; - } - - if (*str != (char) tolower (ch)) - { - c[0] = ch; - return 0; - } - ++str; - } - c[0] = ch; - return 1; -} - -struct gcollect -{ - size_t count; - struct gcollect *next; - char **ptrs[32]; -}; - -static void -release_ptrs (struct gcollect **pt, char **wbuf) -{ - struct gcollect *pf; - size_t cnt; - - if (wbuf) - { - free (*wbuf); - *wbuf = NULL; - } - if (!pt || (pf = *pt) == NULL) - return; - while (pf != NULL) - { - struct gcollect *pf_sv = pf; - for (cnt = 0; cnt < pf->count; ++cnt) - { - free (*pf->ptrs[cnt]); - *pf->ptrs[cnt] = NULL; - } - pf = pf->next; - free (pf_sv); - } - *pt = NULL; -} - -static int -cleanup_return (int rval, struct gcollect **pfree, char **strp, char **wbuf) -{ - if (rval == EOF) - release_ptrs (pfree, wbuf); - else - { - if (pfree) - { - struct gcollect *pf = *pfree, *pf_sv; - while (pf != NULL) - { - pf_sv = pf; - pf = pf->next; - free (pf_sv); - } - *pfree = NULL; - } - if (strp != NULL) - { - free (*strp); - *strp = NULL; - } - if (wbuf) - { - free (*wbuf); - *wbuf = NULL; - } - } - return rval; -} - -static struct gcollect * -resize_gcollect (struct gcollect *pf) -{ - struct gcollect *np; - if (pf && pf->count < 32) - return pf; - np = malloc (sizeof (struct gcollect)); - np->count = 0; - np->next = pf; - return np; -} - -static char * -resize_wbuf (size_t wpsz, size_t *wbuf_max_sz, char *old) -{ - char *wbuf; - size_t nsz; - if (*wbuf_max_sz != wpsz) - return old; - nsz = (256 > (2 * wbuf_max_sz[0]) ? 256 : (2 * wbuf_max_sz[0])); - if (!old) - wbuf = (char *) malloc (nsz); - else - wbuf = (char *) realloc (old, nsz); - if (!wbuf) - { - if (old) - free (old); - } - else - *wbuf_max_sz = nsz; - return wbuf; -} - -static int -__mingw_sformat (_IFP *s, const char *format, va_list argp) -{ - const char *f = format; - struct gcollect *gcollect = NULL; - size_t read_in = 0, wbuf_max_sz = 0, cnt; - ssize_t str_sz = 0; - char *str = NULL, **pstr = NULL, *wbuf = NULL; - wchar_t *wstr = NULL; - int rval = 0, c = 0, ignore_ws = 0; - va_list arg; - unsigned char fc; - unsigned int npos; - int width, flags, base = 0, errno_sv; - size_t wbuf_cur_sz, read_in_sv, new_sz, n; - char seen_dot, seen_exp, is_neg, not_in; - char *tmp_wbuf_ptr, buf[MB_LEN_MAX]; - const char *lc_decimal_point, *lc_thousands_sep; - mbstate_t state, cstate; - union { - unsigned long long ull; - unsigned long ul; - long long ll; - long l; - } cv_val; - - arg = argp; - - if (!s || s->fp == NULL || !format) - { - errno = EINVAL; - return EOF; - } - - memset (&state, 0, sizeof (state)); - - lc_decimal_point = localeconv()->decimal_point; - lc_thousands_sep = localeconv()->thousands_sep; - if (lc_thousands_sep != NULL && *lc_thousands_sep == 0) - lc_thousands_sep = NULL; - - while (*f != 0) - { - if (!isascii ((unsigned char) *f)) - { - int len; - - if ((len = mbrlen (f, strlen (f), &state)) > 0) - { - do - { - if ((c = in_ch (s, &read_in)) == EOF || c != (unsigned char) *f++) - { - back_ch (c, s, &read_in, 1); - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - } - } - while (--len > 0); - - continue; - } - } - - fc = *f++; - if (fc != '%') - { - if (isspace (fc)) - ignore_ws = 1; - else - { - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - if (ignore_ws) - { - ignore_ws = 0; - if (isspace (c)) - { - do - { - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - } - while (isspace (c)); - } - } - - if (c != fc) - { - back_ch (c, s, &read_in, 0); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - continue; - } - - width = flags = 0; - npos = 0; - wbuf_cur_sz = 0; - - if (isdigit ((unsigned char) *f)) - { - const char *svf = f; - npos = (unsigned char) *f++ - '0'; - while (isdigit ((unsigned char) *f)) - npos = npos * 10 + ((unsigned char) *f++ - '0'); - if (*f != '$') - { - npos = 0; - f = svf; - } - else - f++; - } - - do - { - if (*f == '*') - flags |= IS_SUPPRESSED; - else if (*f == '\'') - { - if (lc_thousands_sep) - flags |= USE_GROUP; - } - else if (*f == 'I') - { - /* we don't support locale's digits (i18N), but ignore it for now silently. */ - ; -#ifdef _WIN32 - if (f[1] == '6' && f[2] == '4') - { - flags |= IS_LL | IS_L; - f += 2; - } - else if (f[1] == '3' && f[2] == '2') - { - flags |= IS_L; - f += 2; - } - else - { -#ifdef _WIN64 - flags |= IS_LL | IS_L; -#else - flags |= IS_L; -#endif - } -#endif - } - else - break; - ++f; - } - while (1); - - while (isdigit ((unsigned char) *f)) - width = width * 10 + ((unsigned char) *f++ - '0'); - - if (!width) - width = -1; - - switch (*f) - { - case 'h': - ++f; - flags |= (*f == 'h' ? IS_C : IS_S); - if (*f == 'h') - ++f; - break; - case 'l': - ++f; - flags |= (*f == 'l' ? IS_LL : 0) | IS_L; - if (*f == 'l') - ++f; - break; - case 'q': case 'L': - ++f; - flags |= IS_LL | IS_L; - break; - case 'a': - if (f[1] != 's' && f[1] != 'S' && f[1] != '[') - break; - ++f; - flags |= USE_GNU_ALLOC; - break; - case 'm': - flags |= USE_POSIX_ALLOC; - ++f; - if (*f == 'l') - { - flags |= IS_L; - f++; - } - break; - case 'z': -#ifdef _WIN64 - flags |= IS_LL | IS_L; -#else - flags |= IS_L; -#endif - ++f; - break; - case 'j': - if (sizeof (uintmax_t) > sizeof (unsigned long)) - flags |= IS_LL; - else if (sizeof (uintmax_t) > sizeof (unsigned int)) - flags |= IS_L; - ++f; - break; - case 't': -#ifdef _WIN64 - flags |= IS_LL; -#else - flags |= IS_L; -#endif - ++f; - break; - case 0: - return cleanup_return (rval, &gcollect, pstr, &wbuf); - default: - break; - } - - if (*f == 0) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - fc = *f++; - if (ignore_ws || (fc != '[' && fc != 'c' && fc != 'C' && fc != 'n')) - { - errno_sv = errno; - errno = 0; - do - { - if ((c == EOF || (c = in_ch (s, &read_in)) == EOF) - && errno == EINTR) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - } - while (isspace (c)); - - ignore_ws = 0; - errno = errno_sv; - back_ch (c, s, &read_in, 0); - } - - switch (fc) - { - case 'c': - if ((flags & IS_L) != 0) - fc = 'C'; - break; - case 's': - if ((flags & IS_L) != 0) - fc = 'S'; - break; - } - - switch (fc) - { - case '%': - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - if (c != fc) - { - back_ch (c, s, &read_in, 1); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - break; - - case 'n': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (long long *) get_va_nth (argp, npos) : va_arg (arg, long long *)) = read_in; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (long *) get_va_nth (argp, npos) : va_arg (arg, long *)) = read_in; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (short *) get_va_nth (argp, npos) : va_arg (arg, short *)) = read_in; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (char *) get_va_nth (argp, npos) : va_arg (arg, char *)) = read_in; - else - *(npos != 0 ? (int *) get_va_nth (argp, npos) : va_arg (arg, int *)) = read_in; - } - break; - - case 'c': - if (width == -1) - width = 1; - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - str_sz = (width > 1024 ? 1024 : width); - if ((str = *pstr = (char *) malloc (str_sz)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - do - { - if ((flags & IS_ALLOC_USED) != 0 && str == (*pstr + str_sz)) - { - new_sz = str_sz + (str_sz >= width ? width - 1 : str_sz); - while ((str = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!str) - { - release_ptrs (&gcollect, &wbuf); - return EOF; - } - *pstr = str; - str += str_sz; - str_sz = new_sz; - } - *str++ = c; - } - while (--width > 0 && (c = in_ch (s, &read_in)) != EOF); - } - else - while (--width > 0 && (c = in_ch (s, &read_in)) != EOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - - break; - - case 'C': - if (width == -1) - width = 1; - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = (width > 1024 ? 1024 : width); - *pstr = (char *) malloc (str_sz * sizeof (wchar_t)); - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&cstate, 0, sizeof (cstate)); - - do - { - buf[0] = c; - - if ((flags & IS_SUPPRESSED) == 0 && (flags & IS_ALLOC_USED) != 0 - && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz + (str_sz > width ? width - 1 : str_sz); - - while ((wstr = (wchar_t *) realloc (*pstr, new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - release_ptrs (&gcollect, &wbuf); - return EOF; - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - - while (1) - { - n = mbrtowc ((flags & IS_SUPPRESSED) == 0 ? wstr : NULL, buf, 1, &cstate); - - if (n == (size_t) -2) - { - if ((c = in_ch (s, &read_in)) == EOF) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - buf[0] = c; - continue; - } - - if (n != 1) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - break; - } - - ++wstr; - } - while (--width > 0 && (c = in_ch (s, &read_in)) != EOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - break; - - case 's': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - str_sz = 100; - if ((str = *pstr = (char *) malloc (100)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - do - { - if (isspace (c)) - { - back_ch (c, s, &read_in, 1); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - *str++ = c; - if ((flags & IS_ALLOC_USED) != 0 && str == (*pstr + str_sz)) - { - new_sz = str_sz * 2; - - while ((str = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!str) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - (*pstr)[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = str; - str += str_sz; - str_sz = new_sz; - } - } - } - while ((width <= 0 || --width > 0) && (c = in_ch (s, &read_in)) != EOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - *str++ = 0; - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - break; - - case 'S': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - str_sz = 100; - *pstr = (char *) malloc (100 * sizeof (wchar_t)); - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&cstate, 0, sizeof (cstate)); - - do - { - if (isspace (c)) - { - back_ch (c, s, &read_in, 1); - break; - } - - buf[0] = c; - - while (1) - { - n = mbrtowc ((flags & IS_SUPPRESSED) == 0 ? wstr : NULL, buf, 1, &cstate); - - if (n == (size_t) -2) - { - if ((c = in_ch (s, &read_in)) == EOF) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - buf[0] = c; - continue; - } - - if (n != 1) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - ++wstr; - break; - } - - if ((flags & IS_SUPPRESSED) == 0 && (flags & IS_ALLOC_USED) != 0 - && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz * 2; - while ((wstr = (wchar_t *) realloc (*pstr, new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - ((wchar_t *) (*pstr))[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - } - while ((width <= 0 || --width > 0) && (c = in_ch (s, &read_in)) != EOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = 0; - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - break; - - case 'd': case 'i': - case 'o': case 'p': - case 'u': - case 'x': case 'X': - switch (fc) - { - case 'd': - flags |= IS_SIGNED_NUM; - base = 10; - break; - case 'i': - flags |= IS_SIGNED_NUM; - base = 0; - break; - case 'o': - base = 8; - break; - case 'p': - base = 16; - flags &= ~(IS_S | IS_LL | IS_L); - #ifdef _WIN64 - flags |= IS_LL; - #endif - flags |= IS_L | IS_POINTER; - break; - case 'u': - base = 10; - break; - case 'x': case 'X': - base = 16; - break; - } - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - if (c == '+' || c == '-') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - if (width > 0) - --width; - c = in_ch (s, &read_in); - } - if (width != 0 && c == '0') - { - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - c = in_ch (s, &read_in); - - if (width != 0 && tolower (c) == 'x') - { - if (!base) - base = 16; - if (base == 16) - { - if (width > 0) - --width; - c = in_ch (s, &read_in); - } - } - else if (!base) - base = 8; - } - - if (!base) - base = 10; - - while (c != EOF && width != 0) - { - if (base == 16) - { - if (!isxdigit (c)) - break; - } - else if (!isdigit (c) || (int) (c - '0') >= base) - { - const char *p = lc_thousands_sep; - int remain; - - if (base != 10 || (flags & USE_GROUP) == 0) - break; - remain = width > 0 ? width : INT_MAX; - while ((unsigned char) *p == c && remain >= 0) - { - /* As our conversion routines aren't supporting thousands - separators, we are filtering them here. */ - - ++p; - if (*p == 0 || !remain || (c = in_ch (s, &read_in)) == EOF) - break; - --remain; - } - - if (*p != 0) - { - if (p > lc_thousands_sep) - { - back_ch (c, s, &read_in, 0); - while (--p > lc_thousands_sep) - back_ch ((unsigned char) *p, s, &read_in, 1); - c = (unsigned char) *p; - } - break; - } - - if (width > 0) - width = remain; - --wbuf_cur_sz; - } - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - if (width > 0) - --width; - - c = in_ch (s, &read_in); - } - - if (!wbuf_cur_sz || (wbuf_cur_sz == 1 && (wbuf[0] == '+' || wbuf[0] == '-'))) - { - if (!wbuf_cur_sz && (flags & IS_POINTER) != 0 - && match_string (s, &read_in, &c, "(nil)")) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = '0'; - } - else - { - back_ch (c, s, &read_in, 0); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - else - back_ch (c, s, &read_in, 0); - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = 0; - - if ((flags & IS_LL)) - { - if (flags & IS_SIGNED_NUM) - cv_val.ll = strtoll (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - else - cv_val.ull = strtoull (wbuf, &tmp_wbuf_ptr, base); - } - else - { - if (flags & IS_SIGNED_NUM) - cv_val.l = strtol (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - else - cv_val.ul = strtoul (wbuf, &tmp_wbuf_ptr, base); - } - if (wbuf == tmp_wbuf_ptr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_SIGNED_NUM) != 0) - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (long long *) get_va_nth (argp, npos) : va_arg (arg, long long *)) = cv_val.ll; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (long *) get_va_nth (argp, npos) : va_arg (arg, long *)) = cv_val.l; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (short *) get_va_nth (argp, npos) : va_arg (arg, short *)) = (short) cv_val.l; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (signed char *) get_va_nth (argp, npos) : va_arg (arg, signed char *)) = (signed char) cv_val.ul; - else - *(npos != 0 ? (int *) get_va_nth (argp, npos) : va_arg (arg, int *)) = (int) cv_val.l; - } - else - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (unsigned long long *) get_va_nth (argp, npos) : va_arg (arg, unsigned long long *)) = cv_val.ull; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (unsigned long *) get_va_nth (argp, npos) : va_arg (arg, unsigned long *)) = cv_val.ul; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (unsigned short *) get_va_nth (argp, npos) : va_arg (arg, unsigned short *)) - = (unsigned short) cv_val.ul; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (unsigned char *) get_va_nth (argp, npos) : va_arg (arg, unsigned char *)) = (unsigned char) cv_val.ul; - else - *(npos != 0 ? (unsigned int *) get_va_nth (argp, npos) : va_arg (arg, unsigned int *)) = (unsigned int) cv_val.ul; - } - ++rval; - } - break; - - case 'e': case 'E': - case 'f': case 'F': - case 'g': case 'G': - case 'a': case 'A': - if (width > 0) - --width; - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - seen_dot = seen_exp = 0; - is_neg = (c == '-' ? 1 : 0); - - if (c == '-' || c == '+') - { - if (width == 0 || (c = in_ch (s, &read_in)) == EOF) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - } - - if (tolower (c) == 'n') - { - const char *match_txt = "nan"; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - ++match_txt; - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == EOF || tolower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - } - else if (tolower (c) == 'i') - { - const char *match_txt = "inf"; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - ++match_txt; - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == EOF || tolower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - - if (width != 0 && (c = in_ch (s, &read_in)) != EOF && tolower (c) == 'i') - { - match_txt = "inity"; - - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == EOF || tolower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - } - else if (width != 0 && c != EOF) - back_ch (c, s, &read_in, 0); - } - else - { - not_in = 'e'; - if (width != 0 && c == '0') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - c = in_ch (s, &read_in); - if (width > 0) - --width; - if (width != 0 && tolower (c) == 'x') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - flags |= IS_HEX_FLOAT; - not_in = 'p'; - - flags &= ~USE_GROUP; - c = in_ch (s, &read_in); - if (width > 0) - --width; - } - } - - while (1) - { - if (isdigit (c) || (!seen_exp && (flags & IS_HEX_FLOAT) != 0 && isxdigit (c)) - || (seen_exp && wbuf[wbuf_cur_sz - 1] == not_in && (c == '-' || c == '+'))) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - } - else if (wbuf_cur_sz > 0 && !seen_exp && (char) tolower (c) == not_in) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = not_in; - seen_exp = seen_dot = 1; - } - else - { - const char *p = lc_decimal_point; - int remain = width > 0 ? width : INT_MAX; - - if (! seen_dot) - { - while ((unsigned char) *p == c && remain >= 0) - { - ++p; - if (*p == 0 || !remain || (c = in_ch (s, &read_in)) == EOF) - break; - --remain; - } - } - - if (*p == 0) - { - for (p = lc_decimal_point; *p != 0; ++p) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = (unsigned char) *p; - } - if (width > 0) - width = remain; - seen_dot = 1; - } - else - { - const char *pp = lc_thousands_sep; - - if (!seen_dot && (flags & USE_GROUP) != 0) - { - while ((pp - lc_thousands_sep) < (p - lc_decimal_point) - && *pp == lc_decimal_point[(pp - lc_thousands_sep)]) - ++pp; - if ((pp - lc_thousands_sep) == (p - lc_decimal_point)) - { - while ((unsigned char) *pp == c && remain >= 0) - { - ++pp; - if (*pp == 0 || !remain || (c = in_ch (s, &read_in)) == EOF) - break; - --remain; - } - } - } - - if (pp != NULL && *pp == 0) - { - /* As our conversion routines aren't supporting thousands - separators, we are filtering them here. */ - if (width > 0) - width = remain; - } - else - { - back_ch (c, s, &read_in, 0); - break; - } - } - } - - if (width == 0 || (c = in_ch (s, &read_in)) == EOF) - break; - - if (width > 0) - --width; - } - - if (!wbuf_cur_sz || ((flags & IS_HEX_FLOAT) != 0 && wbuf_cur_sz == 2)) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = 0; - - if ((flags & IS_LL) != 0) - { - long double ld; - ld = __mingw_strtold (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (long double *) get_va_nth (argp, npos) : va_arg (arg, long double *)) = is_neg ? -ld : ld; - } - else if ((flags & IS_L) != 0) - { - double d; - d = (double) __mingw_strtold (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (double *) get_va_nth (argp, npos) : va_arg (arg, double *)) = is_neg ? -d : d; - } - else - { - float d = __mingw_strtof (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (float *) get_va_nth (argp, npos) : va_arg (arg, float *)) = is_neg ? -d : d; - } - - if (wbuf == tmp_wbuf_ptr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - ++rval; - break; - - case '[': - if ((flags & IS_L) != 0) - { - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - str_sz = 100; - *pstr = (char *) malloc (100 * sizeof (wchar_t)); - - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - } - else if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - str_sz = 100; - if ((str = *pstr = (char *) malloc (100)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - not_in = (*f == '^' ? 1 : 0); - if (*f == '^') - f++; - - if (width < 0) - width = INT_MAX; - - if (wbuf_max_sz < 256) - { - wbuf_max_sz = 256; - if (wbuf) - free (wbuf); - wbuf = (char *) malloc (wbuf_max_sz); - } - memset (wbuf, 0, 256); - - fc = *f; - if (fc == ']' || fc == '-') - { - wbuf[fc] = 1; - ++f; - } - - while ((fc = *f++) != 0 && fc != ']') - { - if (fc == '-' && *f != 0 && *f != ']' && (unsigned char) f[-2] <= (unsigned char) *f) - { - for (fc = (unsigned char) f[-2]; fc < (unsigned char) *f; ++fc) - wbuf[fc] = 1; - } - else - wbuf[fc] = 1; - } - - if (!fc) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_L) != 0) - { - read_in_sv = read_in; - cnt = 0; - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&cstate, 0, sizeof (cstate)); - - do - { - if (wbuf[c] == not_in) - { - back_ch (c, s, &read_in, 1); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - buf[0] = c; - n = mbrtowc (wstr, buf, 1, &cstate); - - if (n == (size_t) -2) - { - ++cnt; - continue; - } - cnt = 0; - - ++wstr; - if ((flags & IS_ALLOC_USED) != 0 && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz * 2; - while ((wstr = (wchar_t *) realloc (*pstr, new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - ((wchar_t *) (*pstr))[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - else - rval = EOF; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - } - - if (--width <= 0) - break; - } - while ((c = in_ch (s, &read_in)) != EOF); - - if (cnt != 0) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - if (read_in_sv == read_in) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = 0; - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - } - else - { - read_in_sv = read_in; - - if ((c = in_ch (s, &read_in)) == EOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - do - { - if (wbuf[c] == not_in) - { - back_ch (c, s, &read_in, 1); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - *str++ = c; - if ((flags & IS_ALLOC_USED) != 0 && str == (*pstr + str_sz)) - { - new_sz = str_sz * 2; - - while ((str = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!str) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - (*pstr)[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - else - rval = EOF; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - *pstr = str; - str += str_sz; - str_sz = new_sz; - } - } - } - while (--width > 0 && (c = in_ch (s, &read_in)) != EOF); - - if (read_in_sv == read_in) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - *str++ = 0; - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - } - break; - - default: - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if (ignore_ws) - { - while (isspace ((c = in_ch (s, &read_in)))); - back_ch (c, s, &read_in, 0); - } - - return cleanup_return (rval, &gcollect, pstr, &wbuf); -} - -int -__mingw_vfscanf (FILE *s, const char *format, va_list argp) -{ - _IFP ifp; - memset (&ifp, 0, sizeof (_IFP)); - ifp.fp = s; - return __mingw_sformat (&ifp, format, argp); -} - -int -__mingw_vsscanf (const char *s, const char *format, va_list argp) -{ - _IFP ifp; - memset (&ifp, 0, sizeof (_IFP)); - ifp.str = s; - ifp.is_string = 1; - return __mingw_sformat (&ifp, format, argp); -} - diff --git a/lib/libc/mingw/stdio/mingw_vprintf.c b/lib/libc/mingw/stdio/mingw_vprintf.c deleted file mode 100644 index 4098d49d1b..0000000000 --- a/lib/libc/mingw/stdio/mingw_vprintf.c +++ /dev/null @@ -1,58 +0,0 @@ -/* vprintf.c - * - * $Id: vprintf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "vprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "vprintf" will normally be invoked by calling - * "__mingw_vprintf()" in preference to a direct reference to "vprintf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "vprint()". Users who then - * wish to use this implementation may either call "__mingw_vprintf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "vprintf()" to "__mingw_vprintf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "vprintf()" in user - * code will ALWAYS be redirected to "__mingw_vprintf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "vprintf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_vprintf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __vprintf (const APICHAR *, va_list) __MINGW_NOTHROW; - -int __cdecl __vprintf(const APICHAR *fmt, va_list argv) -{ - register int retval; - - _lock_file( stdout ); - retval = __pformat( PFORMAT_TO_FILE | PFORMAT_NOLIMIT, stdout, 0, fmt, argv ); - _unlock_file( stdout ); - - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_vprintfw.c b/lib/libc/mingw/stdio/mingw_vprintfw.c deleted file mode 100644 index 2c81073e6b..0000000000 --- a/lib/libc/mingw/stdio/mingw_vprintfw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_vprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_vsnprintf.c b/lib/libc/mingw/stdio/mingw_vsnprintf.c deleted file mode 100644 index b477300f97..0000000000 --- a/lib/libc/mingw/stdio/mingw_vsnprintf.c +++ /dev/null @@ -1,52 +0,0 @@ -/* vsnprintf.c - * - * $Id: vsnprintf.c,v 1.3 2008/07/28 23:24:20 keithmarshall Exp $ - * - * Provides an implementation of the "vsnprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, replacing the redirection through - * libmoldnames.a, to the MSVCRT standard "_vsnprintf" function; (the - * standard MSVCRT function remains available, and may be invoked - * directly, using this fully qualified form of its name). - * - * Written by Keith Marshall - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ - -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __vsnprintf (APICHAR *, size_t, const APICHAR *fmt, va_list) __MINGW_NOTHROW; -int __cdecl __vsnprintf(APICHAR *buf, size_t length, const APICHAR *fmt, va_list argv ) -{ - register int retval; - - if( length == (size_t)(0) ) - /* - * No buffer; simply compute and return the size required, - * without actually emitting any data. - */ - return __pformat( 0, buf, 0, fmt, argv); - - /* If we get to here, then we have a buffer... - * Emit data up to the limit of buffer length less one, - * then add the requisite NUL terminator. - */ - retval = __pformat( 0, buf, --length, fmt, argv ); - buf[retval < (int) length ? retval : (int)length] = '\0'; - - return retval; -} - diff --git a/lib/libc/mingw/stdio/mingw_vsnprintfw.c b/lib/libc/mingw/stdio/mingw_vsnprintfw.c deleted file mode 100644 index fb3dfa5e47..0000000000 --- a/lib/libc/mingw/stdio/mingw_vsnprintfw.c +++ /dev/null @@ -1,9 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 - -#include "mingw_vsnprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_vsprintf.c b/lib/libc/mingw/stdio/mingw_vsprintf.c deleted file mode 100644 index af9793d384..0000000000 --- a/lib/libc/mingw/stdio/mingw_vsprintf.c +++ /dev/null @@ -1,54 +0,0 @@ -/* vsprintf.c - * - * $Id: vsprintf.c,v 1.1 2008/08/11 22:41:55 keithmarshall Exp $ - * - * Provides an implementation of the "vsprintf" function, conforming - * generally to C99 and SUSv3/POSIX specifications, with extensions - * to support Microsoft's non-standard format specifications. This - * is included in libmingwex.a, whence it may replace the Microsoft - * function of the same name. - * - * Written by Keith Marshall - * - * This implementation of "vsprintf" will normally be invoked by calling - * "__mingw_vsprintf()" in preference to a direct reference to "vsprintf()" - * itself; this leaves the MSVCRT implementation as the default, which - * will be deployed when user code invokes "vsprint()". Users who then - * wish to use this implementation may either call "__mingw_vsprintf()" - * directly, or may use conditional preprocessor defines, to redirect - * references to "vsprintf()" to "__mingw_vsprintf()". - * - * Compiling this module with "-D INSTALL_AS_DEFAULT" will change this - * recommended convention, such that references to "vsprintf()" in user - * code will ALWAYS be redirected to "__mingw_vsprintf()"; if this option - * is adopted, then users wishing to use the MSVCRT implementation of - * "vsprintf()" will be forced to use a "back-door" mechanism to do so. - * Such a "back-door" mechanism is provided with MinGW, allowing the - * MSVCRT implementation to be called as "__msvcrt_vsprintf()"; however, - * since users may not expect this behaviour, a standard libmingwex.a - * installation does not employ this option. - * - * - * This is free software. You may redistribute and/or modify it as you - * see fit, without restriction of copyright. - * - * This software is provided "as is", in the hope that it may be useful, - * but WITHOUT WARRANTY OF ANY KIND, not even any implied warranty of - * MERCHANTABILITY, nor of FITNESS FOR ANY PARTICULAR PURPOSE. At no - * time will the author accept any form of liability for any damages, - * however caused, resulting from the use of this software. - * - */ -#include -#include - -#include "mingw_pformat.h" - -int __cdecl __vsprintf (APICHAR *, const APICHAR *, va_list) __MINGW_NOTHROW; - -int __cdecl __vsprintf(APICHAR *buf, const APICHAR *fmt, va_list argv) -{ - register int retval; - buf[retval = __pformat( PFORMAT_NOLIMIT, buf, 0, fmt, argv )] = '\0'; - return retval; -} diff --git a/lib/libc/mingw/stdio/mingw_vsprintfw.c b/lib/libc/mingw/stdio/mingw_vsprintfw.c deleted file mode 100644 index fd8808bf47..0000000000 --- a/lib/libc/mingw/stdio/mingw_vsprintfw.c +++ /dev/null @@ -1,10 +0,0 @@ -/** - * This file has no copyright assigned and is placed in the Public Domain. - * This file is part of the mingw-w64 runtime package. - * No warranty is given; refer to the file DISCLAIMER.PD within this package. - */ -#define __BUILD_WIDEAPI 1 -#define _CRT_NON_CONFORMING_SWPRINTFS 1 - -#include "mingw_vsprintf.c" - diff --git a/lib/libc/mingw/stdio/mingw_wscanf.c b/lib/libc/mingw/stdio/mingw_wscanf.c deleted file mode 100644 index 6202a79b50..0000000000 --- a/lib/libc/mingw/stdio/mingw_wscanf.c +++ /dev/null @@ -1,28 +0,0 @@ -#include -#include -#include - -extern int __mingw_vfwscanf (FILE *stream, const wchar_t *format, va_list argp); - -int __mingw_wscanf (const wchar_t *format, ...); -int __mingw_vwscanf (const wchar_t *format, va_list argp); - -int -__mingw_wscanf (const wchar_t *format, ...) -{ - va_list argp; - int r; - - va_start (argp, format); - r = __mingw_vfwscanf (stdin, format, argp); - va_end (argp); - - return r; -} - -int -__mingw_vwscanf (const wchar_t *format, va_list argp) -{ - return __mingw_vfwscanf (stdin, format, argp); -} - diff --git a/lib/libc/mingw/stdio/mingw_wvfscanf.c b/lib/libc/mingw/stdio/mingw_wvfscanf.c deleted file mode 100644 index 2f0a03f667..0000000000 --- a/lib/libc/mingw/stdio/mingw_wvfscanf.c +++ /dev/null @@ -1,1631 +0,0 @@ -/* - This Software is provided under the Zope Public License (ZPL) Version 2.1. - - Copyright (c) 2011 by the mingw-w64 project - - See the AUTHORS file for the list of contributors to the mingw-w64 project. - - This license has been certified as open source. It has also been designated - as GPL compatible by the Free Software Foundation (FSF). - - Redistribution and use in source and binary forms, with or without - modification, are permitted provided that the following conditions are met: - - 1. Redistributions in source code must retain the accompanying copyright - notice, this list of conditions, and the following disclaimer. - 2. Redistributions in binary form must reproduce the accompanying - copyright notice, this list of conditions, and the following disclaimer - in the documentation and/or other materials provided with the - distribution. - 3. Names of the copyright holders must not be used to endorse or promote - products derived from this software without prior written permission - from the copyright holders. - 4. The right to distribute this software or to use it for any purpose does - not give you the right to use Servicemarks (sm) or Trademarks (tm) of - the copyright holders. Use of them is covered by separate agreement - with the copyright holders. - 5. If any files are modified, you must cause the modified files to carry - prominent notices stating that you changed the files and the date of - any change. - - Disclaimer - - THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ``AS IS'' AND ANY EXPRESSED - OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES - OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO - EVENT SHALL THE COPYRIGHT HOLDERS BE LIABLE FOR ANY DIRECT, INDIRECT, - INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT - LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, - OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF - LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING - NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, - EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. -*/ - -#define __LARGE_MBSTATE_T - -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include - -#ifndef CP_UTF8 -#define CP_UTF8 65001 -#endif - -#ifndef MB_ERR_INVALID_CHARS -#define MB_ERR_INVALID_CHARS 0x00000008 -#endif - -/* Helper flags for conversion. */ -#define IS_C 0x0001 -#define IS_S 0x0002 -#define IS_L 0x0004 -#define IS_LL 0x0008 -#define IS_SIGNED_NUM 0x0010 -#define IS_POINTER 0x0020 -#define IS_HEX_FLOAT 0x0040 -#define IS_SUPPRESSED 0x0080 -#define USE_GROUP 0x0100 -#define USE_GNU_ALLOC 0x0200 -#define USE_POSIX_ALLOC 0x0400 - -#define IS_ALLOC_USED (USE_GNU_ALLOC | USE_POSIX_ALLOC) - -/* internal stream structure with back-buffer. */ -typedef struct _IFP -{ - __extension__ union { - void *fp; - const wchar_t *str; - }; - int bch[1024]; - int is_string : 1; - int back_top; - int seen_eof : 1; -} _IFP; - -static void * -get_va_nth (va_list argp, unsigned int n) -{ - va_list ap; - if (!n) - abort (); - va_copy (ap, argp); - while (--n > 0) - (void) va_arg(ap, void *); - return va_arg (ap, void *); -} - -static void -optimize_alloc (char **p, char *end, size_t alloc_sz) -{ - size_t need_sz; - char *h; - - if (!p || !*p) - return; - - need_sz = end - *p; - if (need_sz == alloc_sz) - return; - - if ((h = (char *) realloc (*p, need_sz)) != NULL) - *p = h; -} - -static void -back_ch (int c, _IFP *s, size_t *rin, int not_eof) -{ - if (!not_eof && c == WEOF) - return; - if (s->is_string == 0) - { - FILE *fp = s->fp; - ungetwc (c, fp); - rin[0] -= 1; - return; - } - rin[0] -= 1; - s->bch[s->back_top] = c; - s->back_top += 1; -} - -static int -in_ch (_IFP *s, size_t *rin) -{ - int r; - if (s->back_top) - { - s->back_top -= 1; - r = s->bch[s->back_top]; - rin[0] += 1; - } - else if (s->seen_eof) - { - return WEOF; - } - else if (s->is_string) - { - const wchar_t *ps = s->str; - r = ((int) *ps) & 0xffff; - ps++; - if (r != 0) - { - rin[0] += 1; - s->str = ps; - return r; - } - s->seen_eof = 1; - return WEOF; - } - else - { - FILE *fp = (FILE *) s->fp; - r = getwc (fp); - if (r != WEOF) - rin[0] += 1; - else s->seen_eof = 1; - } - return r; -} - -static int -match_string (_IFP *s, size_t *rin, wint_t *c, const wchar_t *str) -{ - int ch = *c; - - if (*str == 0) - return 1; - - if (*str != (wchar_t) towlower (ch)) - return 0; - ++str; - while (*str != 0) - { - if ((ch = in_ch (s, rin)) == WEOF) - { - c[0] = ch; - return 0; - } - - if (*str != (wchar_t) towlower (ch)) - { - c[0] = ch; - return 0; - } - ++str; - } - c[0] = ch; - return 1; -} - -struct gcollect -{ - size_t count; - struct gcollect *next; - char **ptrs[32]; -}; - -static void -release_ptrs (struct gcollect **pt, wchar_t **wbuf) -{ - struct gcollect *pf; - size_t cnt; - - if (wbuf) - { - free (*wbuf); - *wbuf = NULL; - } - if (!pt || (pf = *pt) == NULL) - return; - while (pf != NULL) - { - struct gcollect *pf_sv = pf; - for (cnt = 0; cnt < pf->count; ++cnt) - { - free (*pf->ptrs[cnt]); - *pf->ptrs[cnt] = NULL; - } - pf = pf->next; - free (pf_sv); - } - *pt = NULL; -} - -static int -cleanup_return (int rval, struct gcollect **pfree, char **strp, wchar_t **wbuf) -{ - if (rval == EOF) - release_ptrs (pfree, wbuf); - else - { - if (pfree) - { - struct gcollect *pf = *pfree, *pf_sv; - while (pf != NULL) - { - pf_sv = pf; - pf = pf->next; - free (pf_sv); - } - *pfree = NULL; - } - if (strp != NULL) - { - free (*strp); - *strp = NULL; - } - if (wbuf) - { - free (*wbuf); - *wbuf = NULL; - } - } - return rval; -} - -static struct gcollect * -resize_gcollect (struct gcollect *pf) -{ - struct gcollect *np; - if (pf && pf->count < 32) - return pf; - np = malloc (sizeof (struct gcollect)); - np->count = 0; - np->next = pf; - return np; -} - -static wchar_t * -resize_wbuf (size_t wpsz, size_t *wbuf_max_sz, wchar_t *old) -{ - wchar_t *wbuf; - size_t nsz; - if (*wbuf_max_sz != wpsz) - return old; - nsz = (256 > (2 * wbuf_max_sz[0]) ? 256 : (2 * wbuf_max_sz[0])); - if (!old) - wbuf = (wchar_t *) malloc (nsz * sizeof (wchar_t)); - else - wbuf = (wchar_t *) realloc (old, nsz * sizeof (wchar_t)); - if (!wbuf) - { - if (old) - free (old); - } - else - *wbuf_max_sz = nsz; - return wbuf; -} - -static int -__mingw_swformat (_IFP *s, const wchar_t *format, va_list argp) -{ - const wchar_t *f = format; - struct gcollect *gcollect = NULL; - size_t read_in = 0, wbuf_max_sz = 0; - ssize_t str_sz = 0; - char *str = NULL, **pstr = NULL;; - wchar_t *wstr = NULL, *wbuf = NULL; - wint_t c = 0, rval = 0; - int ignore_ws = 0; - va_list arg; - size_t wbuf_cur_sz, str_len, read_in_sv, new_sz, n; - unsigned int fc, npos; - int width, flags, base = 0, errno_sv, clen; - char seen_dot, seen_exp, is_neg, *nstr, buf[MB_LEN_MAX]; - wchar_t wc, not_in, *tmp_wbuf_ptr, *temp_wbuf_end, *wbuf_iter; - wint_t lc_decimal_point, lc_thousands_sep; - mbstate_t state; - union { - unsigned long long ull; - unsigned long ul; - long long ll; - long l; - } cv_val; - - arg = argp; - - if (!s || s->fp == NULL || !format) - { - errno = EINVAL; - return EOF; - } - - memset (&state, 0, sizeof(state)); - clen = mbrtowc( &wc, localeconv()->decimal_point, 16, &state); - lc_decimal_point = (clen > 0 ? wc : '.'); - memset( &state, 0, sizeof( state ) ); - clen = mbrtowc( &wc, localeconv()->thousands_sep, 16, &state); - lc_thousands_sep = (clen > 0 ? wc : 0); - - while (*f != 0) - { - fc = *f++; - if (fc != '%') - { - if (iswspace (fc)) - ignore_ws = 1; - else - { - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - if (ignore_ws) - { - ignore_ws = 0; - if (iswspace (c)) - { - do - { - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - } - while (iswspace (c)); - } - } - - if (c != fc) - { - back_ch (c, s, &read_in, 0); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - continue; - } - - width = flags = 0; - npos = 0; - wbuf_cur_sz = 0; - - if (iswdigit ((unsigned int) *f)) - { - const wchar_t *svf = f; - npos = (unsigned int) *f++ - '0'; - while (iswdigit ((unsigned int) *f)) - npos = npos * 10 + ((unsigned int) *f++ - '0'); - if (*f != '$') - { - npos = 0; - f = svf; - } - else - f++; - } - - do - { - if (*f == '*') - flags |= IS_SUPPRESSED; - else if (*f == '\'') - { - if (lc_thousands_sep) - flags |= USE_GROUP; - } - else if (*f == 'I') - { - /* we don't support locale's digits (i18N), but ignore it for now silently. */ - ; -#ifdef _WIN32 - if (f[1] == '6' && f[2] == '4') - { - flags |= IS_LL | IS_L; - f += 2; - } - else if (f[1] == '3' && f[2] == '2') - { - flags |= IS_L; - f += 2; - } - else - { -#ifdef _WIN64 - flags |= IS_LL | IS_L; -#else - flags |= IS_L; -#endif - } -#endif - } - else - break; - ++f; - } - while (1); - - while (iswdigit ((unsigned char) *f)) - width = width * 10 + ((unsigned char) *f++ - '0'); - - if (!width) - width = -1; - - switch (*f) - { - case 'h': - ++f; - flags |= (*f == 'h' ? IS_C : IS_S); - if (*f == 'h') - ++f; - break; - case 'l': - ++f; - flags |= (*f == 'l' ? IS_LL : 0) | IS_L; - if (*f == 'l') - ++f; - break; - case 'q': case 'L': - ++f; - flags |= IS_LL | IS_L; - break; - case 'a': - if (f[1] != 's' && f[1] != 'S' && f[1] != '[') - break; - ++f; - flags |= USE_GNU_ALLOC; - break; - case 'm': - flags |= USE_POSIX_ALLOC; - ++f; - if (*f == 'l') - { - flags |= IS_L; - ++f; - } - break; - case 'z': -#ifdef _WIN64 - flags |= IS_LL | IS_L; -#else - flags |= IS_L; -#endif - ++f; - break; - case 'j': - if (sizeof (uintmax_t) > sizeof (unsigned long)) - flags |= IS_LL; - else if (sizeof (uintmax_t) > sizeof (unsigned int)) - flags |= IS_L; - ++f; - break; - case 't': -#ifdef _WIN64 - flags |= IS_LL; -#else - flags |= IS_L; -#endif - ++f; - break; - case 0: - return cleanup_return (rval, &gcollect, pstr, &wbuf); - default: - break; - } - - if (*f == 0) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - fc = *f++; - if (ignore_ws || (fc != '[' && fc != 'c' && fc != 'C' && fc != 'n')) - { - errno_sv = errno; - errno = 0; - do - { - if ((c == WEOF || (c = in_ch (s, &read_in)) == WEOF) && errno == EINTR) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - } - while (iswspace (c)); - - ignore_ws = 0; - errno = errno_sv; - back_ch (c, s, &read_in, 0); - } - - switch (fc) - { - case 'c': - if ((flags & IS_L) != 0) - fc = 'C'; - break; - case 's': - if ((flags & IS_L) != 0) - fc = 'S'; - break; - } - - switch (fc) - { - case '%': - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - if (c != fc) - { - back_ch (c, s, &read_in, 1); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - break; - - case 'n': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (long long *) get_va_nth (argp, npos) : va_arg (arg, long long *)) = read_in; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (long *) get_va_nth (argp, npos) : va_arg (arg, long *)) = read_in; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (short *) get_va_nth (argp, npos) : va_arg (arg, short *)) = read_in; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (char *) get_va_nth (argp, npos) : va_arg (arg, char *)) = read_in; - else - *(npos != 0 ? (int *) get_va_nth (argp, npos) : va_arg (arg, int *)) = read_in; - } - break; - - case 'c': - if (width == -1) - width = 1; - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = 100; - if ((str = *pstr = (char *) malloc (100)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&state, 0, sizeof (state)); - - do - { - if ((flags & IS_SUPPRESSED) == 0 && (flags & USE_POSIX_ALLOC) != 0 - && (str + MB_CUR_MAX) >= (*pstr + str_sz)) - { - new_sz = str_sz * 2; - str_len = (str - *pstr); - while ((nstr = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (str_len + MB_CUR_MAX)) - new_sz = str_len + MB_CUR_MAX; - if (!nstr) - { - release_ptrs (&gcollect, &wbuf); - return EOF; - } - *pstr = nstr; - str = nstr + str_len; - str_sz = new_sz; - } - - n = wcrtomb ((flags & IS_SUPPRESSED) == 0 ? str : NULL, c, &state); - if (n == (size_t) -1LL) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - str += n; - } - while (--width > 0 && (c = in_ch (s, &read_in)) != WEOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - - break; - - case 'C': - if (width == -1) - width = 1; - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = (width > 1024 ? 1024 : width); - *pstr = (char *) malloc (str_sz * sizeof (wchar_t)); - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - - if ((wstr = (wchar_t *) *pstr) != NULL) - { - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - do - { - if ((flags & IS_ALLOC_USED) != 0 - && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz + (str_sz > width ? width - 1 : str_sz); - while ((wstr = (wchar_t *) realloc (*pstr, - new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - release_ptrs (&gcollect, &wbuf); - return EOF; - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - *wstr++ = c; - } - while (--width > 0 && (c = in_ch (s, &read_in)) != WEOF); - } - else - { - while (--width > 0 && (c = in_ch (s, &read_in)) != WEOF); - } - - if ((flags & IS_SUPPRESSED) == 0) - { - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - break; - - case 's': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = 100; - if ((str = *pstr = (char *) malloc (100)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&state, 0, sizeof (state)); - - do - { - if (iswspace (c)) - { - back_ch (c, s, &read_in, 1); - break; - } - - { - if ((flags & IS_SUPPRESSED) == 0 && (flags & IS_ALLOC_USED) != 0 - && (str + MB_CUR_MAX) >= (*pstr + str_sz)) - { - new_sz = str_sz * 2; - str_len = (str - *pstr); - - while ((nstr = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (str_len + MB_CUR_MAX)) - new_sz = str_len + MB_CUR_MAX; - if (!nstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - (*pstr)[str_len] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = nstr; - str = nstr + str_len; - str_sz = new_sz; - } - - n = wcrtomb ((flags & IS_SUPPRESSED) == 0 ? str : NULL, c, - &state); - if (n == (size_t) -1LL) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - str += n; - } - } - while ((width <= 0 || --width > 0) && (c = in_ch (s, &read_in)) != WEOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - n = wcrtomb (buf, 0, &state); - if (n > 0 && (flags & IS_ALLOC_USED) != 0 - && (str + n) >= (*pstr + str_sz)) - { - str_len = (str - *pstr); - - if ((nstr = (char *) realloc (*pstr, str_len + n + 1)) == NULL) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - (*pstr)[str_len] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = nstr; - str = nstr + str_len; - str_sz = str_len + n + 1; - } - - if (n) - { - memcpy (str, buf, n); - str += n; - } - *str++ = 0; - - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - break; - - case 'S': - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = 100; - *pstr = (char *) malloc (100 * sizeof (wchar_t)); - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - do - { - if (iswspace (c)) - { - back_ch (c, s, &read_in, 1); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = c; - if ((flags & IS_ALLOC_USED) != 0 && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz * 2; - - while ((wstr = (wchar_t *) realloc (*pstr, - new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - ((wchar_t *) (*pstr))[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - } - } - while ((width <= 0 || --width > 0) && (c = in_ch (s, &read_in)) != WEOF); - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = 0; - - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - break; - - case 'd': case 'i': - case 'o': case 'p': - case 'u': - case 'x': case 'X': - switch (fc) - { - case 'd': - flags |= IS_SIGNED_NUM; - base = 10; - break; - case 'i': - flags |= IS_SIGNED_NUM; - base = 0; - break; - case 'o': - base = 8; - break; - case 'p': - base = 16; - flags &= ~(IS_S | IS_LL | IS_L); - #ifdef _WIN64 - flags |= IS_LL; - #endif - flags |= IS_L | IS_POINTER; - break; - case 'u': - base = 10; - break; - case 'x': case 'X': - base = 16; - break; - } - - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - if (c == '+' || c == '-') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - if (width > 0) - --width; - c = in_ch (s, &read_in); - } - - if (width != 0 && c == '0') - { - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - c = in_ch (s, &read_in); - - if (width != 0 && towlower (c) == 'x') - { - if (!base) - base = 16; - if (base == 16) - { - if (width > 0) - --width; - c = in_ch (s, &read_in); - } - } - else if (!base) - base = 8; - } - - if (!base) - base = 10; - - while (c != WEOF && width != 0) - { - if (base == 16) - { - if (!iswxdigit (c)) - break; - } - else if (!iswdigit (c) || (int) (c - '0') >= base) - { - if (base != 10 || (flags & USE_GROUP) == 0 || c != lc_thousands_sep) - break; - } - if (c != lc_thousands_sep) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - } - - if (width > 0) - --width; - - c = in_ch (s, &read_in); - } - - if (!wbuf_cur_sz || (wbuf_cur_sz == 1 && (wbuf[0] == '+' || wbuf[0] == '-'))) - { - if (!wbuf_cur_sz && (flags & IS_POINTER) != 0 - && match_string (s, &read_in, &c, L"(nil)")) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = '0'; - } - else - { - back_ch (c, s, &read_in, 0); - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - else - back_ch (c, s, &read_in, 0); - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = 0; - - if ((flags & IS_LL) != 0) - { - if ((flags & IS_SIGNED_NUM) != 0) - cv_val.ll = wcstoll (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - else - cv_val.ull = wcstoull (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - } - else - { - if ((flags & IS_SIGNED_NUM) != 0) - cv_val.l = wcstol (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - else - cv_val.ul = wcstoul (wbuf, &tmp_wbuf_ptr, base/*, flags & USE_GROUP*/); - } - if (wbuf == tmp_wbuf_ptr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_SIGNED_NUM) != 0) - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (long long *) get_va_nth (argp, npos) : va_arg (arg, long long *)) = cv_val.ll; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (long *) get_va_nth (argp, npos) : va_arg (arg, long *)) = cv_val.l; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (short *) get_va_nth (argp, npos) : va_arg (arg, short *)) = (short) cv_val.l; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (signed char *) get_va_nth (argp, npos) : va_arg (arg, signed char *)) = (signed char) cv_val.ul; - else - *(npos != 0 ? (int *) get_va_nth (argp, npos) : va_arg (arg, int *)) = (int) cv_val.l; - } - else - { - if ((flags & IS_LL) != 0) - *(npos != 0 ? (unsigned long long *) get_va_nth (argp, npos) : va_arg (arg, unsigned long long *)) = cv_val.ull; - else if ((flags & IS_L) != 0) - *(npos != 0 ? (unsigned long *) get_va_nth (argp, npos) : va_arg (arg, unsigned long *)) = cv_val.ul; - else if ((flags & IS_S) != 0) - *(npos != 0 ? (unsigned short *) get_va_nth (argp, npos) : va_arg (arg, unsigned short *)) - = (unsigned short) cv_val.ul; - else if ((flags & IS_C) != 0) - *(npos != 0 ? (unsigned char *) get_va_nth (argp, npos) : va_arg (arg, unsigned char *)) = (unsigned char) cv_val.ul; - else - *(npos != 0 ? (unsigned int *) get_va_nth (argp, npos) : va_arg (arg, unsigned int *)) = (unsigned int) cv_val.ul; - } - ++rval; - } - break; - - case 'e': case 'E': - case 'f': case 'F': - case 'g': case 'G': - case 'a': case 'A': - if (width > 0) - --width; - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - seen_dot = seen_exp = 0; - is_neg = (c == '-' ? 1 : 0); - - if (c == '-' || c == '+') - { - if (width == 0 || (c = in_ch (s, &read_in)) == WEOF) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - } - - if (towlower (c) == 'n') - { - const wchar_t *match_txt = L"nan"; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - ++match_txt; - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == WEOF - || towlower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - } - else if (towlower (c) == 'i') - { - const wchar_t *match_txt = L"inf"; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - ++match_txt; - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == WEOF - || towlower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - - if (width != 0 && (c = in_ch (s, &read_in)) != WEOF && towlower (c) == 'i') - { - match_txt = L"inity"; - if (width > 0) - --width; - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - ++match_txt; - do - { - if (width == 0 || (c = in_ch (s, &read_in)) == WEOF - || towlower (c) != match_txt[0]) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - if (width > 0) - --width; - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - ++match_txt; - } - while (*match_txt != 0); - } - else if (width != 0 && c != WEOF) - back_ch (c, s, &read_in, 0); - } - else - { - not_in = 'e'; - if (width != 0 && c == '0') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - c = in_ch (s, &read_in); - if (width > 0) - --width; - if (width != 0 && towlower (c) == 'x') - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - flags |= IS_HEX_FLOAT; - not_in = 'p'; - - flags &= ~USE_GROUP; - c = in_ch (s, &read_in); - if (width > 0) - --width; - } - } - - while (1) - { - if (iswdigit (c)) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - } - else if (!seen_exp && (flags & IS_HEX_FLOAT) != 0 && iswxdigit (c)) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - } - else if (seen_exp && wbuf[wbuf_cur_sz - 1] == not_in - && (c == '-' || c == '+')) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - } - else if (wbuf_cur_sz > 0 && !seen_exp - && (wchar_t) towlower (c) == not_in) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = not_in; - - seen_exp = seen_dot = 1; - } - else - { - if (!seen_dot && c == lc_decimal_point) - { - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = c; - - seen_dot = 1; - } - else if ((flags & USE_GROUP) != 0 && !seen_dot && c == lc_thousands_sep) - { - /* As our conversion routines aren't supporting thousands - separators, we are filtering them here. */ - } - else - { - back_ch (c, s, &read_in, 0); - break; - } - } - - if (width == 0 || (c = in_ch (s, &read_in)) == WEOF) - break; - - if (width > 0) - --width; - } - - if (wbuf_cur_sz == 0 || ((flags & IS_HEX_FLOAT) != 0 && wbuf_cur_sz == 2)) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - wbuf = resize_wbuf (wbuf_cur_sz, &wbuf_max_sz, wbuf); - wbuf[wbuf_cur_sz++] = 0; - - if ((flags & IS_LL) != 0) - { - long double d = __mingw_wcstold (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (long double *) get_va_nth (argp, npos) : va_arg (arg, long double *)) = is_neg ? -d : d; - } - else if ((flags & IS_L) != 0) - { - double d = __mingw_wcstod (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (double *) get_va_nth (argp, npos) : va_arg (arg, double *)) = is_neg ? -d : d; - } - else - { - float d = __mingw_wcstof (wbuf, &tmp_wbuf_ptr/*, flags & USE_GROUP*/); - if ((flags & IS_SUPPRESSED) == 0 && tmp_wbuf_ptr != wbuf) - *(npos != 0 ? (float *) get_va_nth (argp, npos) : va_arg (arg, float *)) = is_neg ? -d : d; - } - - if (wbuf == tmp_wbuf_ptr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - ++rval; - break; - - case '[': - if ((flags & IS_L) != 0) - { - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = 100; - *pstr = (char *) malloc (100 * sizeof (wchar_t)); - if ((wstr = (wchar_t *) *pstr) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - wstr = (wchar_t *) get_va_nth (argp, npos); - else - wstr = va_arg (arg, wchar_t *); - if (!wstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - } - else if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0) - { - if (npos != 0) - pstr = (char **) get_va_nth (argp, npos); - else - pstr = va_arg (arg, char **); - - if (!pstr) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - str_sz = 100; - if ((str = *pstr = (char *) malloc (100)) == NULL) - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - gcollect = resize_gcollect (gcollect); - gcollect->ptrs[gcollect->count++] = pstr; - } - else - { - if (npos != 0) - str = (char *) get_va_nth (argp, npos); - else - str = va_arg (arg, char *); - if (!str) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - not_in = (*f == '^' ? 1 : 0); - if (*f == '^') - f++; - - if (width < 0) - width = INT_MAX; - - tmp_wbuf_ptr = (wchar_t *) f; - - if (*f == L']') - ++f; - - while ((fc = *f++) != 0 && fc != L']'); - - if (fc == 0) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - temp_wbuf_end = (wchar_t *) f - 1; - - if ((flags & IS_L) != 0) - { - read_in_sv = read_in; - - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - do - { - int ended = 0; - for (wbuf_iter = tmp_wbuf_ptr; wbuf_iter < temp_wbuf_end;) - { - if (wbuf_iter[0] == '-' && wbuf_iter[1] != 0 - && (wbuf_iter + 1) != temp_wbuf_end - && wbuf_iter != tmp_wbuf_ptr - && (unsigned int) wbuf_iter[-1] <= (unsigned int) wbuf_iter[1]) - { - for (wc = wbuf_iter[-1] + 1; wc <= wbuf_iter[1] && (wint_t) wc != c; ++wc); - - if (wc <= wbuf_iter[1] && !not_in) - break; - if (wc <= wbuf_iter[1] && not_in) - { - back_ch (c, s, &read_in, 0); - ended = 1; - break; - } - - wbuf_iter += 2; - } - else - { - if ((wint_t) *wbuf_iter == c && !not_in) - break; - if ((wint_t) *wbuf_iter == c && not_in) - { - back_ch (c, s, &read_in, 0); - ended = 1; - break; - } - - ++wbuf_iter; - } - } - if (ended) - break; - - if (wbuf_iter == temp_wbuf_end && !not_in) - { - back_ch (c, s, &read_in, 0); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = c; - - if ((flags & IS_ALLOC_USED) != 0 - && wstr == ((wchar_t *) *pstr + str_sz)) - { - new_sz = str_sz * 2; - while ((wstr = (wchar_t *) realloc (*pstr, - new_sz * sizeof (wchar_t))) == NULL - && new_sz > (size_t) (str_sz + 1)) - new_sz = str_sz + 1; - if (!wstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - ((wchar_t *) (*pstr))[str_sz - 1] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = (char *) wstr; - wstr += str_sz; - str_sz = new_sz; - } - } - } - while (--width > 0 && (c = in_ch (s, &read_in)) != WEOF); - - if (read_in_sv == read_in) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - *wstr++ = 0; - - optimize_alloc (pstr, (char *) wstr, str_sz * sizeof (wchar_t)); - pstr = NULL; - ++rval; - } - } - else - { - read_in_sv = read_in; - - if ((c = in_ch (s, &read_in)) == WEOF) - return cleanup_return ((!rval ? EOF : rval), &gcollect, pstr, &wbuf); - - memset (&state, 0, sizeof (state)); - - do - { - int ended = 0; - wbuf_iter = tmp_wbuf_ptr; - while (wbuf_iter < temp_wbuf_end) - { - if (wbuf_iter[0] == '-' && wbuf_iter[1] != 0 - && (wbuf_iter + 1) != temp_wbuf_end - && wbuf_iter != tmp_wbuf_ptr - && (unsigned int) wbuf_iter[-1] <= (unsigned int) wbuf_iter[1]) - { - for (wc = wbuf_iter[-1] + 1; wc <= wbuf_iter[1] && (wint_t) wc != c; ++wc); - - if (wc <= wbuf_iter[1] && !not_in) - break; - if (wc <= wbuf_iter[1] && not_in) - { - back_ch (c, s, &read_in, 0); - ended = 1; - break; - } - - wbuf_iter += 2; - } - else - { - if ((wint_t) *wbuf_iter == c && !not_in) - break; - if ((wint_t) *wbuf_iter == c && not_in) - { - back_ch (c, s, &read_in, 0); - ended = 1; - break; - } - - ++wbuf_iter; - } - } - - if (ended) - break; - if (wbuf_iter == temp_wbuf_end && !not_in) - { - back_ch (c, s, &read_in, 0); - break; - } - - if ((flags & IS_SUPPRESSED) == 0) - { - if ((flags & IS_ALLOC_USED) != 0 - && (str + MB_CUR_MAX) >= (*pstr + str_sz)) - { - new_sz = str_sz * 2; - str_len = (str - *pstr); - - while ((nstr = (char *) realloc (*pstr, new_sz)) == NULL - && new_sz > (str_len + MB_CUR_MAX)) - new_sz = str_len + MB_CUR_MAX; - if (!nstr) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - ((*pstr))[str_len] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = nstr; - str = nstr + str_len; - str_sz = new_sz; - } - } - - n = wcrtomb ((flags & IS_SUPPRESSED) == 0 ? str : NULL, c, &state); - if (n == (size_t) -1LL) - { - errno = EILSEQ; - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - - str += n; - } - while (--width > 0 && (c = in_ch (s, &read_in)) != WEOF); - - if (read_in_sv == read_in) - return cleanup_return (rval, &gcollect, pstr, &wbuf); - - if ((flags & IS_SUPPRESSED) == 0) - { - n = wcrtomb (buf, 0, &state); - if (n > 0 && (flags & IS_ALLOC_USED) != 0 - && (str + n) >= (*pstr + str_sz)) - { - str_len = (str - *pstr); - - if ((nstr = (char *) realloc (*pstr, str_len + n + 1)) == NULL) - { - if ((flags & USE_POSIX_ALLOC) == 0) - { - (*pstr)[str_len] = 0; - pstr = NULL; - ++rval; - } - return cleanup_return (((flags & USE_POSIX_ALLOC) != 0 ? EOF : rval), &gcollect, pstr, &wbuf); - } - *pstr = nstr; - str = nstr + str_len; - str_sz = str_len + n + 1; - } - - if (n) - { - memcpy (str, buf, n); - str += n; - } - *str++ = 0; - - optimize_alloc (pstr, str, str_sz); - pstr = NULL; - ++rval; - } - } - break; - - default: - return cleanup_return (rval, &gcollect, pstr, &wbuf); - } - } - - if (ignore_ws) - { - while (iswspace ((c = in_ch (s, &read_in)))); - back_ch (c, s, &read_in, 0); - } - - return cleanup_return (rval, &gcollect, pstr, &wbuf); -} - -int -__mingw_vfwscanf (FILE *s, const wchar_t *format, va_list argp) -{ - _IFP ifp; - memset (&ifp, 0, sizeof (_IFP)); - ifp.fp = s; - return __mingw_swformat (&ifp, format, argp); -} - -int -__mingw_vswscanf (const wchar_t *s, const wchar_t *format, va_list argp) -{ - _IFP ifp; - memset (&ifp, 0, sizeof (_IFP)); - ifp.str = s; - ifp.is_string = 1; - return __mingw_swformat (&ifp, format, argp); -} - diff --git a/lib/libc/mingw/stdio/ucrt__snwprintf.c b/lib/libc/mingw/stdio/ucrt__snwprintf.c new file mode 100644 index 0000000000..d4d5eff17c --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt__snwprintf.c @@ -0,0 +1,41 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +// For ucrt, this function normally is an inline function in stdio.h. +// libmingwex doesn't use the ucrt version of headers, and wassert.c can +// end up requiring a concrete version of it. + +#ifdef __GNUC__ +#pragma GCC diagnostic push +#pragma GCC diagnostic ignored "-Winline" +#endif + +#undef __MSVCRT_VERSION__ +#define _UCRT + +#define _snwprintf real__snwprintf + +#include +#include + +#undef _snwprintf + +int __cdecl _snwprintf(wchar_t * restrict _Dest, size_t _Count, const wchar_t * restrict _Format, ...); + +int __cdecl _snwprintf(wchar_t * restrict _Dest, size_t _Count, const wchar_t * restrict _Format, ...) +{ + va_list ap; + int ret; + va_start(ap, _Format); + ret = vsnwprintf(_Dest, _Count, _Format, ap); + va_end(ap); + return ret; +} + +int __cdecl (*__MINGW_IMP_SYMBOL(_snwprintf))(wchar_t *restrict, size_t, const wchar_t *restrict, ...) = _snwprintf; +#ifdef __GNUC__ +#pragma GCC diagnostic pop +#endif diff --git a/lib/libc/mingw/stdio/ucrt__vscprintf.c b/lib/libc/mingw/stdio/ucrt__vscprintf.c new file mode 100644 index 0000000000..0bfe1ff9f6 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt__vscprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl _vscprintf(const char * __restrict__ _Format, va_list _ArgList) +{ + return __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_STANDARD_SNPRINTF_BEHAVIOR, NULL, 0, _Format, NULL, _ArgList); +} +int __cdecl (*__MINGW_IMP_SYMBOL(_vscprintf))(const char *__restrict__, va_list) = _vscprintf; diff --git a/lib/libc/mingw/stdio/ucrt__vsnprintf.c b/lib/libc/mingw/stdio/ucrt__vsnprintf.c new file mode 100644 index 0000000000..a82fd7dde4 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt__vsnprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl _vsnprintf(char * __restrict__ _Dest,size_t _Count,const char * __restrict__ _Format,va_list _Args) __MINGW_ATTRIB_DEPRECATED_SEC_WARN +{ + return __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_LEGACY_VSPRINTF_NULL_TERMINATION, _Dest, _Count, _Format, NULL, _Args); +} +int __cdecl (*__MINGW_IMP_SYMBOL(_vsnprintf))(char *__restrict__, size_t, const char *__restrict__, va_list) = _vsnprintf; diff --git a/lib/libc/mingw/stdio/ucrt__vsnwprintf.c b/lib/libc/mingw/stdio/ucrt__vsnwprintf.c new file mode 100644 index 0000000000..7f88fee8e5 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt__vsnwprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl _vsnwprintf(wchar_t * __restrict__ _Dest,size_t _Count,const wchar_t * __restrict__ _Format,va_list _Args) __MINGW_ATTRIB_DEPRECATED_SEC_WARN +{ + return __stdio_common_vswprintf(_CRT_INTERNAL_LOCAL_PRINTF_OPTIONS | _CRT_INTERNAL_PRINTF_LEGACY_VSPRINTF_NULL_TERMINATION, _Dest, _Count, _Format, NULL, _Args); +} +int __cdecl (*__MINGW_IMP_SYMBOL(_vsnwprintf))(wchar_t *__restrict__, size_t, const wchar_t *__restrict__, va_list) = _vsnwprintf; diff --git a/lib/libc/mingw/stdio/ucrt_fprintf.c b/lib/libc/mingw/stdio/ucrt_fprintf.c new file mode 100644 index 0000000000..a07a72cfe9 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_fprintf.c @@ -0,0 +1,20 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl fprintf(FILE * __restrict__ _File,const char * __restrict__ _Format,...) +{ + __builtin_va_list ap; + int ret; + __builtin_va_start(ap, _Format); + ret = __stdio_common_vfprintf(0, _File, _Format, NULL, ap); + __builtin_va_end(ap); + return ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(fprintf))(FILE *__restrict__, const char *__restrict__, ...) = fprintf; diff --git a/lib/libc/mingw/stdio/ucrt_fscanf.c b/lib/libc/mingw/stdio/ucrt_fscanf.c new file mode 100644 index 0000000000..4b013f0a7c --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_fscanf.c @@ -0,0 +1,19 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl fscanf(FILE * __restrict__ _File,const char * __restrict__ _Format,...) { + __builtin_va_list __ap; + int __ret; + __builtin_va_start(__ap, _Format); + __ret = __stdio_common_vfscanf(0, _File, _Format, NULL, __ap); + __builtin_va_end(__ap); + return __ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(fscanf))(FILE *__restrict__, const char *__restrict__, ...) = fscanf; diff --git a/lib/libc/mingw/stdio/ucrt_fwprintf.c b/lib/libc/mingw/stdio/ucrt_fwprintf.c new file mode 100644 index 0000000000..d51a6d6925 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_fwprintf.c @@ -0,0 +1,41 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +// For ucrt, this function normally is an inline function in stdio.h. +// libmingwex doesn't use the ucrt version of headers, and wassert.c can +// end up requiring a concrete version of it. + +#ifdef __GNUC__ +#pragma GCC diagnostic push +#pragma GCC diagnostic ignored "-Winline" +#endif + +#undef __MSVCRT_VERSION__ +#define _UCRT + +#define fwprintf real_fwprintf + +#include +#include + +#undef fwprintf + +int __cdecl fwprintf(FILE *ptr, const wchar_t *fmt, ...); + +int __cdecl fwprintf(FILE *ptr, const wchar_t *fmt, ...) +{ + va_list ap; + int ret; + va_start(ap, fmt); + ret = vfwprintf(ptr, fmt, ap); + va_end(ap); + return ret; +} + +int __cdecl (*__MINGW_IMP_SYMBOL(fwprintf))(FILE *, const wchar_t *, ...) = fwprintf; +#ifdef __GNUC__ +#pragma GCC diagnostic pop +#endif diff --git a/lib/libc/mingw/stdio/ucrt_printf.c b/lib/libc/mingw/stdio/ucrt_printf.c new file mode 100644 index 0000000000..50ac67cbbc --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_printf.c @@ -0,0 +1,20 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl printf(const char * __restrict__ _Format,...) +{ + __builtin_va_list ap; + int ret; + __builtin_va_start(ap, _Format); + ret = __stdio_common_vfprintf(0, stdout, _Format, NULL, ap); + __builtin_va_end(ap); + return ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(printf))(const char *__restrict__, ...) = printf; diff --git a/lib/libc/mingw/stdio/ucrt_scanf.c b/lib/libc/mingw/stdio/ucrt_scanf.c new file mode 100644 index 0000000000..0e5035d150 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_scanf.c @@ -0,0 +1,19 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl scanf(const char * __restrict__ _Format,...) { + __builtin_va_list __ap; + int __ret; + __builtin_va_start(__ap, _Format); + __ret = __stdio_common_vfscanf(0, stdin, _Format, NULL, __ap); + __builtin_va_end(__ap); + return __ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(scanf))(const char *__restrict__, ...) = scanf; diff --git a/lib/libc/mingw/stdio/ucrt_snprintf.c b/lib/libc/mingw/stdio/ucrt_snprintf.c new file mode 100644 index 0000000000..8bd8f374cf --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_snprintf.c @@ -0,0 +1,20 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl snprintf (char * __restrict__ __stream, size_t __n, const char * __restrict__ __format, ...) +{ + __builtin_va_list ap; + int ret; + __builtin_va_start(ap, __format); + ret = __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_STANDARD_SNPRINTF_BEHAVIOR, __stream, __n, __format, NULL, ap); + __builtin_va_end(ap); + return ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(snprintf))(char *__restrict__, size_t, const char *__restrict__, ...) = snprintf; diff --git a/lib/libc/mingw/stdio/ucrt_sprintf.c b/lib/libc/mingw/stdio/ucrt_sprintf.c new file mode 100644 index 0000000000..1c1f317394 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_sprintf.c @@ -0,0 +1,20 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl sprintf(char * __restrict__ _Dest,const char * __restrict__ _Format,...) __MINGW_ATTRIB_DEPRECATED_SEC_WARN +{ + __builtin_va_list ap; + int ret; + __builtin_va_start(ap, _Format); + ret = __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_STANDARD_SNPRINTF_BEHAVIOR, _Dest, (size_t)-1, _Format, NULL, ap); + __builtin_va_end(ap); + return ret; +} +int __cdecl (*__MINGW_IMP_SYMBOL(sprintf))(char *__restrict__, const char *__restrict__, ...) = sprintf; diff --git a/lib/libc/mingw/stdio/ucrt_sscanf.c b/lib/libc/mingw/stdio/ucrt_sscanf.c new file mode 100644 index 0000000000..eb87379c42 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_sscanf.c @@ -0,0 +1,20 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl sscanf(const char * __restrict__ _Src,const char * __restrict__ _Format,...) { + __builtin_va_list __ap; + int __ret; + __builtin_va_start(__ap, _Format); + __ret = __stdio_common_vsscanf(0, _Src, (size_t)-1, _Format, NULL, __ap); + __builtin_va_end(__ap); + return __ret; +} + +int __cdecl (*__MINGW_IMP_SYMBOL(sscanf))(const char *__restrict__, const char *__restrict__, ...) = sscanf; diff --git a/lib/libc/mingw/stdio/ucrt_vfprintf.c b/lib/libc/mingw/stdio/ucrt_vfprintf.c new file mode 100644 index 0000000000..59dc20e052 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vfprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vfprintf(FILE * __restrict__ _File,const char * __restrict__ _Format,va_list _ArgList) +{ + return __stdio_common_vfprintf(0, _File, _Format, NULL, _ArgList); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vfprintf))(FILE *__restrict__, const char *__restrict__, va_list) = vfprintf; diff --git a/lib/libc/mingw/stdio/ucrt_vfscanf.c b/lib/libc/mingw/stdio/ucrt_vfscanf.c new file mode 100644 index 0000000000..8d1a76a8be --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vfscanf.c @@ -0,0 +1,14 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vfscanf (FILE *__stream, const char *__format, __builtin_va_list __local_argv) { + return __stdio_common_vfscanf(0, __stream, __format, NULL, __local_argv); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vfscanf))(FILE *, const char *, __builtin_va_list) = vfscanf; diff --git a/lib/libc/mingw/stdio/ucrt_vprintf.c b/lib/libc/mingw/stdio/ucrt_vprintf.c new file mode 100644 index 0000000000..6f30eef427 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vprintf(const char * __restrict__ _Format,va_list _ArgList) +{ + return __stdio_common_vfprintf(0, stdout, _Format, NULL, _ArgList); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vprintf))(const char *__restrict__, va_list) = vprintf; diff --git a/lib/libc/mingw/stdio/ucrt_vscanf.c b/lib/libc/mingw/stdio/ucrt_vscanf.c new file mode 100644 index 0000000000..fc5ae1b1e0 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vscanf.c @@ -0,0 +1,14 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vscanf(const char *__format, __builtin_va_list __local_argv) { + return __stdio_common_vfscanf(0, stdin, __format, NULL, __local_argv); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vscanf))(const char *, __builtin_va_list) = vscanf; diff --git a/lib/libc/mingw/stdio/ucrt_vsnprintf.c b/lib/libc/mingw/stdio/ucrt_vsnprintf.c new file mode 100644 index 0000000000..ecdb01af47 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vsnprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vsnprintf (char * __restrict__ __stream, size_t __n, const char * __restrict__ __format, va_list __local_argv) +{ + return __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_STANDARD_SNPRINTF_BEHAVIOR, __stream, __n, __format, NULL, __local_argv); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vsnprintf))(char *__restrict__, size_t, const char *__restrict__, va_list) = vsnprintf; diff --git a/lib/libc/mingw/stdio/ucrt_vsprintf.c b/lib/libc/mingw/stdio/ucrt_vsprintf.c new file mode 100644 index 0000000000..de272e6f66 --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vsprintf.c @@ -0,0 +1,15 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vsprintf(char * __restrict__ _Dest,const char * __restrict__ _Format,va_list _Args) __MINGW_ATTRIB_DEPRECATED_SEC_WARN +{ + return __stdio_common_vsprintf(_CRT_INTERNAL_PRINTF_STANDARD_SNPRINTF_BEHAVIOR, _Dest, (size_t)-1, _Format, NULL, _Args); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vsprintf))(char *__restrict__, const char *__restrict__, va_list) = vsprintf; diff --git a/lib/libc/mingw/stdio/ucrt_vsscanf.c b/lib/libc/mingw/stdio/ucrt_vsscanf.c new file mode 100644 index 0000000000..1fb76fcf1b --- /dev/null +++ b/lib/libc/mingw/stdio/ucrt_vsscanf.c @@ -0,0 +1,14 @@ +/** + * This file has no copyright assigned and is placed in the Public Domain. + * This file is part of the mingw-w64 runtime package. + * No warranty is given; refer to the file DISCLAIMER.PD within this package. + */ + +#undef __MSVCRT_VERSION__ +#define _UCRT +#include + +int __cdecl vsscanf (const char * __restrict__ __source, const char * __restrict__ __format, __builtin_va_list __local_argv) { + return __stdio_common_vsscanf(0, __source, (size_t)-1, __format, NULL, __local_argv); +} +int __cdecl (*__MINGW_IMP_SYMBOL(vsscanf))(const char *__restrict, const char *__restrict__, __builtin_va_list) = vsscanf; diff --git a/src/mingw.zig b/src/mingw.zig index bf2c878d6f..8755da36c6 100644 --- a/src/mingw.zig +++ b/src/mingw.zig @@ -513,14 +513,12 @@ fn findDef( } const mingw32_lib_deps = [_][]const u8{ - "crt0_c.c", "dll_argv.c", "gccmain.c", "natstart.c", "pseudo-reloc-list.c", "wildcard.c", "charmax.c", - "crt0_w.c", "dllargv.c", "_newmode.c", "tlssup.c", @@ -692,7 +690,6 @@ const mingwex_generic_src = [_][]const u8{ "gdtoa" ++ path.sep_str ++ "strtopx.c", "gdtoa" ++ path.sep_str ++ "sum.c", "gdtoa" ++ path.sep_str ++ "ulp.c", - "math" ++ path.sep_str ++ "abs64.c", "math" ++ path.sep_str ++ "cbrt.c", "math" ++ path.sep_str ++ "cbrtf.c", "math" ++ path.sep_str ++ "cbrtl.c", @@ -832,10 +829,6 @@ const mingwex_generic_src = [_][]const u8{ "misc" ++ path.sep_str ++ "tfind.c", "misc" ++ path.sep_str ++ "tsearch.c", "misc" ++ path.sep_str ++ "twalk.c", - "misc" ++ path.sep_str ++ "uchar_c16rtomb.c", - "misc" ++ path.sep_str ++ "uchar_c32rtomb.c", - "misc" ++ path.sep_str ++ "uchar_mbrtoc16.c", - "misc" ++ path.sep_str ++ "uchar_mbrtoc32.c", "misc" ++ path.sep_str ++ "wcrtomb.c", "misc" ++ path.sep_str ++ "wcsnlen.c", "misc" ++ path.sep_str ++ "wcstof.c",