Check all Callouts function pointers for NULL before using them.
[wine] / loader / module.c
1 /*
2  * Modules
3  *
4  * Copyright 1995 Alexandre Julliard
5  */
6
7 #include <assert.h>
8 #include <fcntl.h>
9 #include <stdlib.h>
10 #include <stdio.h>
11 #include <string.h>
12 #include <sys/types.h>
13 #include <unistd.h>
14 #include "wine/winbase16.h"
15 #include "wine/winestring.h"
16 #include "winerror.h"
17 #include "heap.h"
18 #include "neexe.h"
19 #include "process.h"
20 #include "syslevel.h"
21 #include "selectors.h"
22 #include "debugtools.h"
23 #include "callback.h"
24 #include "loadorder.h"
25 #include "elfdll.h"
26 #include "server.h"
27
28 DEFAULT_DEBUG_CHANNEL(module);
29 DECLARE_DEBUG_CHANNEL(win32);
30
31
32 /*************************************************************************
33  *              MODULE32_LookupHMODULE
34  * looks for the referenced HMODULE in the current process
35  * NOTE: Assumes that the process critical section is held!
36  */
37 static WINE_MODREF *MODULE32_LookupHMODULE( HMODULE hmod )
38 {
39     WINE_MODREF *wm;
40
41     if (!hmod) 
42         return PROCESS_Current()->exe_modref;
43
44     if (!HIWORD(hmod)) {
45         ERR("tried to lookup 0x%04x in win32 module handler!\n",hmod);
46         SetLastError( ERROR_INVALID_HANDLE );
47         return NULL;
48     }
49     for ( wm = PROCESS_Current()->modref_list; wm; wm=wm->next )
50         if (wm->module == hmod)
51             return wm;
52     SetLastError( ERROR_INVALID_HANDLE );
53     return NULL;
54 }
55
56 /*************************************************************************
57  *              MODULE_AllocModRef
58  *
59  * Allocate a WINE_MODREF structure and add it to the process list
60  * NOTE: Assumes that the process critical section is held!
61  */
62 WINE_MODREF *MODULE_AllocModRef( HMODULE hModule, LPCSTR filename )
63 {
64     WINE_MODREF *wm;
65     DWORD len;
66
67     if ((wm = HeapAlloc( GetProcessHeap(), HEAP_ZERO_MEMORY, sizeof(*wm) )))
68     {
69         wm->module = hModule;
70         wm->tlsindex = -1;
71
72         wm->filename = HEAP_strdupA( GetProcessHeap(), 0, filename );
73         if ((wm->modname = strrchr( wm->filename, '\\' ))) wm->modname++;
74         else wm->modname = wm->filename;
75
76         len = GetShortPathNameA( wm->filename, NULL, 0 );
77         wm->short_filename = (char *)HeapAlloc( GetProcessHeap(), 0, len+1 );
78         GetShortPathNameA( wm->filename, wm->short_filename, len+1 );
79         if ((wm->short_modname = strrchr( wm->short_filename, '\\' ))) wm->short_modname++;
80         else wm->short_modname = wm->short_filename;
81
82         wm->next = PROCESS_Current()->modref_list;
83         if (wm->next) wm->next->prev = wm;
84         PROCESS_Current()->modref_list = wm;
85     }
86     return wm;
87 }
88
89 /*************************************************************************
90  *              MODULE_InitDLL
91  */
92 static BOOL MODULE_InitDLL( WINE_MODREF *wm, DWORD type, LPVOID lpReserved )
93 {
94     BOOL retv = TRUE;
95
96     static LPCSTR typeName[] = { "PROCESS_DETACH", "PROCESS_ATTACH", 
97                                  "THREAD_ATTACH", "THREAD_DETACH" };
98     assert( wm );
99
100     /* Skip calls for modules loaded with special load flags */
101
102     if (wm->flags & WINE_MODREF_DONT_RESOLVE_REFS) return TRUE;
103
104     TRACE("(%s,%s,%p) - CALL\n", wm->modname, typeName[type], lpReserved );
105
106     /* Call the initialization routine */
107     retv = PE_InitDLL( wm->module, type, lpReserved );
108
109     /* The state of the module list may have changed due to the call
110        to PE_InitDLL. We cannot assume that this module has not been
111        deleted.  */
112     TRACE("(%p,%s,%p) - RETURN %d\n", wm, typeName[type], lpReserved, retv );
113
114     return retv;
115 }
116
117 /*************************************************************************
118  *              MODULE_DllProcessAttach
119  * 
120  * Send the process attach notification to all DLLs the given module
121  * depends on (recursively). This is somewhat complicated due to the fact that
122  *
123  * - we have to respect the module dependencies, i.e. modules implicitly
124  *   referenced by another module have to be initialized before the module
125  *   itself can be initialized
126  * 
127  * - the initialization routine of a DLL can itself call LoadLibrary,
128  *   thereby introducing a whole new set of dependencies (even involving
129  *   the 'old' modules) at any time during the whole process
130  *
131  * (Note that this routine can be recursively entered not only directly
132  *  from itself, but also via LoadLibrary from one of the called initialization
133  *  routines.)
134  *
135  * Furthermore, we need to rearrange the main WINE_MODREF list to allow
136  * the process *detach* notifications to be sent in the correct order.
137  * This must not only take into account module dependencies, but also 
138  * 'hidden' dependencies created by modules calling LoadLibrary in their
139  * attach notification routine.
140  *
141  * The strategy is rather simple: we move a WINE_MODREF to the head of the
142  * list after the attach notification has returned.  This implies that the
143  * detach notifications are called in the reverse of the sequence the attach
144  * notifications *returned*.
145  *
146  * NOTE: Assumes that the process critical section is held!
147  *
148  */
149 BOOL MODULE_DllProcessAttach( WINE_MODREF *wm, LPVOID lpReserved )
150 {
151     BOOL retv = TRUE;
152     int i;
153     assert( wm );
154
155     /* prevent infinite recursion in case of cyclical dependencies */
156     if (    ( wm->flags & WINE_MODREF_MARKER )
157          || ( wm->flags & WINE_MODREF_PROCESS_ATTACHED ) )
158         return retv;
159
160     TRACE("(%s,%p) - START\n", wm->modname, lpReserved );
161
162     /* Tag current MODREF to prevent recursive loop */
163     wm->flags |= WINE_MODREF_MARKER;
164
165     /* Recursively attach all DLLs this one depends on */
166     for ( i = 0; retv && i < wm->nDeps; i++ )
167         if ( wm->deps[i] )
168             retv = MODULE_DllProcessAttach( wm->deps[i], lpReserved );
169
170     /* Call DLL entry point */
171     if ( retv )
172     {
173         retv = MODULE_InitDLL( wm, DLL_PROCESS_ATTACH, lpReserved );
174         if ( retv )
175             wm->flags |= WINE_MODREF_PROCESS_ATTACHED;
176     }
177
178     /* Re-insert MODREF at head of list */
179     if ( retv && wm->prev )
180     {
181         wm->prev->next = wm->next;
182         if ( wm->next ) wm->next->prev = wm->prev;
183
184         wm->prev = NULL;
185         wm->next = PROCESS_Current()->modref_list;
186         PROCESS_Current()->modref_list = wm->next->prev = wm;
187     }
188
189     /* Remove recursion flag */
190     wm->flags &= ~WINE_MODREF_MARKER;
191
192     TRACE("(%s,%p) - END\n", wm->modname, lpReserved );
193
194     return retv;
195 }
196
197 /*************************************************************************
198  *              MODULE_DllProcessDetach
199  * 
200  * Send DLL process detach notifications.  See the comment about calling 
201  * sequence at MODULE_DllProcessAttach.  Unless the bForceDetach flag
202  * is set, only DLLs with zero refcount are notified.
203  */
204 void MODULE_DllProcessDetach( BOOL bForceDetach, LPVOID lpReserved )
205 {
206     WINE_MODREF *wm;
207
208     EnterCriticalSection( &PROCESS_Current()->crit_section );
209
210     do
211     {
212         for ( wm = PROCESS_Current()->modref_list; wm; wm = wm->next )
213         {
214             /* Check whether to detach this DLL */
215             if ( !(wm->flags & WINE_MODREF_PROCESS_ATTACHED) )
216                 continue;
217             if ( wm->refCount > 0 && !bForceDetach )
218                 continue;
219
220             /* Call detach notification */
221             wm->flags &= ~WINE_MODREF_PROCESS_ATTACHED;
222             MODULE_InitDLL( wm, DLL_PROCESS_DETACH, lpReserved );
223
224             /* Restart at head of WINE_MODREF list, as entries might have
225                been added and/or removed while performing the call ... */
226             break;
227         }
228     } while ( wm );
229
230     LeaveCriticalSection( &PROCESS_Current()->crit_section );
231 }
232
233 /*************************************************************************
234  *              MODULE_DllThreadAttach
235  * 
236  * Send DLL thread attach notifications. These are sent in the
237  * reverse sequence of process detach notification.
238  *
239  */
240 void MODULE_DllThreadAttach( LPVOID lpReserved )
241 {
242     WINE_MODREF *wm;
243
244     EnterCriticalSection( &PROCESS_Current()->crit_section );
245
246     for ( wm = PROCESS_Current()->modref_list; wm; wm = wm->next )
247         if ( !wm->next )
248             break;
249
250     for ( ; wm; wm = wm->prev )
251     {
252         if ( !(wm->flags & WINE_MODREF_PROCESS_ATTACHED) )
253             continue;
254         if ( wm->flags & WINE_MODREF_NO_DLL_CALLS )
255             continue;
256
257         MODULE_InitDLL( wm, DLL_THREAD_ATTACH, lpReserved );
258     }
259
260     LeaveCriticalSection( &PROCESS_Current()->crit_section );
261 }
262
263 /*************************************************************************
264  *              MODULE_DllThreadDetach
265  * 
266  * Send DLL thread detach notifications. These are sent in the
267  * same sequence as process detach notification.
268  *
269  */
270 void MODULE_DllThreadDetach( LPVOID lpReserved )
271 {
272     WINE_MODREF *wm;
273
274     EnterCriticalSection( &PROCESS_Current()->crit_section );
275
276     for ( wm = PROCESS_Current()->modref_list; wm; wm = wm->next )
277     {
278         if ( !(wm->flags & WINE_MODREF_PROCESS_ATTACHED) )
279             continue;
280         if ( wm->flags & WINE_MODREF_NO_DLL_CALLS )
281             continue;
282
283         MODULE_InitDLL( wm, DLL_THREAD_DETACH, lpReserved );
284     }
285
286     LeaveCriticalSection( &PROCESS_Current()->crit_section );
287 }
288
289 /****************************************************************************
290  *              DisableThreadLibraryCalls (KERNEL32.74)
291  *
292  * Don't call DllEntryPoint for DLL_THREAD_{ATTACH,DETACH} if set.
293  */
294 BOOL WINAPI DisableThreadLibraryCalls( HMODULE hModule )
295 {
296     WINE_MODREF *wm;
297     BOOL retval = TRUE;
298
299     EnterCriticalSection( &PROCESS_Current()->crit_section );
300
301     wm = MODULE32_LookupHMODULE( hModule );
302     if ( !wm )
303         retval = FALSE;
304     else
305         wm->flags |= WINE_MODREF_NO_DLL_CALLS;
306
307     LeaveCriticalSection( &PROCESS_Current()->crit_section );
308
309     return retval;
310 }
311
312
313 /***********************************************************************
314  *           MODULE_CreateDummyModule
315  *
316  * Create a dummy NE module for Win32 or Winelib.
317  */
318 HMODULE MODULE_CreateDummyModule( LPCSTR filename, HMODULE module32 )
319 {
320     HMODULE hModule;
321     NE_MODULE *pModule;
322     SEGTABLEENTRY *pSegment;
323     char *pStr,*s;
324     unsigned int len;
325     const char* basename;
326     OFSTRUCT *ofs;
327     int of_size, size;
328
329     /* Extract base filename */
330     basename = strrchr(filename, '\\');
331     if (!basename) basename = filename;
332     else basename++;
333     len = strlen(basename);
334     if ((s = strchr(basename, '.'))) len = s - basename;
335
336     /* Allocate module */
337     of_size = sizeof(OFSTRUCT) - sizeof(ofs->szPathName)
338                     + strlen(filename) + 1;
339     size = sizeof(NE_MODULE) +
340                  /* loaded file info */
341                  of_size +
342                  /* segment table: DS,CS */
343                  2 * sizeof(SEGTABLEENTRY) +
344                  /* name table */
345                  len + 2 +
346                  /* several empty tables */
347                  8;
348
349     hModule = GlobalAlloc16( GMEM_MOVEABLE | GMEM_ZEROINIT, size );
350     if (!hModule) return (HMODULE)11;  /* invalid exe */
351
352     FarSetOwner16( hModule, hModule );
353     pModule = (NE_MODULE *)GlobalLock16( hModule );
354
355     /* Set all used entries */
356     pModule->magic            = IMAGE_OS2_SIGNATURE;
357     pModule->count            = 1;
358     pModule->next             = 0;
359     pModule->flags            = 0;
360     pModule->dgroup           = 0;
361     pModule->ss               = 1;
362     pModule->cs               = 2;
363     pModule->heap_size        = 0;
364     pModule->stack_size       = 0;
365     pModule->seg_count        = 2;
366     pModule->modref_count     = 0;
367     pModule->nrname_size      = 0;
368     pModule->fileinfo         = sizeof(NE_MODULE);
369     pModule->os_flags         = NE_OSFLAGS_WINDOWS;
370     pModule->self             = hModule;
371     pModule->module32         = module32;
372
373     /* Set version and flags */
374     if (module32)
375     {
376         pModule->expected_version =
377             ((PE_HEADER(module32)->OptionalHeader.MajorSubsystemVersion & 0xff) << 8 ) |
378              (PE_HEADER(module32)->OptionalHeader.MinorSubsystemVersion & 0xff);
379         pModule->flags |= NE_FFLAGS_WIN32;
380         if (PE_HEADER(module32)->FileHeader.Characteristics & IMAGE_FILE_DLL)
381             pModule->flags |= NE_FFLAGS_LIBMODULE | NE_FFLAGS_SINGLEDATA;
382     }
383
384     /* Set loaded file information */
385     ofs = (OFSTRUCT *)(pModule + 1);
386     memset( ofs, 0, of_size );
387     ofs->cBytes = of_size < 256 ? of_size : 255;   /* FIXME */
388     strcpy( ofs->szPathName, filename );
389
390     pSegment = (SEGTABLEENTRY*)((char*)(pModule + 1) + of_size);
391     pModule->seg_table = (int)pSegment - (int)pModule;
392     /* Data segment */
393     pSegment->size    = 0;
394     pSegment->flags   = NE_SEGFLAGS_DATA;
395     pSegment->minsize = 0x1000;
396     pSegment++;
397     /* Code segment */
398     pSegment->flags   = 0;
399     pSegment++;
400
401     /* Module name */
402     pStr = (char *)pSegment;
403     pModule->name_table = (int)pStr - (int)pModule;
404     assert(len<256);
405     *pStr = len;
406     lstrcpynA( pStr+1, basename, len+1 );
407     pStr += len+2;
408
409     /* All tables zero terminated */
410     pModule->res_table = pModule->import_table = pModule->entry_table =
411                 (int)pStr - (int)pModule;
412
413     NE_RegisterModule( pModule );
414     return hModule;
415 }
416
417
418 /**********************************************************************
419  *          MODULE_FindModule
420  *
421  * Find a (loaded) win32 module depending on path
422  *
423  * RETURNS
424  *      the module handle if found
425  *      0 if not
426  */
427 WINE_MODREF *MODULE_FindModule(
428         LPCSTR path     /* [in] pathname of module/library to be found */
429 ) {
430     WINE_MODREF *wm;
431     char dllname[260], *p;
432
433     /* Append .DLL to name if no extension present */
434     strcpy( dllname, path );
435     if (!(p = strrchr( dllname, '.')) || strchr( p, '/' ) || strchr( p, '\\'))
436             strcat( dllname, ".DLL" );
437
438     for ( wm = PROCESS_Current()->modref_list; wm; wm = wm->next )
439     {
440         if ( !strcasecmp( dllname, wm->modname ) )
441             break;
442         if ( !strcasecmp( dllname, wm->filename ) )
443             break;
444         if ( !strcasecmp( dllname, wm->short_modname ) )
445             break;
446         if ( !strcasecmp( dllname, wm->short_filename ) )
447             break;
448     }
449
450     return wm;
451 }
452
453
454 /* Check whether a file is an OS/2 or a very old Windows executable
455  * by testing on import of KERNEL.
456  *
457  * FIXME: is reading the module imports the only way of discerning
458  *        old Windows binaries from OS/2 ones ? At least it seems so...
459  */
460 static DWORD MODULE_Decide_OS2_OldWin(HANDLE hfile, IMAGE_DOS_HEADER *mz, IMAGE_OS2_HEADER *ne)
461 {
462     DWORD currpos = SetFilePointer( hfile, 0, NULL, SEEK_CUR);
463     DWORD type = SCS_OS216_BINARY;
464     LPWORD modtab = NULL;
465     LPSTR nametab = NULL;
466     DWORD len;
467     int i;
468
469     /* read modref table */
470     if ( (SetFilePointer( hfile, mz->e_lfanew + ne->ne_modtab, NULL, SEEK_SET ) == -1)
471       || (!(modtab = HeapAlloc( GetProcessHeap(), 0, ne->ne_cmod*sizeof(WORD))))
472       || (!(ReadFile(hfile, modtab, ne->ne_cmod*sizeof(WORD), &len, NULL)))
473       || (len != ne->ne_cmod*sizeof(WORD)) )
474         goto broken;
475
476     /* read imported names table */
477     if ( (SetFilePointer( hfile, mz->e_lfanew + ne->ne_imptab, NULL, SEEK_SET ) == -1)
478       || (!(nametab = HeapAlloc( GetProcessHeap(), 0, ne->ne_enttab - ne->ne_imptab)))
479       || (!(ReadFile(hfile, nametab, ne->ne_enttab - ne->ne_imptab, &len, NULL)))
480       || (len != ne->ne_enttab - ne->ne_imptab) )
481         goto broken;
482
483     for (i=0; i < ne->ne_cmod; i++)
484     {
485         LPSTR module = &nametab[modtab[i]];
486         TRACE("modref: %.*s\n", module[0], &module[1]);
487         if (!(strncmp(&module[1], "KERNEL", module[0])))
488         { /* very old Windows file */
489             MESSAGE("This seems to be a very old (pre-3.0) Windows executable. Expect crashes, especially if this is a real-mode binary !\n");
490             type = SCS_WOW_BINARY;
491             goto good;
492         }
493     }
494
495 broken:
496     ERR("Hmm, an error occurred. Is this binary file broken ?\n");
497
498 good:
499     HeapFree( GetProcessHeap(), 0, modtab);
500     HeapFree( GetProcessHeap(), 0, nametab);
501     SetFilePointer( hfile, currpos, NULL, SEEK_SET); /* restore filepos */
502     return type;
503 }
504
505 /***********************************************************************
506  *           MODULE_GetBinaryType
507  *
508  * The GetBinaryType function determines whether a file is executable
509  * or not and if it is it returns what type of executable it is.
510  * The type of executable is a property that determines in which
511  * subsystem an executable file runs under.
512  *
513  * Binary types returned:
514  * SCS_32BIT_BINARY: A Win32 based application
515  * SCS_DOS_BINARY: An MS-Dos based application
516  * SCS_WOW_BINARY: A Win16 based application
517  * SCS_PIF_BINARY: A PIF file that executes an MS-Dos based app
518  * SCS_POSIX_BINARY: A POSIX based application ( Not implemented )
519  * SCS_OS216_BINARY: A 16bit OS/2 based application
520  *
521  * Returns TRUE if the file is an executable in which case
522  * the value pointed by lpBinaryType is set.
523  * Returns FALSE if the file is not an executable or if the function fails.
524  *
525  * To do so it opens the file and reads in the header information
526  * if the extended header information is not present it will
527  * assume that the file is a DOS executable.
528  * If the extended header information is present it will
529  * determine if the file is a 16 or 32 bit Windows executable
530  * by check the flags in the header.
531  *
532  * Note that .COM and .PIF files are only recognized by their
533  * file name extension; but Windows does it the same way ...
534  */
535 static BOOL MODULE_GetBinaryType( HANDLE hfile, LPCSTR filename, LPDWORD lpBinaryType )
536 {
537     IMAGE_DOS_HEADER mz_header;
538     char magic[4], *ptr;
539     DWORD len;
540
541     /* Seek to the start of the file and read the DOS header information.
542      */
543     if (    SetFilePointer( hfile, 0, NULL, SEEK_SET ) != -1  
544          && ReadFile( hfile, &mz_header, sizeof(mz_header), &len, NULL )
545          && len == sizeof(mz_header) )
546     {
547         /* Now that we have the header check the e_magic field
548          * to see if this is a dos image.
549          */
550         if ( mz_header.e_magic == IMAGE_DOS_SIGNATURE )
551         {
552             BOOL lfanewValid = FALSE;
553             /* We do have a DOS image so we will now try to seek into
554              * the file by the amount indicated by the field
555              * "Offset to extended header" and read in the
556              * "magic" field information at that location.
557              * This will tell us if there is more header information
558              * to read or not.
559              */
560             /* But before we do we will make sure that header
561              * structure encompasses the "Offset to extended header"
562              * field.
563              */
564             if ( (mz_header.e_cparhdr<<4) >= sizeof(IMAGE_DOS_HEADER) )
565                 if ( ( mz_header.e_crlc == 0 ) ||
566                      ( mz_header.e_lfarlc >= sizeof(IMAGE_DOS_HEADER) ) )
567                     if (    mz_header.e_lfanew >= sizeof(IMAGE_DOS_HEADER)
568                          && SetFilePointer( hfile, mz_header.e_lfanew, NULL, SEEK_SET ) != -1  
569                          && ReadFile( hfile, magic, sizeof(magic), &len, NULL )
570                          && len == sizeof(magic) )
571                         lfanewValid = TRUE;
572
573             if ( !lfanewValid )
574             {
575                 /* If we cannot read this "extended header" we will
576                  * assume that we have a simple DOS executable.
577                  */
578                 *lpBinaryType = SCS_DOS_BINARY;
579                 return TRUE;
580             }
581             else
582             {
583                 /* Reading the magic field succeeded so
584                  * we will try to determine what type it is.
585                  */
586                 if ( *(DWORD*)magic      == IMAGE_NT_SIGNATURE )
587                 {
588                     /* This is an NT signature.
589                      */
590                     *lpBinaryType = SCS_32BIT_BINARY;
591                     return TRUE;
592                 }
593                 else if ( *(WORD*)magic == IMAGE_OS2_SIGNATURE )
594                 {
595                     /* The IMAGE_OS2_SIGNATURE indicates that the
596                      * "extended header is a Windows executable (NE)
597                      * header."  This can mean either a 16-bit OS/2
598                      * or a 16-bit Windows or even a DOS program 
599                      * (running under a DOS extender).  To decide
600                      * which, we'll have to read the NE header.
601                      */
602
603                      IMAGE_OS2_HEADER ne;
604                      if (    SetFilePointer( hfile, mz_header.e_lfanew, NULL, SEEK_SET ) != -1  
605                           && ReadFile( hfile, &ne, sizeof(ne), &len, NULL )
606                           && len == sizeof(ne) )
607                      {
608                          switch ( ne.ne_exetyp )
609                          {
610                          case 2:  *lpBinaryType = SCS_WOW_BINARY;   return TRUE;
611                          case 5:  *lpBinaryType = SCS_DOS_BINARY;   return TRUE;
612                          default: *lpBinaryType =
613                                   MODULE_Decide_OS2_OldWin(hfile, &mz_header, &ne);
614                                   return TRUE;
615                          }
616                      }
617                      /* Couldn't read header, so abort. */
618                      return FALSE;
619                 }
620                 else
621                 {
622                     /* Unknown extended header, but this file is nonetheless
623                        DOS-executable.
624                      */
625                     *lpBinaryType = SCS_DOS_BINARY;
626                     return TRUE;
627                 }
628             }
629         }
630     }
631
632     /* If we get here, we don't even have a correct MZ header.
633      * Try to check the file extension for known types ...
634      */
635     ptr = strrchr( filename, '.' );
636     if ( ptr && !strchr( ptr, '\\' ) && !strchr( ptr, '/' ) )
637     {
638         if ( !strcasecmp( ptr, ".COM" ) )
639         {
640             *lpBinaryType = SCS_DOS_BINARY;
641             return TRUE;
642         }
643
644         if ( !strcasecmp( ptr, ".PIF" ) )
645         {
646             *lpBinaryType = SCS_PIF_BINARY;
647             return TRUE;
648         }
649     }
650
651     return FALSE;
652 }
653
654 /***********************************************************************
655  *             GetBinaryTypeA                     [KERNEL32.280]
656  */
657 BOOL WINAPI GetBinaryTypeA( LPCSTR lpApplicationName, LPDWORD lpBinaryType )
658 {
659     BOOL ret = FALSE;
660     HANDLE hfile;
661
662     TRACE_(win32)("%s\n", lpApplicationName );
663
664     /* Sanity check.
665      */
666     if ( lpApplicationName == NULL || lpBinaryType == NULL )
667         return FALSE;
668
669     /* Open the file indicated by lpApplicationName for reading.
670      */
671     hfile = CreateFileA( lpApplicationName, GENERIC_READ, FILE_SHARE_READ,
672                          NULL, OPEN_EXISTING, 0, -1 );
673     if ( hfile == INVALID_HANDLE_VALUE )
674         return FALSE;
675
676     /* Check binary type
677      */
678     ret = MODULE_GetBinaryType( hfile, lpApplicationName, lpBinaryType );
679
680     /* Close the file.
681      */
682     CloseHandle( hfile );
683
684     return ret;
685 }
686
687 /***********************************************************************
688  *             GetBinaryTypeW                      [KERNEL32.281]
689  */
690 BOOL WINAPI GetBinaryTypeW( LPCWSTR lpApplicationName, LPDWORD lpBinaryType )
691 {
692     BOOL ret = FALSE;
693     LPSTR strNew = NULL;
694
695     TRACE_(win32)("%s\n", debugstr_w(lpApplicationName) );
696
697     /* Sanity check.
698      */
699     if ( lpApplicationName == NULL || lpBinaryType == NULL )
700         return FALSE;
701
702     /* Convert the wide string to a ascii string.
703      */
704     strNew = HEAP_strdupWtoA( GetProcessHeap(), 0, lpApplicationName );
705
706     if ( strNew != NULL )
707     {
708         ret = GetBinaryTypeA( strNew, lpBinaryType );
709
710         /* Free the allocated string.
711          */
712         HeapFree( GetProcessHeap(), 0, strNew );
713     }
714
715     return ret;
716 }
717
718
719 /***********************************************************************
720  *           WinExec16   (KERNEL.166)
721  */
722 HINSTANCE16 WINAPI WinExec16( LPCSTR lpCmdLine, UINT16 nCmdShow )
723 {
724     LPCSTR p, args = NULL;
725     LPCSTR name_beg, name_end;
726     LPSTR name, cmdline;
727     int arglen;
728     HINSTANCE16 ret;
729     char buffer[MAX_PATH];
730
731     if (*lpCmdLine == '"') /* has to be only one and only at beginning ! */
732     {
733       name_beg = lpCmdLine+1;
734       p = strchr ( lpCmdLine+1, '"' );
735       if (p)
736       {
737           name_end = p;
738           args = strchr ( p, ' ' );
739       }
740       else /* yes, even valid with trailing '"' missing */
741           name_end = lpCmdLine+strlen(lpCmdLine);
742     }
743     else 
744     {
745       name_beg = lpCmdLine;
746       args = strchr( lpCmdLine, ' ' );
747       name_end = args ? args : lpCmdLine+strlen(lpCmdLine);
748     }
749
750     if ((name_beg == lpCmdLine) && (!args))
751     { /* just use the original cmdline string as file name */
752         name = (LPSTR)lpCmdLine;
753     }
754     else
755     {
756         if (!(name = HeapAlloc( GetProcessHeap(), 0, name_end - name_beg + 1 )))
757             return ERROR_NOT_ENOUGH_MEMORY;
758         memcpy( name, name_beg, name_end - name_beg );
759         name[name_end - name_beg] = '\0';
760     }
761
762     if (args)
763     {
764         args++;
765         arglen = strlen(args);
766         cmdline = SEGPTR_ALLOC( 2 + arglen );
767         cmdline[0] = (BYTE)arglen;
768         strcpy( cmdline + 1, args );
769     }
770     else
771     {
772         cmdline = SEGPTR_ALLOC( 2 );
773         cmdline[0] = cmdline[1] = 0;
774     }
775
776     TRACE("name: '%s', cmdline: '%.*s'\n", name, cmdline[0], &cmdline[1]);
777
778     if (SearchPathA( NULL, name, ".exe", sizeof(buffer), buffer, NULL ))
779     {
780         LOADPARAMS16 params;
781         WORD *showCmd = SEGPTR_ALLOC( 2*sizeof(WORD) );
782         showCmd[0] = 2;
783         showCmd[1] = nCmdShow;
784
785         params.hEnvironment = 0;
786         params.cmdLine = SEGPTR_GET(cmdline);
787         params.showCmd = SEGPTR_GET(showCmd);
788         params.reserved = 0;
789
790         ret = LoadModule16( buffer, &params );
791
792         SEGPTR_FREE( showCmd );
793         SEGPTR_FREE( cmdline );
794     }
795     else ret = GetLastError();
796
797     if (name != lpCmdLine) HeapFree( GetProcessHeap(), 0, name );
798
799     if (ret == 21)  /* 32-bit module */
800     {
801         SYSLEVEL_ReleaseWin16Lock();
802         ret = WinExec( lpCmdLine, nCmdShow );
803         SYSLEVEL_RestoreWin16Lock();
804     }
805     return ret;
806 }
807
808 /***********************************************************************
809  *           WinExec   (KERNEL32.566)
810  */
811 HINSTANCE WINAPI WinExec( LPCSTR lpCmdLine, UINT nCmdShow )
812 {
813     PROCESS_INFORMATION info;
814     STARTUPINFOA startup;
815     HINSTANCE hInstance;
816     char *cmdline;
817
818     memset( &startup, 0, sizeof(startup) );
819     startup.cb = sizeof(startup);
820     startup.dwFlags = STARTF_USESHOWWINDOW;
821     startup.wShowWindow = nCmdShow;
822
823     /* cmdline needs to be writeable for CreateProcess */
824     if (!(cmdline = HEAP_strdupA( GetProcessHeap(), 0, lpCmdLine ))) return 0;
825
826     if (CreateProcessA( NULL, cmdline, NULL, NULL, FALSE,
827                         0, NULL, NULL, &startup, &info ))
828     {
829         /* Give 30 seconds to the app to come up */
830         if (Callout.WaitForInputIdle &&
831             Callout.WaitForInputIdle( info.hProcess, 30000 ) == 0xFFFFFFFF)
832             WARN("WaitForInputIdle failed: Error %ld\n", GetLastError() );
833         hInstance = 33;
834         /* Close off the handles */
835         CloseHandle( info.hThread );
836         CloseHandle( info.hProcess );
837     }
838     else if ((hInstance = GetLastError()) >= 32)
839     {
840         FIXME("Strange error set by CreateProcess: %d\n", hInstance );
841         hInstance = 11;
842     }
843     HeapFree( GetProcessHeap(), 0, cmdline );
844     return hInstance;
845 }
846
847 /**********************************************************************
848  *          LoadModule    (KERNEL32.499)
849  */
850 HINSTANCE WINAPI LoadModule( LPCSTR name, LPVOID paramBlock ) 
851 {
852     LOADPARAMS *params = (LOADPARAMS *)paramBlock;
853     PROCESS_INFORMATION info;
854     STARTUPINFOA startup;
855     HINSTANCE hInstance;
856     LPSTR cmdline, p;
857     char filename[MAX_PATH];
858     BYTE len;
859
860     if (!name) return ERROR_FILE_NOT_FOUND;
861
862     if (!SearchPathA( NULL, name, ".exe", sizeof(filename), filename, NULL ) &&
863         !SearchPathA( NULL, name, NULL, sizeof(filename), filename, NULL ))
864         return GetLastError();
865
866     len = (BYTE)params->lpCmdLine[0];
867     if (!(cmdline = HeapAlloc( GetProcessHeap(), 0, strlen(filename) + len + 2 )))
868         return ERROR_NOT_ENOUGH_MEMORY;
869
870     strcpy( cmdline, filename );
871     p = cmdline + strlen(cmdline);
872     *p++ = ' ';
873     memcpy( p, params->lpCmdLine + 1, len );
874     p[len] = 0;
875
876     memset( &startup, 0, sizeof(startup) );
877     startup.cb = sizeof(startup);
878     if (params->lpCmdShow)
879     {
880         startup.dwFlags = STARTF_USESHOWWINDOW;
881         startup.wShowWindow = params->lpCmdShow[1];
882     }
883     
884     if (CreateProcessA( filename, cmdline, NULL, NULL, FALSE, 0,
885                         params->lpEnvAddress, NULL, &startup, &info ))
886     {
887         /* Give 30 seconds to the app to come up */
888         if (Callout.WaitForInputIdle &&
889             Callout.WaitForInputIdle( info.hProcess, 30000 ) ==  0xFFFFFFFF )
890             WARN("WaitForInputIdle failed: Error %ld\n", GetLastError() );
891         hInstance = 33;
892         /* Close off the handles */
893         CloseHandle( info.hThread );
894         CloseHandle( info.hProcess );
895     }
896     else if ((hInstance = GetLastError()) >= 32)
897     {
898         FIXME("Strange error set by CreateProcess: %d\n", hInstance );
899         hInstance = 11;
900     }
901
902     HeapFree( GetProcessHeap(), 0, cmdline );
903     return hInstance;
904 }
905
906
907 /*************************************************************************
908  *               get_file_name
909  *
910  * Helper for CreateProcess: retrieve the file name to load from the
911  * app name and command line. Store the file name in buffer, and
912  * return a possibly modified command line.
913  */
914 static LPSTR get_file_name( LPCSTR appname, LPSTR cmdline, LPSTR buffer, int buflen )
915 {
916     char *name, *pos, *ret = NULL;
917     const char *p;
918
919     /* if we have an app name, everything is easy */
920
921     if (appname)
922     {
923         /* use the unmodified app name as file name */
924         lstrcpynA( buffer, appname, buflen );
925         if (!(ret = cmdline))
926         {
927             /* no command-line, create one */
928             if ((ret = HeapAlloc( GetProcessHeap(), 0, strlen(appname) + 3 )))
929                 sprintf( ret, "\"%s\"", appname );
930         }
931         return ret;
932     }
933
934     if (!cmdline)
935     {
936         SetLastError( ERROR_INVALID_PARAMETER );
937         return NULL;
938     }
939
940     /* first check for a quoted file name */
941
942     if ((cmdline[0] == '"') && ((p = strchr( cmdline + 1, '"' ))))
943     {
944         int len = p - cmdline - 1;
945         /* extract the quoted portion as file name */
946         if (!(name = HeapAlloc( GetProcessHeap(), 0, len + 1 ))) return NULL;
947         memcpy( name, cmdline + 1, len );
948         name[len] = 0;
949
950         if (SearchPathA( NULL, name, ".exe", buflen, buffer, NULL ) ||
951             SearchPathA( NULL, name, NULL, buflen, buffer, NULL ))
952             ret = cmdline;  /* no change necessary */
953         goto done;
954     }
955
956     /* now try the command-line word by word */
957
958     if (!(name = HeapAlloc( GetProcessHeap(), 0, strlen(cmdline) + 1 ))) return NULL;
959     pos = name;
960     p = cmdline;
961
962     while (*p)
963     {
964         do *pos++ = *p++; while (*p && *p != ' ');
965         *pos = 0;
966         TRACE("trying '%s'\n", name );
967         if (SearchPathA( NULL, name, ".exe", buflen, buffer, NULL ) ||
968             SearchPathA( NULL, name, NULL, buflen, buffer, NULL ))
969         {
970             ret = cmdline;
971             break;
972         }
973     }
974
975     if (!ret || !strchr( name, ' ' )) goto done;  /* no change necessary */
976
977     /* now build a new command-line with quotes */
978
979     if (!(ret = HeapAlloc( GetProcessHeap(), 0, strlen(cmdline) + 3 ))) goto done;
980     sprintf( ret, "\"%s\"%s", name, p );
981
982  done:
983     HeapFree( GetProcessHeap(), 0, name );
984     return ret;
985 }
986
987
988 /**********************************************************************
989  *       CreateProcessA          (KERNEL32.171)
990  */
991 BOOL WINAPI CreateProcessA( LPCSTR lpApplicationName, LPSTR lpCommandLine, 
992                             LPSECURITY_ATTRIBUTES lpProcessAttributes,
993                             LPSECURITY_ATTRIBUTES lpThreadAttributes,
994                             BOOL bInheritHandles, DWORD dwCreationFlags,
995                             LPVOID lpEnvironment, LPCSTR lpCurrentDirectory,
996                             LPSTARTUPINFOA lpStartupInfo,
997                             LPPROCESS_INFORMATION lpProcessInfo )
998 {
999     BOOL retv = FALSE;
1000     HANDLE hFile;
1001     DWORD type;
1002     char name[MAX_PATH];
1003     LPSTR tidy_cmdline;
1004
1005     /* Process the AppName and/or CmdLine to get module name and path */
1006
1007     TRACE("app '%s' cmdline '%s'\n", lpApplicationName, lpCommandLine );
1008
1009     if (!(tidy_cmdline = get_file_name( lpApplicationName, lpCommandLine, name, sizeof(name) )))
1010         return FALSE;
1011
1012     /* Warn if unsupported features are used */
1013
1014     if (dwCreationFlags & DETACHED_PROCESS)
1015         FIXME("(%s,...): DETACHED_PROCESS ignored\n", name);
1016     if (dwCreationFlags & CREATE_NEW_CONSOLE)
1017         FIXME("(%s,...): CREATE_NEW_CONSOLE ignored\n", name);
1018     if (dwCreationFlags & NORMAL_PRIORITY_CLASS)
1019         FIXME("(%s,...): NORMAL_PRIORITY_CLASS ignored\n", name);
1020     if (dwCreationFlags & IDLE_PRIORITY_CLASS)
1021         FIXME("(%s,...): IDLE_PRIORITY_CLASS ignored\n", name);
1022     if (dwCreationFlags & HIGH_PRIORITY_CLASS)
1023         FIXME("(%s,...): HIGH_PRIORITY_CLASS ignored\n", name);
1024     if (dwCreationFlags & REALTIME_PRIORITY_CLASS)
1025         FIXME("(%s,...): REALTIME_PRIORITY_CLASS ignored\n", name);
1026     if (dwCreationFlags & CREATE_NEW_PROCESS_GROUP)
1027         FIXME("(%s,...): CREATE_NEW_PROCESS_GROUP ignored\n", name);
1028     if (dwCreationFlags & CREATE_UNICODE_ENVIRONMENT)
1029         FIXME("(%s,...): CREATE_UNICODE_ENVIRONMENT ignored\n", name);
1030     if (dwCreationFlags & CREATE_SEPARATE_WOW_VDM)
1031         FIXME("(%s,...): CREATE_SEPARATE_WOW_VDM ignored\n", name);
1032     if (dwCreationFlags & CREATE_SHARED_WOW_VDM)
1033         FIXME("(%s,...): CREATE_SHARED_WOW_VDM ignored\n", name);
1034     if (dwCreationFlags & CREATE_DEFAULT_ERROR_MODE)
1035         FIXME("(%s,...): CREATE_DEFAULT_ERROR_MODE ignored\n", name);
1036     if (dwCreationFlags & CREATE_NO_WINDOW)
1037         FIXME("(%s,...): CREATE_NO_WINDOW ignored\n", name);
1038     if (dwCreationFlags & PROFILE_USER)
1039         FIXME("(%s,...): PROFILE_USER ignored\n", name);
1040     if (dwCreationFlags & PROFILE_KERNEL)
1041         FIXME("(%s,...): PROFILE_KERNEL ignored\n", name);
1042     if (dwCreationFlags & PROFILE_SERVER)
1043         FIXME("(%s,...): PROFILE_SERVER ignored\n", name);
1044     if (lpStartupInfo->lpDesktop)
1045         FIXME("(%s,...): lpStartupInfo->lpDesktop %s ignored\n", 
1046                       name, lpStartupInfo->lpDesktop);
1047     if (lpStartupInfo->lpTitle)
1048         FIXME("(%s,...): lpStartupInfo->lpTitle %s ignored\n", 
1049                       name, lpStartupInfo->lpTitle);
1050     if (lpStartupInfo->dwFlags & STARTF_USECOUNTCHARS)
1051         FIXME("(%s,...): STARTF_USECOUNTCHARS (%ld,%ld) ignored\n", 
1052                       name, lpStartupInfo->dwXCountChars, lpStartupInfo->dwYCountChars);
1053     if (lpStartupInfo->dwFlags & STARTF_USEFILLATTRIBUTE)
1054         FIXME("(%s,...): STARTF_USEFILLATTRIBUTE %lx ignored\n", 
1055                       name, lpStartupInfo->dwFillAttribute);
1056     if (lpStartupInfo->dwFlags & STARTF_RUNFULLSCREEN)
1057         FIXME("(%s,...): STARTF_RUNFULLSCREEN ignored\n", name);
1058     if (lpStartupInfo->dwFlags & STARTF_FORCEONFEEDBACK)
1059         FIXME("(%s,...): STARTF_FORCEONFEEDBACK ignored\n", name);
1060     if (lpStartupInfo->dwFlags & STARTF_FORCEOFFFEEDBACK)
1061         FIXME("(%s,...): STARTF_FORCEOFFFEEDBACK ignored\n", name);
1062     if (lpStartupInfo->dwFlags & STARTF_USEHOTKEY)
1063         FIXME("(%s,...): STARTF_USEHOTKEY ignored\n", name);
1064
1065     /* Open file and determine executable type */
1066
1067     hFile = CreateFileA( name, GENERIC_READ, FILE_SHARE_READ, NULL, OPEN_EXISTING, 0, -1 );
1068     if (hFile == INVALID_HANDLE_VALUE) goto done;
1069
1070     if ( !MODULE_GetBinaryType( hFile, name, &type ) )
1071     {
1072         CloseHandle( hFile );
1073         retv = PROCESS_Create( -1, name, tidy_cmdline, lpEnvironment, 
1074                                lpProcessAttributes, lpThreadAttributes,
1075                                bInheritHandles, dwCreationFlags,
1076                                lpStartupInfo, lpProcessInfo, lpCurrentDirectory );
1077         goto done;
1078     }
1079
1080     /* Create process */
1081
1082     switch ( type )
1083     {
1084     case SCS_32BIT_BINARY:
1085     case SCS_WOW_BINARY:
1086     case SCS_DOS_BINARY:
1087         retv = PROCESS_Create( hFile, name, tidy_cmdline, lpEnvironment, 
1088                                lpProcessAttributes, lpThreadAttributes,
1089                                bInheritHandles, dwCreationFlags,
1090                                lpStartupInfo, lpProcessInfo, lpCurrentDirectory);
1091         break;
1092
1093     case SCS_PIF_BINARY:
1094     case SCS_POSIX_BINARY:
1095     case SCS_OS216_BINARY:
1096         FIXME("Unsupported executable type: %ld\n", type );
1097         /* fall through */
1098
1099     default:
1100         SetLastError( ERROR_BAD_FORMAT );
1101         break;
1102     }
1103     CloseHandle( hFile );
1104
1105  done:
1106     if (tidy_cmdline != lpCommandLine) HeapFree( GetProcessHeap(), 0, tidy_cmdline );
1107     return retv;
1108 }
1109
1110 /**********************************************************************
1111  *       CreateProcessW          (KERNEL32.172)
1112  * NOTES
1113  *  lpReserved is not converted
1114  */
1115 BOOL WINAPI CreateProcessW( LPCWSTR lpApplicationName, LPWSTR lpCommandLine, 
1116                                 LPSECURITY_ATTRIBUTES lpProcessAttributes,
1117                                 LPSECURITY_ATTRIBUTES lpThreadAttributes,
1118                                 BOOL bInheritHandles, DWORD dwCreationFlags,
1119                                 LPVOID lpEnvironment, LPCWSTR lpCurrentDirectory,
1120                                 LPSTARTUPINFOW lpStartupInfo,
1121                                 LPPROCESS_INFORMATION lpProcessInfo )
1122 {   BOOL ret;
1123     STARTUPINFOA StartupInfoA;
1124     
1125     LPSTR lpApplicationNameA = HEAP_strdupWtoA (GetProcessHeap(),0,lpApplicationName);
1126     LPSTR lpCommandLineA = HEAP_strdupWtoA (GetProcessHeap(),0,lpCommandLine);
1127     LPSTR lpCurrentDirectoryA = HEAP_strdupWtoA (GetProcessHeap(),0,lpCurrentDirectory);
1128
1129     memcpy (&StartupInfoA, lpStartupInfo, sizeof(STARTUPINFOA));
1130     StartupInfoA.lpDesktop = HEAP_strdupWtoA (GetProcessHeap(),0,lpStartupInfo->lpDesktop);
1131     StartupInfoA.lpTitle = HEAP_strdupWtoA (GetProcessHeap(),0,lpStartupInfo->lpTitle);
1132
1133     TRACE_(win32)("(%s,%s,...)\n", debugstr_w(lpApplicationName), debugstr_w(lpCommandLine));
1134
1135     if (lpStartupInfo->lpReserved)
1136       FIXME_(win32)("StartupInfo.lpReserved is used, please report (%s)\n", debugstr_w(lpStartupInfo->lpReserved));
1137       
1138     ret = CreateProcessA(  lpApplicationNameA,  lpCommandLineA, 
1139                              lpProcessAttributes, lpThreadAttributes,
1140                              bInheritHandles, dwCreationFlags,
1141                              lpEnvironment, lpCurrentDirectoryA,
1142                              &StartupInfoA, lpProcessInfo );
1143
1144     HeapFree( GetProcessHeap(), 0, lpCurrentDirectoryA );
1145     HeapFree( GetProcessHeap(), 0, lpCommandLineA );
1146     HeapFree( GetProcessHeap(), 0, StartupInfoA.lpDesktop );
1147     HeapFree( GetProcessHeap(), 0, StartupInfoA.lpTitle );
1148
1149     return ret;
1150 }
1151
1152 /***********************************************************************
1153  *              GetModuleHandleA         (KERNEL32.237)
1154  */
1155 HMODULE WINAPI GetModuleHandleA(LPCSTR module)
1156 {
1157     WINE_MODREF *wm;
1158
1159     if ( module == NULL )
1160         wm = PROCESS_Current()->exe_modref;
1161     else
1162         wm = MODULE_FindModule( module );
1163
1164     return wm? wm->module : 0;
1165 }
1166
1167 /***********************************************************************
1168  *              GetModuleHandleW
1169  */
1170 HMODULE WINAPI GetModuleHandleW(LPCWSTR module)
1171 {
1172     HMODULE hModule;
1173     LPSTR modulea = HEAP_strdupWtoA( GetProcessHeap(), 0, module );
1174     hModule = GetModuleHandleA( modulea );
1175     HeapFree( GetProcessHeap(), 0, modulea );
1176     return hModule;
1177 }
1178
1179
1180 /***********************************************************************
1181  *              GetModuleFileNameA      (KERNEL32.235)
1182  *
1183  * GetModuleFileNameA seems to *always* return the long path;
1184  * it's only GetModuleFileName16 that decides between short/long path
1185  * by checking if exe version >= 4.0.
1186  * (SDK docu doesn't mention this)
1187  */
1188 DWORD WINAPI GetModuleFileNameA( 
1189         HMODULE hModule,        /* [in] module handle (32bit) */
1190         LPSTR lpFileName,       /* [out] filenamebuffer */
1191         DWORD size )            /* [in] size of filenamebuffer */
1192 {
1193     WINE_MODREF *wm;
1194
1195     EnterCriticalSection( &PROCESS_Current()->crit_section );
1196
1197     lpFileName[0] = 0;
1198     if ((wm = MODULE32_LookupHMODULE( hModule )))
1199         lstrcpynA( lpFileName, wm->filename, size );
1200
1201     LeaveCriticalSection( &PROCESS_Current()->crit_section );
1202     TRACE("%s\n", lpFileName );
1203     return strlen(lpFileName);
1204 }                   
1205  
1206
1207 /***********************************************************************
1208  *              GetModuleFileNameW      (KERNEL32.236)
1209  */
1210 DWORD WINAPI GetModuleFileNameW( HMODULE hModule, LPWSTR lpFileName,
1211                                    DWORD size )
1212 {
1213     LPSTR fnA = (char*)HeapAlloc( GetProcessHeap(), 0, size );
1214     DWORD res = GetModuleFileNameA( hModule, fnA, size );
1215     lstrcpynAtoW( lpFileName, fnA, size );
1216     HeapFree( GetProcessHeap(), 0, fnA );
1217     return res;
1218 }
1219
1220
1221 /***********************************************************************
1222  *           LoadLibraryExA   (KERNEL32)
1223  */
1224 HMODULE WINAPI LoadLibraryExA(LPCSTR libname, HANDLE hfile, DWORD flags)
1225 {
1226         WINE_MODREF *wm;
1227
1228         if(!libname)
1229         {
1230                 SetLastError(ERROR_INVALID_PARAMETER);
1231                 return 0;
1232         }
1233
1234         if (flags & LOAD_LIBRARY_AS_DATAFILE)
1235         {
1236             char filename[256];
1237             HFILE hFile;
1238             HMODULE hmod = 0;
1239
1240             if (!SearchPathA( NULL, libname, ".dll", sizeof(filename), filename, NULL ))
1241                 return 0;
1242             /* FIXME: maybe we should use the hfile parameter instead */
1243             hFile = CreateFileA( filename, GENERIC_READ, FILE_SHARE_READ,
1244                                  NULL, OPEN_EXISTING, 0, -1 );
1245             if (hFile != INVALID_HANDLE_VALUE)
1246             {
1247                 hmod = PE_LoadImage( hFile, filename, flags );
1248                 CloseHandle( hFile );
1249             }
1250             return hmod;
1251         }
1252
1253         EnterCriticalSection(&PROCESS_Current()->crit_section);
1254
1255         wm = MODULE_LoadLibraryExA( libname, hfile, flags );
1256         if ( wm )
1257         {
1258                 if ( !MODULE_DllProcessAttach( wm, NULL ) )
1259                 {
1260                         WARN_(module)("Attach failed for module '%s', \n", libname);
1261                         MODULE_FreeLibrary(wm);
1262                         SetLastError(ERROR_DLL_INIT_FAILED);
1263                         wm = NULL;
1264                 }
1265         }
1266
1267         LeaveCriticalSection(&PROCESS_Current()->crit_section);
1268
1269         return wm ? wm->module : 0;
1270 }
1271
1272 /***********************************************************************
1273  *      MODULE_LoadLibraryExA   (internal)
1274  *
1275  * Load a PE style module according to the load order.
1276  *
1277  * The HFILE parameter is not used and marked reserved in the SDK. I can
1278  * only guess that it should force a file to be mapped, but I rather
1279  * ignore the parameter because it would be extremely difficult to
1280  * integrate this with different types of module represenations.
1281  *
1282  */
1283 WINE_MODREF *MODULE_LoadLibraryExA( LPCSTR libname, HFILE hfile, DWORD flags )
1284 {
1285         DWORD err = GetLastError();
1286         WINE_MODREF *pwm;
1287         int i;
1288         module_loadorder_t *plo;
1289         LPSTR filename, p;
1290
1291         if ( !libname ) return NULL;
1292
1293         filename = HeapAlloc ( GetProcessHeap(), 0, MAX_PATH + 1 );
1294         if ( !filename ) return NULL;
1295
1296         /* build the modules filename */
1297         if (!SearchPathA( NULL, libname, ".dll", MAX_PATH, filename, NULL ))
1298         {
1299             if ( ! GetSystemDirectoryA ( filename, MAX_PATH ) ) 
1300                 goto error;
1301
1302             /* if the library name contains a path and can not be found, return an error. 
1303                exception: if the path is the system directory, proceed, so that modules, 
1304                which are not PE-modules can be loaded
1305
1306                if the library name does not contain a path and can not be found, assume the 
1307                system directory is meant */
1308             
1309             if ( ! strncasecmp ( filename, libname, strlen ( filename ) ))
1310                 strcpy ( filename, libname );
1311             else
1312             {
1313                 if ( strchr ( libname, '\\' ) || strchr ( libname, ':') || strchr ( libname, '/' ) ) 
1314                     goto error;
1315                 else 
1316                 {
1317                     strcat ( filename, "\\" );
1318                     strcat ( filename, libname );
1319                 }
1320             }
1321       
1322             /* if the filename doesn't have an extension append .DLL */
1323             if (!(p = strrchr( filename, '.')) || strchr( p, '/' ) || strchr( p, '\\'))
1324                 strcat( filename, ".DLL" );
1325         }
1326
1327         EnterCriticalSection(&PROCESS_Current()->crit_section);
1328
1329         /* Check for already loaded module */
1330         if (!(pwm = MODULE_FindModule(filename)) && 
1331             /* no path in libpath */
1332             !strchr( libname, '\\' ) && !strchr( libname, ':') && !strchr( libname, '/' )) 
1333         {
1334             LPSTR       fn = HeapAlloc ( GetProcessHeap(), 0, MAX_PATH + 1 );
1335             if (fn)
1336             {
1337                 /* since the default loading mechanism uses a more detailed algorithm 
1338                  * than SearchPath (like using PATH, which can even be modified between
1339                  * two attempts of loading the same DLL), the look-up above (with
1340                  * SearchPath) can have put the file in system directory, whereas it
1341                  * has already been loaded but with a different path. So do a specific
1342                  * look-up with filename (without any path)
1343                  */
1344                 strcpy ( fn, libname );
1345                 /* if the filename doesn't have an extension append .DLL */
1346                 if (!strrchr( fn, '.')) strcat( fn, ".dll" );
1347                 if ((pwm = MODULE_FindModule( fn )) != NULL)
1348                    strcpy( filename, fn );
1349                 HeapFree( GetProcessHeap(), 0, fn );
1350             }
1351         }
1352         if (pwm)
1353         {
1354                 if(!(pwm->flags & WINE_MODREF_MARKER))
1355                         pwm->refCount++;
1356
1357                 if ((pwm->flags & WINE_MODREF_DONT_RESOLVE_REFS) &&
1358                     !(flags & DONT_RESOLVE_DLL_REFERENCES))
1359                 {
1360                     extern DWORD fixup_imports(WINE_MODREF *wm); /*FIXME*/
1361                     pwm->flags &= ~WINE_MODREF_DONT_RESOLVE_REFS;
1362                     fixup_imports( pwm );
1363                 }
1364                 TRACE("Already loaded module '%s' at 0x%08x, count=%d, \n", filename, pwm->module, pwm->refCount);
1365                 LeaveCriticalSection(&PROCESS_Current()->crit_section);
1366                 HeapFree ( GetProcessHeap(), 0, filename );
1367                 return pwm;
1368         }
1369
1370         plo = MODULE_GetLoadOrder(filename, TRUE);
1371
1372         for(i = 0; i < MODULE_LOADORDER_NTYPES; i++)
1373         {
1374                 SetLastError( ERROR_FILE_NOT_FOUND );
1375                 switch(plo->loadorder[i])
1376                 {
1377                 case MODULE_LOADORDER_DLL:
1378                         TRACE("Trying native dll '%s'\n", filename);
1379                         pwm = PE_LoadLibraryExA(filename, flags);
1380                         break;
1381
1382                 case MODULE_LOADORDER_ELFDLL:
1383                         TRACE("Trying elfdll '%s'\n", filename);
1384                         if (!(pwm = BUILTIN32_LoadLibraryExA(filename, flags)))
1385                             pwm = ELFDLL_LoadLibraryExA(filename, flags);
1386                         break;
1387
1388                 case MODULE_LOADORDER_SO:
1389                         TRACE("Trying so-library '%s'\n", filename);
1390                         if (!(pwm = BUILTIN32_LoadLibraryExA(filename, flags)))
1391                             pwm = ELF_LoadLibraryExA(filename, flags);
1392                         break;
1393
1394                 case MODULE_LOADORDER_BI:
1395                         TRACE("Trying built-in '%s'\n", filename);
1396                         pwm = BUILTIN32_LoadLibraryExA(filename, flags);
1397                         break;
1398
1399                 default:
1400                         ERR("Got invalid loadorder type %d (%s index %d)\n", plo->loadorder[i], plo->modulename, i);
1401                 /* Fall through */
1402
1403                 case MODULE_LOADORDER_INVALID:  /* We ignore this as it is an empty entry */
1404                         pwm = NULL;
1405                         break;
1406                 }
1407
1408                 if(pwm)
1409                 {
1410                         /* Initialize DLL just loaded */
1411                         TRACE("Loaded module '%s' at 0x%08x, \n", filename, pwm->module);
1412
1413                         /* Set the refCount here so that an attach failure will */
1414                         /* decrement the dependencies through the MODULE_FreeLibrary call. */
1415                         pwm->refCount++;
1416
1417                         LeaveCriticalSection(&PROCESS_Current()->crit_section);
1418                         SetLastError( err );  /* restore last error */
1419                         HeapFree ( GetProcessHeap(), 0, filename );
1420                         return pwm;
1421                 }
1422
1423                 if(GetLastError() != ERROR_FILE_NOT_FOUND)
1424                         break;
1425         }
1426
1427         LeaveCriticalSection(&PROCESS_Current()->crit_section);
1428  error:
1429         WARN("Failed to load module '%s'; error=0x%08lx, \n", filename, GetLastError());
1430         HeapFree ( GetProcessHeap(), 0, filename );
1431         return NULL;
1432 }
1433
1434 /***********************************************************************
1435  *           LoadLibraryA         (KERNEL32)
1436  */
1437 HMODULE WINAPI LoadLibraryA(LPCSTR libname) {
1438         return LoadLibraryExA(libname,0,0);
1439 }
1440
1441 /***********************************************************************
1442  *           LoadLibraryW         (KERNEL32)
1443  */
1444 HMODULE WINAPI LoadLibraryW(LPCWSTR libnameW)
1445 {
1446     return LoadLibraryExW(libnameW,0,0);
1447 }
1448
1449 /***********************************************************************
1450  *           LoadLibrary32_16   (KERNEL.452)
1451  */
1452 HMODULE WINAPI LoadLibrary32_16( LPCSTR libname )
1453 {
1454     HMODULE hModule;
1455
1456     SYSLEVEL_ReleaseWin16Lock();
1457     hModule = LoadLibraryA( libname );
1458     SYSLEVEL_RestoreWin16Lock();
1459
1460     return hModule;
1461 }
1462
1463 /***********************************************************************
1464  *           LoadLibraryExW       (KERNEL32)
1465  */
1466 HMODULE WINAPI LoadLibraryExW(LPCWSTR libnameW,HANDLE hfile,DWORD flags)
1467 {
1468     LPSTR libnameA = HEAP_strdupWtoA( GetProcessHeap(), 0, libnameW );
1469     HMODULE ret = LoadLibraryExA( libnameA , hfile, flags );
1470
1471     HeapFree( GetProcessHeap(), 0, libnameA );
1472     return ret;
1473 }
1474
1475 /***********************************************************************
1476  *           MODULE_FlushModrefs
1477  *
1478  * NOTE: Assumes that the process critical section is held!
1479  *
1480  * Remove all unused modrefs and call the internal unloading routines
1481  * for the library type.
1482  */
1483 static void MODULE_FlushModrefs(void)
1484 {
1485         WINE_MODREF *wm, *next;
1486
1487         for(wm = PROCESS_Current()->modref_list; wm; wm = next)
1488         {
1489                 next = wm->next;
1490
1491                 if(wm->refCount)
1492                         continue;
1493
1494                 /* Unlink this modref from the chain */
1495                 if(wm->next)
1496                         wm->next->prev = wm->prev;
1497                 if(wm->prev)
1498                         wm->prev->next = wm->next;
1499                 if(wm == PROCESS_Current()->modref_list)
1500                         PROCESS_Current()->modref_list = wm->next;
1501
1502                 TRACE(" unloading %s\n", wm->filename);
1503                 /* VirtualFree( (LPVOID)wm->module, 0, MEM_RELEASE ); */  /* FIXME */
1504                 /* if (wm->dlhandle) dlclose( wm->dlhandle ); */  /* FIXME */
1505                 FreeLibrary16(wm->hDummyMod);
1506                 HeapFree( GetProcessHeap(), 0, wm->deps );
1507                 HeapFree( GetProcessHeap(), 0, wm->filename );
1508                 HeapFree( GetProcessHeap(), 0, wm->short_filename );
1509                 HeapFree( GetProcessHeap(), 0, wm );
1510         }
1511 }
1512
1513 /***********************************************************************
1514  *           FreeLibrary
1515  */
1516 BOOL WINAPI FreeLibrary(HINSTANCE hLibModule)
1517 {
1518     BOOL retv = FALSE;
1519     WINE_MODREF *wm;
1520
1521     EnterCriticalSection( &PROCESS_Current()->crit_section );
1522     PROCESS_Current()->free_lib_count++;
1523
1524     wm = MODULE32_LookupHMODULE( hLibModule );
1525     if ( !wm || !hLibModule )
1526         SetLastError( ERROR_INVALID_HANDLE );
1527     else
1528         retv = MODULE_FreeLibrary( wm );
1529
1530     PROCESS_Current()->free_lib_count--;
1531     LeaveCriticalSection( &PROCESS_Current()->crit_section );
1532
1533     return retv;
1534 }
1535
1536 /***********************************************************************
1537  *           MODULE_DecRefCount
1538  *
1539  * NOTE: Assumes that the process critical section is held!
1540  */
1541 static void MODULE_DecRefCount( WINE_MODREF *wm )
1542 {
1543     int i;
1544
1545     if ( wm->flags & WINE_MODREF_MARKER )
1546         return;
1547
1548     if ( wm->refCount <= 0 )
1549         return;
1550
1551     --wm->refCount;
1552     TRACE("(%s) refCount: %d\n", wm->modname, wm->refCount );
1553
1554     if ( wm->refCount == 0 )
1555     {
1556         wm->flags |= WINE_MODREF_MARKER;
1557
1558         for ( i = 0; i < wm->nDeps; i++ )
1559             if ( wm->deps[i] )
1560                 MODULE_DecRefCount( wm->deps[i] );
1561
1562         wm->flags &= ~WINE_MODREF_MARKER;
1563     }
1564 }
1565
1566 /***********************************************************************
1567  *           MODULE_FreeLibrary
1568  *
1569  * NOTE: Assumes that the process critical section is held!
1570  */
1571 BOOL MODULE_FreeLibrary( WINE_MODREF *wm )
1572 {
1573     TRACE("(%s) - START\n", wm->modname );
1574
1575     /* Recursively decrement reference counts */
1576     MODULE_DecRefCount( wm );
1577
1578     /* Call process detach notifications */
1579     if ( PROCESS_Current()->free_lib_count <= 1 )
1580     {
1581         MODULE_DllProcessDetach( FALSE, NULL );
1582         SERVER_START_REQ
1583         {
1584             struct unload_dll_request *req = server_alloc_req( sizeof(*req), 0 );
1585             req->base = (void *)wm->module;
1586             server_call_noerr( REQ_UNLOAD_DLL );
1587         }
1588         SERVER_END_REQ;
1589         MODULE_FlushModrefs();
1590     }
1591
1592     TRACE("END\n");
1593
1594     return TRUE;
1595 }
1596
1597
1598 /***********************************************************************
1599  *           FreeLibraryAndExitThread
1600  */
1601 VOID WINAPI FreeLibraryAndExitThread(HINSTANCE hLibModule, DWORD dwExitCode)
1602 {
1603     FreeLibrary(hLibModule);
1604     ExitThread(dwExitCode);
1605 }
1606
1607 /***********************************************************************
1608  *           PrivateLoadLibrary       (KERNEL32)
1609  *
1610  * FIXME: rough guesswork, don't know what "Private" means
1611  */
1612 HINSTANCE WINAPI PrivateLoadLibrary(LPCSTR libname)
1613 {
1614         return (HINSTANCE)LoadLibrary16(libname);
1615 }
1616
1617
1618
1619 /***********************************************************************
1620  *           PrivateFreeLibrary       (KERNEL32)
1621  *
1622  * FIXME: rough guesswork, don't know what "Private" means
1623  */
1624 void WINAPI PrivateFreeLibrary(HINSTANCE handle)
1625 {
1626         FreeLibrary16((HINSTANCE16)handle);
1627 }
1628
1629
1630 /***********************************************************************
1631  *           WIN32_GetProcAddress16   (KERNEL32.36)
1632  * Get procaddress in 16bit module from win32... (kernel32 undoc. ordinal func)
1633  */
1634 FARPROC16 WINAPI WIN32_GetProcAddress16( HMODULE hModule, LPCSTR name )
1635 {
1636     WORD        ordinal;
1637     FARPROC16   ret;
1638
1639     if (!hModule) {
1640         WARN("hModule may not be 0!\n");
1641         return (FARPROC16)0;
1642     }
1643     if (HIWORD(hModule))
1644     {
1645         WARN("hModule is Win32 handle (%08x)\n", hModule );
1646         return (FARPROC16)0;
1647     }
1648     hModule = GetExePtr( hModule );
1649     if (HIWORD(name)) {
1650         ordinal = NE_GetOrdinal( hModule, name );
1651         TRACE("%04x '%s'\n", hModule, name );
1652     } else {
1653         ordinal = LOWORD(name);
1654         TRACE("%04x %04x\n", hModule, ordinal );
1655     }
1656     if (!ordinal) return (FARPROC16)0;
1657     ret = NE_GetEntryPoint( hModule, ordinal );
1658     TRACE("returning %08x\n",(UINT)ret);
1659     return ret;
1660 }
1661
1662 /***********************************************************************
1663  *           GetProcAddress16   (KERNEL.50)
1664  */
1665 FARPROC16 WINAPI GetProcAddress16( HMODULE16 hModule, SEGPTR name )
1666 {
1667     WORD ordinal;
1668     FARPROC16 ret;
1669
1670     if (!hModule) hModule = GetCurrentTask();
1671     hModule = GetExePtr( hModule );
1672
1673     if (HIWORD(name) != 0)
1674     {
1675         ordinal = NE_GetOrdinal( hModule, (LPSTR)PTR_SEG_TO_LIN(name) );
1676         TRACE("%04x '%s'\n", hModule, (LPSTR)PTR_SEG_TO_LIN(name) );
1677     }
1678     else
1679     {
1680         ordinal = LOWORD(name);
1681         TRACE("%04x %04x\n", hModule, ordinal );
1682     }
1683     if (!ordinal) return (FARPROC16)0;
1684
1685     ret = NE_GetEntryPoint( hModule, ordinal );
1686
1687     TRACE("returning %08x\n", (UINT)ret );
1688     return ret;
1689 }
1690
1691
1692 /***********************************************************************
1693  *           GetProcAddress             (KERNEL32.257)
1694  */
1695 FARPROC WINAPI GetProcAddress( HMODULE hModule, LPCSTR function )
1696 {
1697     return MODULE_GetProcAddress( hModule, function, TRUE );
1698 }
1699
1700 /***********************************************************************
1701  *           GetProcAddress32                   (KERNEL.453)
1702  */
1703 FARPROC WINAPI GetProcAddress32_16( HMODULE hModule, LPCSTR function )
1704 {
1705     return MODULE_GetProcAddress( hModule, function, FALSE );
1706 }
1707
1708 /***********************************************************************
1709  *           MODULE_GetProcAddress              (internal)
1710  */
1711 FARPROC MODULE_GetProcAddress( 
1712         HMODULE hModule,        /* [in] current module handle */
1713         LPCSTR function,        /* [in] function to be looked up */
1714         BOOL snoop )
1715 {
1716     WINE_MODREF *wm;
1717     FARPROC     retproc = 0;
1718
1719     if (HIWORD(function))
1720         TRACE_(win32)("(%08lx,%s)\n",(DWORD)hModule,function);
1721     else
1722         TRACE_(win32)("(%08lx,%p)\n",(DWORD)hModule,function);
1723
1724     EnterCriticalSection( &PROCESS_Current()->crit_section );
1725     if ((wm = MODULE32_LookupHMODULE( hModule )))
1726     {
1727         retproc = wm->find_export( wm, function, snoop );
1728         if (!retproc) SetLastError(ERROR_PROC_NOT_FOUND);
1729     }
1730     LeaveCriticalSection( &PROCESS_Current()->crit_section );
1731     return retproc;
1732 }
1733
1734
1735 /***************************************************************************
1736  *              HasGPHandler                    (KERNEL.338)
1737  */
1738
1739 #include "pshpack1.h"
1740 typedef struct _GPHANDLERDEF
1741 {
1742     WORD selector;
1743     WORD rangeStart;
1744     WORD rangeEnd;
1745     WORD handler;
1746 } GPHANDLERDEF;
1747 #include "poppack.h"
1748
1749 SEGPTR WINAPI HasGPHandler16( SEGPTR address )
1750 {
1751     HMODULE16 hModule;
1752     int gpOrdinal;
1753     SEGPTR gpPtr;
1754     GPHANDLERDEF *gpHandler;
1755    
1756     if (    (hModule = FarGetOwner16( SELECTOROF(address) )) != 0
1757          && (gpOrdinal = NE_GetOrdinal( hModule, "__GP" )) != 0
1758          && (gpPtr = (SEGPTR)NE_GetEntryPointEx( hModule, gpOrdinal, FALSE )) != 0
1759          && !IsBadReadPtr16( gpPtr, sizeof(GPHANDLERDEF) )
1760          && (gpHandler = PTR_SEG_TO_LIN( gpPtr )) != NULL )
1761     {
1762         while (gpHandler->selector)
1763         {
1764             if (    SELECTOROF(address) == gpHandler->selector
1765                  && OFFSETOF(address)   >= gpHandler->rangeStart
1766                  && OFFSETOF(address)   <  gpHandler->rangeEnd  )
1767                 return PTR_SEG_OFF_TO_SEGPTR( gpHandler->selector,
1768                                               gpHandler->handler );
1769             gpHandler++;
1770         }
1771     }
1772
1773     return 0;
1774 }
1775