kernel32: Add a stub for SetProcessDEPPolicy.
[wine] / dlls / ntdll / nt.c
1 /*
2  * NT basis DLL
3  *
4  * This file contains the Nt* API functions of NTDLL.DLL.
5  * In the original ntdll.dll they all seem to just call int 0x2e (down to the NTOSKRNL)
6  *
7  * Copyright 1996-1998 Marcus Meissner
8  *
9  * This library is free software; you can redistribute it and/or
10  * modify it under the terms of the GNU Lesser General Public
11  * License as published by the Free Software Foundation; either
12  * version 2.1 of the License, or (at your option) any later version.
13  *
14  * This library is distributed in the hope that it will be useful,
15  * but WITHOUT ANY WARRANTY; without even the implied warranty of
16  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
17  * Lesser General Public License for more details.
18  *
19  * You should have received a copy of the GNU Lesser General Public
20  * License along with this library; if not, write to the Free Software
21  * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA
22  */
23
24 #include "config.h"
25 #include "wine/port.h"
26
27 #ifdef HAVE_SYS_PARAM_H
28 # include <sys/param.h>
29 #endif
30 #ifdef HAVE_SYS_SYSCTL_H
31 # include <sys/sysctl.h>
32 #endif
33 #ifdef HAVE_MACHINE_CPU_H
34 # include <machine/cpu.h>
35 #endif
36 #ifdef HAVE_MACH_MACHINE_H
37 # include <mach/machine.h>
38 #endif
39
40 #include <ctype.h>
41 #include <string.h>
42 #include <stdarg.h>
43 #include <stdio.h>
44 #include <stdlib.h>
45 #ifdef HAVE_SYS_TIME_H
46 # include <sys/time.h>
47 #endif
48 #include <time.h>
49
50 #define NONAMELESSUNION
51 #include "ntstatus.h"
52 #define WIN32_NO_STATUS
53 #include "wine/debug.h"
54 #include "wine/unicode.h"
55 #include "windef.h"
56 #include "winternl.h"
57 #include "ntdll_misc.h"
58 #include "wine/server.h"
59 #include "ddk/wdm.h"
60
61 #ifdef __APPLE__
62 #include <mach/mach_init.h>
63 #include <mach/mach_host.h>
64 #include <mach/vm_map.h>
65 #endif
66
67 WINE_DEFAULT_DEBUG_CHANNEL(ntdll);
68
69 /*
70  *      Token
71  */
72
73 /******************************************************************************
74  *  NtDuplicateToken            [NTDLL.@]
75  *  ZwDuplicateToken            [NTDLL.@]
76  */
77 NTSTATUS WINAPI NtDuplicateToken(
78         IN HANDLE ExistingToken,
79         IN ACCESS_MASK DesiredAccess,
80         IN POBJECT_ATTRIBUTES ObjectAttributes,
81         IN SECURITY_IMPERSONATION_LEVEL ImpersonationLevel,
82         IN TOKEN_TYPE TokenType,
83         OUT PHANDLE NewToken)
84 {
85     NTSTATUS status;
86
87     TRACE("(%p,0x%08x,%s,0x%08x,0x%08x,%p)\n",
88           ExistingToken, DesiredAccess, debugstr_ObjectAttributes(ObjectAttributes),
89           ImpersonationLevel, TokenType, NewToken);
90
91     if (ObjectAttributes && ObjectAttributes->SecurityQualityOfService)
92     {
93         SECURITY_QUALITY_OF_SERVICE *SecurityQOS = ObjectAttributes->SecurityQualityOfService;
94         TRACE("ObjectAttributes->SecurityQualityOfService = {%d, %d, %d, %s}\n",
95             SecurityQOS->Length, SecurityQOS->ImpersonationLevel,
96             SecurityQOS->ContextTrackingMode,
97             SecurityQOS->EffectiveOnly ? "TRUE" : "FALSE");
98         ImpersonationLevel = SecurityQOS->ImpersonationLevel;
99     }
100
101     SERVER_START_REQ( duplicate_token )
102     {
103         req->handle              = wine_server_obj_handle( ExistingToken );
104         req->access              = DesiredAccess;
105         req->attributes          = ObjectAttributes ? ObjectAttributes->Attributes : 0;
106         req->primary             = (TokenType == TokenPrimary);
107         req->impersonation_level = ImpersonationLevel;
108         status = wine_server_call( req );
109         if (!status) *NewToken = wine_server_ptr_handle( reply->new_handle );
110     }
111     SERVER_END_REQ;
112
113     return status;
114 }
115
116 /******************************************************************************
117  *  NtOpenProcessToken          [NTDLL.@]
118  *  ZwOpenProcessToken          [NTDLL.@]
119  */
120 NTSTATUS WINAPI NtOpenProcessToken(
121         HANDLE ProcessHandle,
122         DWORD DesiredAccess,
123         HANDLE *TokenHandle)
124 {
125     return NtOpenProcessTokenEx( ProcessHandle, DesiredAccess, 0, TokenHandle );
126 }
127
128 /******************************************************************************
129  *  NtOpenProcessTokenEx   [NTDLL.@]
130  *  ZwOpenProcessTokenEx   [NTDLL.@]
131  */
132 NTSTATUS WINAPI NtOpenProcessTokenEx( HANDLE process, DWORD access, DWORD attributes,
133                                       HANDLE *handle )
134 {
135     NTSTATUS ret;
136
137     TRACE("(%p,0x%08x,0x%08x,%p)\n", process, access, attributes, handle);
138
139     SERVER_START_REQ( open_token )
140     {
141         req->handle     = wine_server_obj_handle( process );
142         req->access     = access;
143         req->attributes = attributes;
144         req->flags      = 0;
145         ret = wine_server_call( req );
146         if (!ret) *handle = wine_server_ptr_handle( reply->token );
147     }
148     SERVER_END_REQ;
149     return ret;
150 }
151
152 /******************************************************************************
153  *  NtOpenThreadToken           [NTDLL.@]
154  *  ZwOpenThreadToken           [NTDLL.@]
155  */
156 NTSTATUS WINAPI NtOpenThreadToken(
157         HANDLE ThreadHandle,
158         DWORD DesiredAccess,
159         BOOLEAN OpenAsSelf,
160         HANDLE *TokenHandle)
161 {
162     return NtOpenThreadTokenEx( ThreadHandle, DesiredAccess, OpenAsSelf, 0, TokenHandle );
163 }
164
165 /******************************************************************************
166  *  NtOpenThreadTokenEx   [NTDLL.@]
167  *  ZwOpenThreadTokenEx   [NTDLL.@]
168  */
169 NTSTATUS WINAPI NtOpenThreadTokenEx( HANDLE thread, DWORD access, BOOLEAN as_self, DWORD attributes,
170                                      HANDLE *handle )
171 {
172     NTSTATUS ret;
173
174     TRACE("(%p,0x%08x,%u,0x%08x,%p)\n", thread, access, as_self, attributes, handle );
175
176     SERVER_START_REQ( open_token )
177     {
178         req->handle     = wine_server_obj_handle( thread );
179         req->access     = access;
180         req->attributes = attributes;
181         req->flags      = OPEN_TOKEN_THREAD;
182         if (as_self) req->flags |= OPEN_TOKEN_AS_SELF;
183         ret = wine_server_call( req );
184         if (!ret) *handle = wine_server_ptr_handle( reply->token );
185     }
186     SERVER_END_REQ;
187
188     return ret;
189 }
190
191 /******************************************************************************
192  *  NtAdjustPrivilegesToken             [NTDLL.@]
193  *  ZwAdjustPrivilegesToken             [NTDLL.@]
194  *
195  * FIXME: parameters unsafe
196  */
197 NTSTATUS WINAPI NtAdjustPrivilegesToken(
198         IN HANDLE TokenHandle,
199         IN BOOLEAN DisableAllPrivileges,
200         IN PTOKEN_PRIVILEGES NewState,
201         IN DWORD BufferLength,
202         OUT PTOKEN_PRIVILEGES PreviousState,
203         OUT PDWORD ReturnLength)
204 {
205     NTSTATUS ret;
206
207     TRACE("(%p,0x%08x,%p,0x%08x,%p,%p)\n",
208         TokenHandle, DisableAllPrivileges, NewState, BufferLength, PreviousState, ReturnLength);
209
210     SERVER_START_REQ( adjust_token_privileges )
211     {
212         req->handle = wine_server_obj_handle( TokenHandle );
213         req->disable_all = DisableAllPrivileges;
214         req->get_modified_state = (PreviousState != NULL);
215         if (!DisableAllPrivileges)
216         {
217             wine_server_add_data( req, NewState->Privileges,
218                                   NewState->PrivilegeCount * sizeof(NewState->Privileges[0]) );
219         }
220         if (PreviousState && BufferLength >= FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges ))
221             wine_server_set_reply( req, PreviousState->Privileges,
222                                    BufferLength - FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges ) );
223         ret = wine_server_call( req );
224         if (PreviousState)
225         {
226             *ReturnLength = reply->len + FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges );
227             PreviousState->PrivilegeCount = reply->len / sizeof(LUID_AND_ATTRIBUTES);
228         }
229     }
230     SERVER_END_REQ;
231
232     return ret;
233 }
234
235 /******************************************************************************
236 *  NtQueryInformationToken              [NTDLL.@]
237 *  ZwQueryInformationToken              [NTDLL.@]
238 *
239 * NOTES
240 *  Buffer for TokenUser:
241 *   0x00 TOKEN_USER the PSID field points to the SID
242 *   0x08 SID
243 *
244 */
245 NTSTATUS WINAPI NtQueryInformationToken(
246         HANDLE token,
247         TOKEN_INFORMATION_CLASS tokeninfoclass,
248         PVOID tokeninfo,
249         ULONG tokeninfolength,
250         PULONG retlen )
251 {
252     static const ULONG info_len [] =
253     {
254         0,
255         0,    /* TokenUser */
256         0,    /* TokenGroups */
257         0,    /* TokenPrivileges */
258         0,    /* TokenOwner */
259         0,    /* TokenPrimaryGroup */
260         0,    /* TokenDefaultDacl */
261         sizeof(TOKEN_SOURCE), /* TokenSource */
262         sizeof(TOKEN_TYPE),  /* TokenType */
263         sizeof(SECURITY_IMPERSONATION_LEVEL), /* TokenImpersonationLevel */
264         sizeof(TOKEN_STATISTICS), /* TokenStatistics */
265         0,    /* TokenRestrictedSids */
266         0,    /* TokenSessionId */
267         0,    /* TokenGroupsAndPrivileges */
268         0,    /* TokenSessionReference */
269         0,    /* TokenSandBoxInert */
270         0,    /* TokenAuditPolicy */
271         0,    /* TokenOrigin */
272         0,    /* TokenElevationType */
273         0,    /* TokenLinkedToken */
274         sizeof(TOKEN_ELEVATION), /* TokenElevation */
275         0,    /* TokenHasRestrictions */
276         0,    /* TokenAccessInformation */
277         0,    /* TokenVirtualizationAllowed */
278         0,    /* TokenVirtualizationEnabled */
279         0,    /* TokenIntegrityLevel */
280         0,    /* TokenUIAccess */
281         0,    /* TokenMandatoryPolicy */
282         0     /* TokenLogonSid */
283     };
284
285     ULONG len = 0;
286     NTSTATUS status = STATUS_SUCCESS;
287
288     TRACE("(%p,%d,%p,%d,%p)\n",
289           token,tokeninfoclass,tokeninfo,tokeninfolength,retlen);
290
291     if (tokeninfoclass < MaxTokenInfoClass)
292         len = info_len[tokeninfoclass];
293
294     if (retlen) *retlen = len;
295
296     if (tokeninfolength < len)
297         return STATUS_BUFFER_TOO_SMALL;
298
299     switch (tokeninfoclass)
300     {
301     case TokenUser:
302         SERVER_START_REQ( get_token_sid )
303         {
304             TOKEN_USER * tuser = tokeninfo;
305             PSID sid = tuser + 1;
306             DWORD sid_len = tokeninfolength < sizeof(TOKEN_USER) ? 0 : tokeninfolength - sizeof(TOKEN_USER);
307
308             req->handle = wine_server_obj_handle( token );
309             req->which_sid = tokeninfoclass;
310             wine_server_set_reply( req, sid, sid_len );
311             status = wine_server_call( req );
312             if (retlen) *retlen = reply->sid_len + sizeof(TOKEN_USER);
313             if (status == STATUS_SUCCESS)
314             {
315                 tuser->User.Sid = sid;
316                 tuser->User.Attributes = 0;
317             }
318         }
319         SERVER_END_REQ;
320         break;
321     case TokenGroups:
322     {
323         char stack_buffer[256];
324         unsigned int server_buf_len = sizeof(stack_buffer);
325         void *buffer = stack_buffer;
326         BOOLEAN need_more_memory;
327
328         /* we cannot work out the size of the server buffer required for the
329          * input size, since there are two factors affecting how much can be
330          * stored in the buffer - number of groups and lengths of sids */
331         do
332         {
333             need_more_memory = FALSE;
334
335             SERVER_START_REQ( get_token_groups )
336             {
337                 TOKEN_GROUPS *groups = tokeninfo;
338
339                 req->handle = wine_server_obj_handle( token );
340                 wine_server_set_reply( req, buffer, server_buf_len );
341                 status = wine_server_call( req );
342                 if (status == STATUS_BUFFER_TOO_SMALL)
343                 {
344                     if (buffer == stack_buffer)
345                         buffer = RtlAllocateHeap(GetProcessHeap(), 0, reply->user_len);
346                     else
347                         buffer = RtlReAllocateHeap(GetProcessHeap(), 0, buffer, reply->user_len);
348                     if (!buffer) return STATUS_NO_MEMORY;
349
350                     server_buf_len = reply->user_len;
351                     need_more_memory = TRUE;
352                 }
353                 else if (status == STATUS_SUCCESS)
354                 {
355                     struct token_groups *tg = buffer;
356                     unsigned int *attr = (unsigned int *)(tg + 1);
357                     ULONG i;
358                     const int non_sid_portion = (sizeof(struct token_groups) + tg->count * sizeof(unsigned int));
359                     SID *sids = (SID *)((char *)tokeninfo + FIELD_OFFSET( TOKEN_GROUPS, Groups[tg->count] ));
360                     ULONG needed_bytes = FIELD_OFFSET( TOKEN_GROUPS, Groups[tg->count] ) +
361                         reply->user_len - non_sid_portion;
362
363                     if (retlen) *retlen = needed_bytes;
364
365                     if (needed_bytes <= tokeninfolength)
366                     {
367                         groups->GroupCount = tg->count;
368                         memcpy( sids, (char *)buffer + non_sid_portion,
369                                 reply->user_len - non_sid_portion );
370
371                         for (i = 0; i < tg->count; i++)
372                         {
373                             groups->Groups[i].Attributes = attr[i];
374                             groups->Groups[i].Sid = sids;
375                             sids = (SID *)((char *)sids + RtlLengthSid(sids));
376                         }
377                     }
378                     else status = STATUS_BUFFER_TOO_SMALL;
379                 }
380                 else if (retlen) *retlen = 0;
381             }
382             SERVER_END_REQ;
383         } while (need_more_memory);
384         if (buffer != stack_buffer) RtlFreeHeap(GetProcessHeap(), 0, buffer);
385         break;
386     }
387     case TokenPrimaryGroup:
388         SERVER_START_REQ( get_token_sid )
389         {
390             TOKEN_PRIMARY_GROUP *tgroup = tokeninfo;
391             PSID sid = tgroup + 1;
392             DWORD sid_len = tokeninfolength < sizeof(TOKEN_PRIMARY_GROUP) ? 0 : tokeninfolength - sizeof(TOKEN_PRIMARY_GROUP);
393
394             req->handle = wine_server_obj_handle( token );
395             req->which_sid = tokeninfoclass;
396             wine_server_set_reply( req, sid, sid_len );
397             status = wine_server_call( req );
398             if (retlen) *retlen = reply->sid_len + sizeof(TOKEN_PRIMARY_GROUP);
399             if (status == STATUS_SUCCESS)
400                 tgroup->PrimaryGroup = sid;
401         }
402         SERVER_END_REQ;
403         break;
404     case TokenPrivileges:
405         SERVER_START_REQ( get_token_privileges )
406         {
407             TOKEN_PRIVILEGES *tpriv = tokeninfo;
408             req->handle = wine_server_obj_handle( token );
409             if (tpriv && tokeninfolength > FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges ))
410                 wine_server_set_reply( req, tpriv->Privileges, tokeninfolength - FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges ) );
411             status = wine_server_call( req );
412             if (retlen) *retlen = FIELD_OFFSET( TOKEN_PRIVILEGES, Privileges ) + reply->len;
413             if (tpriv) tpriv->PrivilegeCount = reply->len / sizeof(LUID_AND_ATTRIBUTES);
414         }
415         SERVER_END_REQ;
416         break;
417     case TokenOwner:
418         SERVER_START_REQ( get_token_sid )
419         {
420             TOKEN_OWNER *towner = tokeninfo;
421             PSID sid = towner + 1;
422             DWORD sid_len = tokeninfolength < sizeof(TOKEN_OWNER) ? 0 : tokeninfolength - sizeof(TOKEN_OWNER);
423
424             req->handle = wine_server_obj_handle( token );
425             req->which_sid = tokeninfoclass;
426             wine_server_set_reply( req, sid, sid_len );
427             status = wine_server_call( req );
428             if (retlen) *retlen = reply->sid_len + sizeof(TOKEN_OWNER);
429             if (status == STATUS_SUCCESS)
430                 towner->Owner = sid;
431         }
432         SERVER_END_REQ;
433         break;
434     case TokenImpersonationLevel:
435         SERVER_START_REQ( get_token_impersonation_level )
436         {
437             SECURITY_IMPERSONATION_LEVEL *impersonation_level = tokeninfo;
438             req->handle = wine_server_obj_handle( token );
439             status = wine_server_call( req );
440             if (status == STATUS_SUCCESS)
441                 *impersonation_level = reply->impersonation_level;
442         }
443         SERVER_END_REQ;
444         break;
445     case TokenStatistics:
446         SERVER_START_REQ( get_token_statistics )
447         {
448             TOKEN_STATISTICS *statistics = tokeninfo;
449             req->handle = wine_server_obj_handle( token );
450             status = wine_server_call( req );
451             if (status == STATUS_SUCCESS)
452             {
453                 statistics->TokenId.LowPart  = reply->token_id.low_part;
454                 statistics->TokenId.HighPart = reply->token_id.high_part;
455                 statistics->AuthenticationId.LowPart  = 0; /* FIXME */
456                 statistics->AuthenticationId.HighPart = 0; /* FIXME */
457                 statistics->ExpirationTime.u.HighPart = 0x7fffffff;
458                 statistics->ExpirationTime.u.LowPart  = 0xffffffff;
459                 statistics->TokenType = reply->primary ? TokenPrimary : TokenImpersonation;
460                 statistics->ImpersonationLevel = reply->impersonation_level;
461
462                 /* kernel information not relevant to us */
463                 statistics->DynamicCharged = 0;
464                 statistics->DynamicAvailable = 0;
465
466                 statistics->GroupCount = reply->group_count;
467                 statistics->PrivilegeCount = reply->privilege_count;
468                 statistics->ModifiedId.LowPart  = reply->modified_id.low_part;
469                 statistics->ModifiedId.HighPart = reply->modified_id.high_part;
470             }
471         }
472         SERVER_END_REQ;
473         break;
474     case TokenType:
475         SERVER_START_REQ( get_token_statistics )
476         {
477             TOKEN_TYPE *token_type = tokeninfo;
478             req->handle = wine_server_obj_handle( token );
479             status = wine_server_call( req );
480             if (status == STATUS_SUCCESS)
481                 *token_type = reply->primary ? TokenPrimary : TokenImpersonation;
482         }
483         SERVER_END_REQ;
484         break;
485     case TokenDefaultDacl:
486         SERVER_START_REQ( get_token_default_dacl )
487         {
488             TOKEN_DEFAULT_DACL *default_dacl = tokeninfo;
489             ACL *acl = (ACL *)(default_dacl + 1);
490             DWORD acl_len;
491
492             if (tokeninfolength < sizeof(TOKEN_DEFAULT_DACL)) acl_len = 0;
493             else acl_len = tokeninfolength - sizeof(TOKEN_DEFAULT_DACL);
494
495             req->handle = wine_server_obj_handle( token );
496             wine_server_set_reply( req, acl, acl_len );
497             status = wine_server_call( req );
498
499             if (retlen) *retlen = reply->acl_len + sizeof(TOKEN_DEFAULT_DACL);
500             if (status == STATUS_SUCCESS)
501             {
502                 if (reply->acl_len)
503                     default_dacl->DefaultDacl = acl;
504                 else
505                     default_dacl->DefaultDacl = NULL;
506             }
507         }
508         SERVER_END_REQ;
509         break;
510     case TokenElevation:
511         {
512             TOKEN_ELEVATION *elevation = tokeninfo;
513             FIXME("QueryInformationToken( ..., TokenElevation, ...) semi-stub\n");
514             elevation->TokenIsElevated = TRUE;
515         }
516         break;
517     default:
518         {
519             ERR("Unhandled Token Information class %d!\n", tokeninfoclass);
520             return STATUS_NOT_IMPLEMENTED;
521         }
522     }
523     return status;
524 }
525
526 /******************************************************************************
527 *  NtSetInformationToken                [NTDLL.@]
528 *  ZwSetInformationToken                [NTDLL.@]
529 */
530 NTSTATUS WINAPI NtSetInformationToken(
531         HANDLE TokenHandle,
532         TOKEN_INFORMATION_CLASS TokenInformationClass,
533         PVOID TokenInformation,
534         ULONG TokenInformationLength)
535 {
536     NTSTATUS ret = STATUS_NOT_IMPLEMENTED;
537
538     TRACE("%p %d %p %u\n", TokenHandle, TokenInformationClass,
539            TokenInformation, TokenInformationLength);
540
541     switch (TokenInformationClass)
542     {
543     case TokenDefaultDacl:
544         if (TokenInformationLength < sizeof(TOKEN_DEFAULT_DACL))
545         {
546             ret = STATUS_INFO_LENGTH_MISMATCH;
547             break;
548         }
549         if (!TokenInformation)
550         {
551             ret = STATUS_ACCESS_VIOLATION;
552             break;
553         }
554         SERVER_START_REQ( set_token_default_dacl )
555         {
556             ACL *acl = ((TOKEN_DEFAULT_DACL *)TokenInformation)->DefaultDacl;
557             WORD size;
558
559             if (acl) size = acl->AclSize;
560             else size = 0;
561
562             req->handle = wine_server_obj_handle( TokenHandle );
563             wine_server_add_data( req, acl, size );
564             ret = wine_server_call( req );
565         }
566         SERVER_END_REQ;
567         break;
568     default:
569         FIXME("unimplemented class %u\n", TokenInformationClass);
570         break;
571     }
572
573     return ret;
574 }
575
576 /******************************************************************************
577 *  NtAdjustGroupsToken          [NTDLL.@]
578 *  ZwAdjustGroupsToken          [NTDLL.@]
579 */
580 NTSTATUS WINAPI NtAdjustGroupsToken(
581         HANDLE TokenHandle,
582         BOOLEAN ResetToDefault,
583         PTOKEN_GROUPS NewState,
584         ULONG BufferLength,
585         PTOKEN_GROUPS PreviousState,
586         PULONG ReturnLength)
587 {
588     FIXME("%p %d %p %u %p %p\n", TokenHandle, ResetToDefault,
589           NewState, BufferLength, PreviousState, ReturnLength);
590     return STATUS_NOT_IMPLEMENTED;
591 }
592
593 /******************************************************************************
594 *  NtPrivilegeCheck             [NTDLL.@]
595 *  ZwPrivilegeCheck             [NTDLL.@]
596 */
597 NTSTATUS WINAPI NtPrivilegeCheck(
598     HANDLE ClientToken,
599     PPRIVILEGE_SET RequiredPrivileges,
600     PBOOLEAN Result)
601 {
602     NTSTATUS status;
603     SERVER_START_REQ( check_token_privileges )
604     {
605         req->handle = wine_server_obj_handle( ClientToken );
606         req->all_required = ((RequiredPrivileges->Control & PRIVILEGE_SET_ALL_NECESSARY) ? TRUE : FALSE);
607         wine_server_add_data( req, RequiredPrivileges->Privilege,
608             RequiredPrivileges->PrivilegeCount * sizeof(RequiredPrivileges->Privilege[0]) );
609         wine_server_set_reply( req, RequiredPrivileges->Privilege,
610             RequiredPrivileges->PrivilegeCount * sizeof(RequiredPrivileges->Privilege[0]) );
611
612         status = wine_server_call( req );
613
614         if (status == STATUS_SUCCESS)
615             *Result = (reply->has_privileges ? TRUE : FALSE);
616     }
617     SERVER_END_REQ;
618     return status;
619 }
620
621 /*
622  *      Section
623  */
624
625 /******************************************************************************
626  *  NtQuerySection      [NTDLL.@]
627  */
628 NTSTATUS WINAPI NtQuerySection(
629         IN HANDLE SectionHandle,
630         IN SECTION_INFORMATION_CLASS SectionInformationClass,
631         OUT PVOID SectionInformation,
632         IN ULONG Length,
633         OUT PULONG ResultLength)
634 {
635         FIXME("(%p,%d,%p,0x%08x,%p) stub!\n",
636         SectionHandle,SectionInformationClass,SectionInformation,Length,ResultLength);
637         return 0;
638 }
639
640 /*
641  *      ports
642  */
643
644 /******************************************************************************
645  *  NtCreatePort                [NTDLL.@]
646  *  ZwCreatePort                [NTDLL.@]
647  */
648 NTSTATUS WINAPI NtCreatePort(PHANDLE PortHandle,POBJECT_ATTRIBUTES ObjectAttributes,
649                              ULONG MaxConnectInfoLength,ULONG MaxDataLength,PULONG reserved)
650 {
651   FIXME("(%p,%p,%u,%u,%p),stub!\n",PortHandle,ObjectAttributes,
652         MaxConnectInfoLength,MaxDataLength,reserved);
653   return STATUS_NOT_IMPLEMENTED;
654 }
655
656 /******************************************************************************
657  *  NtConnectPort               [NTDLL.@]
658  *  ZwConnectPort               [NTDLL.@]
659  */
660 NTSTATUS WINAPI NtConnectPort(
661         PHANDLE PortHandle,
662         PUNICODE_STRING PortName,
663         PSECURITY_QUALITY_OF_SERVICE SecurityQos,
664         PLPC_SECTION_WRITE WriteSection,
665         PLPC_SECTION_READ ReadSection,
666         PULONG MaximumMessageLength,
667         PVOID ConnectInfo,
668         PULONG pConnectInfoLength)
669 {
670     FIXME("(%p,%s,%p,%p,%p,%p,%p,%p),stub!\n",
671           PortHandle,debugstr_w(PortName->Buffer),SecurityQos,
672           WriteSection,ReadSection,MaximumMessageLength,ConnectInfo,
673           pConnectInfoLength);
674     if (ConnectInfo && pConnectInfoLength)
675         TRACE("\tMessage = %s\n",debugstr_an(ConnectInfo,*pConnectInfoLength));
676     return STATUS_NOT_IMPLEMENTED;
677 }
678
679 /******************************************************************************
680  *  NtSecureConnectPort                (NTDLL.@)
681  *  ZwSecureConnectPort                (NTDLL.@)
682  */
683 NTSTATUS WINAPI NtSecureConnectPort(
684         PHANDLE PortHandle,
685         PUNICODE_STRING PortName,
686         PSECURITY_QUALITY_OF_SERVICE SecurityQos,
687         PLPC_SECTION_WRITE WriteSection,
688         PSID pSid,
689         PLPC_SECTION_READ ReadSection,
690         PULONG MaximumMessageLength,
691         PVOID ConnectInfo,
692         PULONG pConnectInfoLength)
693 {
694     FIXME("(%p,%s,%p,%p,%p,%p,%p,%p,%p),stub!\n",
695           PortHandle,debugstr_w(PortName->Buffer),SecurityQos,
696           WriteSection,pSid,ReadSection,MaximumMessageLength,ConnectInfo,
697           pConnectInfoLength);
698     return STATUS_NOT_IMPLEMENTED;
699 }
700
701 /******************************************************************************
702  *  NtListenPort                [NTDLL.@]
703  *  ZwListenPort                [NTDLL.@]
704  */
705 NTSTATUS WINAPI NtListenPort(HANDLE PortHandle,PLPC_MESSAGE pLpcMessage)
706 {
707   FIXME("(%p,%p),stub!\n",PortHandle,pLpcMessage);
708   return STATUS_NOT_IMPLEMENTED;
709 }
710
711 /******************************************************************************
712  *  NtAcceptConnectPort [NTDLL.@]
713  *  ZwAcceptConnectPort [NTDLL.@]
714  */
715 NTSTATUS WINAPI NtAcceptConnectPort(
716         PHANDLE PortHandle,
717         ULONG PortIdentifier,
718         PLPC_MESSAGE pLpcMessage,
719         BOOLEAN Accept,
720         PLPC_SECTION_WRITE WriteSection,
721         PLPC_SECTION_READ ReadSection)
722 {
723   FIXME("(%p,%u,%p,%d,%p,%p),stub!\n",
724         PortHandle,PortIdentifier,pLpcMessage,Accept,WriteSection,ReadSection);
725   return STATUS_NOT_IMPLEMENTED;
726 }
727
728 /******************************************************************************
729  *  NtCompleteConnectPort       [NTDLL.@]
730  *  ZwCompleteConnectPort       [NTDLL.@]
731  */
732 NTSTATUS WINAPI NtCompleteConnectPort(HANDLE PortHandle)
733 {
734   FIXME("(%p),stub!\n",PortHandle);
735   return STATUS_NOT_IMPLEMENTED;
736 }
737
738 /******************************************************************************
739  *  NtRegisterThreadTerminatePort       [NTDLL.@]
740  *  ZwRegisterThreadTerminatePort       [NTDLL.@]
741  */
742 NTSTATUS WINAPI NtRegisterThreadTerminatePort(HANDLE PortHandle)
743 {
744   FIXME("(%p),stub!\n",PortHandle);
745   return STATUS_NOT_IMPLEMENTED;
746 }
747
748 /******************************************************************************
749  *  NtRequestWaitReplyPort              [NTDLL.@]
750  *  ZwRequestWaitReplyPort              [NTDLL.@]
751  */
752 NTSTATUS WINAPI NtRequestWaitReplyPort(
753         HANDLE PortHandle,
754         PLPC_MESSAGE pLpcMessageIn,
755         PLPC_MESSAGE pLpcMessageOut)
756 {
757   FIXME("(%p,%p,%p),stub!\n",PortHandle,pLpcMessageIn,pLpcMessageOut);
758   if(pLpcMessageIn)
759   {
760     TRACE("Message to send:\n");
761     TRACE("\tDataSize            = %u\n",pLpcMessageIn->DataSize);
762     TRACE("\tMessageSize         = %u\n",pLpcMessageIn->MessageSize);
763     TRACE("\tMessageType         = %u\n",pLpcMessageIn->MessageType);
764     TRACE("\tVirtualRangesOffset = %u\n",pLpcMessageIn->VirtualRangesOffset);
765     TRACE("\tClientId.UniqueProcess = %p\n",pLpcMessageIn->ClientId.UniqueProcess);
766     TRACE("\tClientId.UniqueThread  = %p\n",pLpcMessageIn->ClientId.UniqueThread);
767     TRACE("\tMessageId           = %lu\n",pLpcMessageIn->MessageId);
768     TRACE("\tSectionSize         = %lu\n",pLpcMessageIn->SectionSize);
769     TRACE("\tData                = %s\n",
770       debugstr_an((const char*)pLpcMessageIn->Data,pLpcMessageIn->DataSize));
771   }
772   return STATUS_NOT_IMPLEMENTED;
773 }
774
775 /******************************************************************************
776  *  NtReplyWaitReceivePort      [NTDLL.@]
777  *  ZwReplyWaitReceivePort      [NTDLL.@]
778  */
779 NTSTATUS WINAPI NtReplyWaitReceivePort(
780         HANDLE PortHandle,
781         PULONG PortIdentifier,
782         PLPC_MESSAGE ReplyMessage,
783         PLPC_MESSAGE Message)
784 {
785   FIXME("(%p,%p,%p,%p),stub!\n",PortHandle,PortIdentifier,ReplyMessage,Message);
786   return STATUS_NOT_IMPLEMENTED;
787 }
788
789 /*
790  *      Misc
791  */
792
793  /******************************************************************************
794  *  NtSetIntervalProfile        [NTDLL.@]
795  *  ZwSetIntervalProfile        [NTDLL.@]
796  */
797 NTSTATUS WINAPI NtSetIntervalProfile(
798         ULONG Interval,
799         KPROFILE_SOURCE Source)
800 {
801     FIXME("%u,%d\n", Interval, Source);
802     return STATUS_SUCCESS;
803 }
804
805 static  SYSTEM_CPU_INFORMATION cached_sci;
806 static  ULONGLONG cpuHz = 1000000000; /* default to a 1GHz */
807
808 #define AUTH    0x68747541      /* "Auth" */
809 #define ENTI    0x69746e65      /* "enti" */
810 #define CAMD    0x444d4163      /* "cAMD" */
811
812 /* Calls cpuid with an eax of 'ax' and returns the 16 bytes in *p
813  * We are compiled with -fPIC, so we can't clobber ebx.
814  */
815 static inline void do_cpuid(unsigned int ax, unsigned int *p)
816 {
817 #ifdef __i386__
818         __asm__("pushl %%ebx\n\t"
819                 "cpuid\n\t"
820                 "movl %%ebx, %%esi\n\t"
821                 "popl %%ebx"
822                 : "=a" (p[0]), "=S" (p[1]), "=c" (p[2]), "=d" (p[3])
823                 :  "0" (ax));
824 #endif
825 }
826
827 /* From xf86info havecpuid.c 1.11 */
828 static inline int have_cpuid(void)
829 {
830 #ifdef __i386__
831         unsigned int f1, f2;
832         __asm__("pushfl\n\t"
833                 "pushfl\n\t"
834                 "popl %0\n\t"
835                 "movl %0,%1\n\t"
836                 "xorl %2,%0\n\t"
837                 "pushl %0\n\t"
838                 "popfl\n\t"
839                 "pushfl\n\t"
840                 "popl %0\n\t"
841                 "popfl"
842                 : "=&r" (f1), "=&r" (f2)
843                 : "ir" (0x00200000));
844         return ((f1^f2) & 0x00200000) != 0;
845 #else
846         return 0;
847 #endif
848 }
849
850 static inline void get_cpuinfo(SYSTEM_CPU_INFORMATION* info)
851 {
852     unsigned int regs[4], regs2[4];
853
854     if (!have_cpuid()) return;
855
856     do_cpuid(0x00000000, regs);  /* get standard cpuid level and vendor name */
857     if (regs[0]>=0x00000001)   /* Check for supported cpuid version */
858     {
859         do_cpuid(0x00000001, regs2); /* get cpu features */
860         switch ((regs2[0] >> 8) & 0xf)  /* cpu family */
861         {
862         case 3: info->Level = 3;        break;
863         case 4: info->Level = 4;        break;
864         case 5: info->Level = 5;        break;
865         case 15: /* PPro/2/3/4 has same info as P1 */
866         case 6: info->Level = 6;         break;
867         default:
868             FIXME("unknown cpu family %d, please report! (-> setting to 386)\n",
869                   (regs2[0] >> 8)&0xf);
870             info->Level = 3;
871             break;
872         }
873         user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED]       = !(regs2[3] & 1);
874         user_shared_data->ProcessorFeatures[PF_RDTSC_INSTRUCTION_AVAILABLE]   = (regs2[3] & (1 << 4 )) >> 4;
875         user_shared_data->ProcessorFeatures[PF_PAE_ENABLED]                   = (regs2[3] & (1 << 6 )) >> 6;
876         user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE_DOUBLE]       = (regs2[3] & (1 << 8 )) >> 8;
877         user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE]    = (regs2[3] & (1 << 23)) >> 23;
878         user_shared_data->ProcessorFeatures[PF_XMMI_INSTRUCTIONS_AVAILABLE]   = (regs2[3] & (1 << 25)) >> 25;
879         user_shared_data->ProcessorFeatures[PF_XMMI64_INSTRUCTIONS_AVAILABLE] = (regs2[3] & (1 << 26)) >> 26;
880
881         if (regs[1] == AUTH && regs[3] == ENTI && regs[2] == CAMD)
882         {
883             do_cpuid(0x80000000, regs);  /* get vendor cpuid level */
884             if (regs[0] >= 0x80000001)
885             {
886                 do_cpuid(0x80000001, regs2);  /* get vendor features */
887                 user_shared_data->ProcessorFeatures[PF_3DNOW_INSTRUCTIONS_AVAILABLE] = (regs2[3] & (1 << 31 )) >> 31;
888             }
889         }
890     }
891 }
892
893 /******************************************************************
894  *              fill_cpu_info
895  *
896  * inits a couple of places with CPU related information:
897  * - cached_sci & cpuHZ in this file
898  * - Peb->NumberOfProcessors
899  * - SharedUserData->ProcessFeatures[] array
900  *
901  * It creates a registry subhierarchy, looking like:
902  * "\HARDWARE\DESCRIPTION\System\CentralProcessor\<processornumber>\Identifier (CPU x86)".
903  * Note that there is a hierarchy for every processor installed, so this
904  * supports multiprocessor systems. This is done like Win95 does it, I think.
905  *
906  * It creates some registry entries in the environment part:
907  * "\HKLM\System\CurrentControlSet\Control\Session Manager\Environment". These are
908  * always present. When deleted, Windows will add them again.
909  */
910 void fill_cpu_info(void)
911 {
912     memset(&cached_sci, 0, sizeof(cached_sci));
913     /* choose sensible defaults ...
914      * FIXME: perhaps overridable with precompiler flags?
915      */
916 #ifdef __i386__
917     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_INTEL;
918     cached_sci.Level            = 5; /* 586 */
919 #elif defined(__x86_64__)
920     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_AMD64;
921 #elif defined(__powerpc__)
922     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_PPC;
923 #elif defined(__arm__)
924     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_ARM;
925 #elif defined(__ALPHA__)
926     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_ALPHA;
927 #elif defined(__sparc__)
928     cached_sci.Architecture     = PROCESSOR_ARCHITECTURE_SPARC;
929 #else
930 #error Unknown CPU
931 #endif
932     cached_sci.Revision         = 0;
933     cached_sci.Reserved         = 0;
934     cached_sci.FeatureSet       = 0x1fff; /* FIXME: set some sensible defaults out of ProcessFeatures[] */
935
936     NtCurrentTeb()->Peb->NumberOfProcessors = 1;
937
938     /* Hmm, reasonable processor feature defaults? */
939
940 #ifdef linux
941     {
942         char line[200];
943         FILE *f = fopen ("/proc/cpuinfo", "r");
944
945         if (!f)
946                 return;
947         while (fgets(line,200,f) != NULL)
948         {
949             char        *s,*value;
950
951             /* NOTE: the ':' is the only character we can rely on */
952             if (!(value = strchr(line,':')))
953                 continue;
954
955             /* terminate the valuename */
956             s = value - 1;
957             while ((s >= line) && ((*s == ' ') || (*s == '\t'))) s--;
958             *(s + 1) = '\0';
959
960             /* and strip leading spaces from value */
961             value += 1;
962             while (*value==' ') value++;
963             if ((s = strchr(value,'\n')))
964                 *s='\0';
965
966             if (!strcasecmp(line, "processor"))
967             {
968                 /* processor number counts up... */
969                 unsigned int x;
970
971                 if (sscanf(value, "%d",&x))
972                     if (x + 1 > NtCurrentTeb()->Peb->NumberOfProcessors)
973                         NtCurrentTeb()->Peb->NumberOfProcessors = x + 1;
974
975                 continue;
976             }
977             if (!strcasecmp(line, "model"))
978             {
979                 /* First part of Revision */
980                 int     x;
981
982                 if (sscanf(value, "%d",&x))
983                     cached_sci.Revision = cached_sci.Revision | (x << 8);
984
985                 continue;
986             }
987
988             /* 2.1 method */
989             if (!strcasecmp(line, "cpu family"))
990             {
991                 if (isdigit(value[0]))
992                 {
993                     cached_sci.Level = atoi(value);
994                 }
995                 continue;
996             }
997             /* old 2.0 method */
998             if (!strcasecmp(line, "cpu"))
999             {
1000                 if (isdigit(value[0]) && value[1] == '8' && value[2] == '6' && value[3] == 0)
1001                 {
1002                     switch (cached_sci.Level = value[0] - '0')
1003                     {
1004                     case 3:
1005                     case 4:
1006                     case 5:
1007                     case 6:
1008                         break;
1009                     default:
1010                         FIXME("unknown Linux 2.0 cpu family '%s', please report ! (-> setting to 386)\n", value);
1011                         cached_sci.Level = 3;
1012                         break;
1013                     }
1014                 }
1015                 continue;
1016             }
1017             if (!strcasecmp(line, "stepping"))
1018             {
1019                 /* Second part of Revision */
1020                 int     x;
1021
1022                 if (sscanf(value, "%d",&x))
1023                     cached_sci.Revision = cached_sci.Revision | x;
1024                 continue;
1025             }
1026             if (!strcasecmp(line, "cpu MHz"))
1027             {
1028                 double cmz;
1029                 if (sscanf( value, "%lf", &cmz ) == 1)
1030                 {
1031                     /* SYSTEMINFO doesn't have a slot for cpu speed, so store in a global */
1032                     cpuHz = cmz * 1000 * 1000;
1033                 }
1034                 continue;
1035             }
1036             if (!strcasecmp(line, "fdiv_bug"))
1037             {
1038                 if (!strncasecmp(value, "yes",3))
1039                     user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_PRECISION_ERRATA] = TRUE;
1040                 continue;
1041             }
1042             if (!strcasecmp(line, "fpu"))
1043             {
1044                 if (!strncasecmp(value, "no",2))
1045                     user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED] = TRUE;
1046                 continue;
1047             }
1048             if (!strcasecmp(line, "flags") || !strcasecmp(line, "features"))
1049             {
1050                 if (strstr(value, "cx8"))
1051                     user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE_DOUBLE] = TRUE;
1052                 if (strstr(value, "cx16"))
1053                     user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE128] = TRUE;
1054                 if (strstr(value, "mmx"))
1055                     user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1056                 if (strstr(value, "tsc"))
1057                     user_shared_data->ProcessorFeatures[PF_RDTSC_INSTRUCTION_AVAILABLE] = TRUE;
1058                 if (strstr(value, "3dnow"))
1059                     user_shared_data->ProcessorFeatures[PF_3DNOW_INSTRUCTIONS_AVAILABLE] = TRUE;
1060                 /* This will also catch sse2, but we have sse itself
1061                  * if we have sse2, so no problem */
1062                 if (strstr(value, "sse"))
1063                     user_shared_data->ProcessorFeatures[PF_XMMI_INSTRUCTIONS_AVAILABLE] = TRUE;
1064                 if (strstr(value, "sse2"))
1065                     user_shared_data->ProcessorFeatures[PF_XMMI64_INSTRUCTIONS_AVAILABLE] = TRUE;
1066                 if (strstr(value, "pni"))
1067                     user_shared_data->ProcessorFeatures[PF_SSE3_INSTRUCTIONS_AVAILABLE] = TRUE;
1068                 if (strstr(value, "pae"))
1069                     user_shared_data->ProcessorFeatures[PF_PAE_ENABLED] = TRUE;
1070                 if (strstr(value, "ht"))
1071                     cached_sci.FeatureSet |= CPU_FEATURE_HTT;
1072                 continue;
1073             }
1074         }
1075         fclose(f);
1076     }
1077 #elif defined (__NetBSD__)
1078     {
1079         int mib[2];
1080         int value;
1081         size_t val_len;
1082         char model[256];
1083         char *cpuclass;
1084         FILE *f = fopen("/var/run/dmesg.boot", "r");
1085
1086         /* first deduce as much as possible from the sysctls */
1087         mib[0] = CTL_MACHDEP;
1088 #ifdef CPU_FPU_PRESENT
1089         mib[1] = CPU_FPU_PRESENT;
1090         val_len = sizeof(value);
1091         if (sysctl(mib, 2, &value, &val_len, NULL, 0) >= 0)
1092             user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED] = !value;
1093 #endif
1094 #ifdef CPU_SSE
1095         mib[1] = CPU_SSE;   /* this should imply MMX */
1096         val_len = sizeof(value);
1097         if (sysctl(mib, 2, &value, &val_len, NULL, 0) >= 0)
1098             if (value) user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1099 #endif
1100 #ifdef CPU_SSE2
1101         mib[1] = CPU_SSE2;  /* this should imply MMX */
1102         val_len = sizeof(value);
1103         if (sysctl(mib, 2, &value, &val_len, NULL, 0) >= 0)
1104             if (value) user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1105 #endif
1106         mib[0] = CTL_HW;
1107         mib[1] = HW_NCPU;
1108         val_len = sizeof(value);
1109         if (sysctl(mib, 2, &value, &val_len, NULL, 0) >= 0)
1110             if (value > NtCurrentTeb()->Peb->NumberOfProcessors)
1111                 NtCurrentTeb()->Peb->NumberOfProcessors = value;
1112         mib[1] = HW_MODEL;
1113         val_len = sizeof(model)-1;
1114         if (sysctl(mib, 2, model, &val_len, NULL, 0) >= 0)
1115         {
1116             model[val_len] = '\0'; /* just in case */
1117             cpuclass = strstr(model, "-class");
1118             if (cpuclass != NULL) {
1119                 while(cpuclass > model && cpuclass[0] != '(') cpuclass--;
1120                 if (!strncmp(cpuclass+1, "386", 3))
1121                 {
1122                     cached_sci.Level= 3;
1123                 }
1124                 if (!strncmp(cpuclass+1, "486", 3))
1125                 {
1126                     cached_sci.Level= 4;
1127                 }
1128                 if (!strncmp(cpuclass+1, "586", 3))
1129                 {
1130                     cached_sci.Level= 5;
1131                 }
1132                 if (!strncmp(cpuclass+1, "686", 3))
1133                 {
1134                     cached_sci.Level= 6;
1135                     /* this should imply MMX */
1136                     user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1137                 }
1138             }
1139         }
1140
1141         /* it may be worth reading from /var/run/dmesg.boot for
1142            additional information such as CX8, MMX and TSC
1143            (however this information should be considered less
1144            reliable than that from the sysctl calls) */
1145         if (f != NULL)
1146         {
1147             while (fgets(model, 255, f) != NULL)
1148             {
1149                 int cpu, features;
1150                 if (sscanf(model, "cpu%d: features %x<", &cpu, &features) == 2)
1151                 {
1152                     /* we could scan the string but it is easier
1153                        to test the bits directly */
1154                     if (features & 0x1)
1155                         user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED] = TRUE;
1156                     if (features & 0x10)
1157                         user_shared_data->ProcessorFeatures[PF_RDTSC_INSTRUCTION_AVAILABLE] = TRUE;
1158                     if (features & 0x100)
1159                         user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE_DOUBLE] = TRUE;
1160                     if (features & 0x800000)
1161                         user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1162
1163                     break;
1164                 }
1165             }
1166             fclose(f);
1167         }
1168     }
1169 #elif defined(__FreeBSD__)
1170     {
1171         int ret, num;
1172         size_t len;
1173
1174         get_cpuinfo( &cached_sci );
1175
1176         /* Check for OS support of SSE -- Is this used, and should it be sse1 or sse2? */
1177         /*len = sizeof(num);
1178           ret = sysctlbyname("hw.instruction_sse", &num, &len, NULL, 0);
1179           if (!ret)
1180           user_shared_data->ProcessorFeatures[PF_XMMI_INSTRUCTIONS_AVAILABLE] = num;*/
1181
1182         len = sizeof(num);
1183         ret = sysctlbyname("hw.ncpu", &num, &len, NULL, 0);
1184         if (!ret)
1185             NtCurrentTeb()->Peb->NumberOfProcessors = num;
1186
1187         len = sizeof(num);
1188         if (!sysctlbyname("dev.cpu.0.freq", &num, &len, NULL, 0))
1189             cpuHz = num * 1000 * 1000;
1190     }
1191 #elif defined(__sun)
1192     {
1193         int num = sysconf( _SC_NPROCESSORS_ONLN );
1194
1195         if (num == -1) num = 1;
1196         get_cpuinfo( &cached_sci );
1197         NtCurrentTeb()->Peb->NumberOfProcessors = num;
1198     }
1199 #elif defined (__OpenBSD__)
1200     {
1201         int mib[2], num, ret;
1202         size_t len;
1203
1204         mib[0] = CTL_HW;
1205         mib[1] = HW_NCPU;
1206         len = sizeof(num);
1207
1208         ret = sysctl(mib, 2, &num, &len, NULL, 0);
1209         if (!ret)
1210             NtCurrentTeb()->Peb->NumberOfProcessors = num;
1211     }
1212 #elif defined (__APPLE__)
1213     {
1214         size_t valSize;
1215         unsigned long long longVal;
1216         int value;
1217         int cputype;
1218         char buffer[256];
1219
1220         valSize = sizeof(int);
1221         if (sysctlbyname ("hw.optional.floatingpoint", &value, &valSize, NULL, 0) == 0)
1222         {
1223             if (value)
1224                 user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED] = FALSE;
1225             else
1226                 user_shared_data->ProcessorFeatures[PF_FLOATING_POINT_EMULATED] = TRUE;
1227         }
1228         valSize = sizeof(int);
1229         if (sysctlbyname ("hw.ncpu", &value, &valSize, NULL, 0) == 0)
1230             NtCurrentTeb()->Peb->NumberOfProcessors = value;
1231
1232         /* FIXME: we don't use the "hw.activecpu" value... but the cached one */
1233
1234         valSize = sizeof(int);
1235         if (sysctlbyname ("hw.cputype", &cputype, &valSize, NULL, 0) == 0)
1236         {
1237             switch (cputype)
1238             {
1239             case CPU_TYPE_POWERPC:
1240                 cached_sci.Architecture = PROCESSOR_ARCHITECTURE_PPC;
1241                 valSize = sizeof(int);
1242                 if (sysctlbyname ("hw.cpusubtype", &value, &valSize, NULL, 0) == 0)
1243                 {
1244                     switch (value)
1245                     {
1246                     case CPU_SUBTYPE_POWERPC_601:
1247                     case CPU_SUBTYPE_POWERPC_602:       cached_sci.Level = 1;   break;
1248                     case CPU_SUBTYPE_POWERPC_603:       cached_sci.Level = 3;   break;
1249                     case CPU_SUBTYPE_POWERPC_603e:
1250                     case CPU_SUBTYPE_POWERPC_603ev:     cached_sci.Level = 6;   break;
1251                     case CPU_SUBTYPE_POWERPC_604:       cached_sci.Level = 4;   break;
1252                     case CPU_SUBTYPE_POWERPC_604e:      cached_sci.Level = 9;   break;
1253                     case CPU_SUBTYPE_POWERPC_620:       cached_sci.Level = 20;  break;
1254                     case CPU_SUBTYPE_POWERPC_750:       /* G3/G4 derive from 603 so ... */
1255                     case CPU_SUBTYPE_POWERPC_7400:
1256                     case CPU_SUBTYPE_POWERPC_7450:      cached_sci.Level = 6;   break;
1257                     case CPU_SUBTYPE_POWERPC_970:       cached_sci.Level = 9;
1258                         /* :o) user_shared_data->ProcessorFeatures[PF_ALTIVEC_INSTRUCTIONS_AVAILABLE] ;-) */
1259                         break;
1260                     default: break;
1261                     }
1262                 }
1263                 break; /* CPU_TYPE_POWERPC */
1264             case CPU_TYPE_I386:
1265                 cached_sci.Architecture = PROCESSOR_ARCHITECTURE_INTEL;
1266                 valSize = sizeof(int);
1267                 if (sysctlbyname ("machdep.cpu.family", &value, &valSize, NULL, 0) == 0)
1268                 {
1269                     cached_sci.Level = value;
1270                 }
1271                 valSize = sizeof(int);
1272                 if (sysctlbyname ("machdep.cpu.model", &value, &valSize, NULL, 0) == 0)
1273                     cached_sci.Revision = (value << 8);
1274                 valSize = sizeof(int);
1275                 if (sysctlbyname ("machdep.cpu.stepping", &value, &valSize, NULL, 0) == 0)
1276                     cached_sci.Revision |= value;
1277                 valSize = sizeof(buffer);
1278                 if (sysctlbyname ("machdep.cpu.features", buffer, &valSize, NULL, 0) == 0)
1279                 {
1280                     cached_sci.Revision |= value;
1281                     if (strstr(buffer, "CX8"))   user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE_DOUBLE] = TRUE;
1282                     if (strstr(buffer, "CX16"))  user_shared_data->ProcessorFeatures[PF_COMPARE_EXCHANGE128] = TRUE;
1283                     if (strstr(buffer, "MMX"))   user_shared_data->ProcessorFeatures[PF_MMX_INSTRUCTIONS_AVAILABLE] = TRUE;
1284                     if (strstr(buffer, "TSC"))   user_shared_data->ProcessorFeatures[PF_RDTSC_INSTRUCTION_AVAILABLE] = TRUE;
1285                     if (strstr(buffer, "3DNOW")) user_shared_data->ProcessorFeatures[PF_3DNOW_INSTRUCTIONS_AVAILABLE] = TRUE;
1286                     if (strstr(buffer, "SSE"))   user_shared_data->ProcessorFeatures[PF_XMMI_INSTRUCTIONS_AVAILABLE] = TRUE;
1287                     if (strstr(buffer, "SSE2"))  user_shared_data->ProcessorFeatures[PF_XMMI64_INSTRUCTIONS_AVAILABLE] = TRUE;
1288                     if (strstr(buffer, "SSE3"))  user_shared_data->ProcessorFeatures[PF_SSE3_INSTRUCTIONS_AVAILABLE] = TRUE;
1289                     if (strstr(buffer, "PAE"))   user_shared_data->ProcessorFeatures[PF_PAE_ENABLED] = TRUE;
1290                 }
1291                 break; /* CPU_TYPE_I386 */
1292             default: break;
1293             } /* switch (cputype) */
1294         }
1295         valSize = sizeof(longVal);
1296         if (!sysctlbyname("hw.cpufrequency", &longVal, &valSize, NULL, 0))
1297             cpuHz = longVal;
1298     }
1299 #else
1300     FIXME("not yet supported on this system\n");
1301 #endif
1302     TRACE("<- CPU arch %d, level %d, rev %d, features 0x%x\n",
1303           cached_sci.Architecture, cached_sci.Level, cached_sci.Revision, cached_sci.FeatureSet);
1304 }
1305
1306 /******************************************************************************
1307  * NtQuerySystemInformation [NTDLL.@]
1308  * ZwQuerySystemInformation [NTDLL.@]
1309  *
1310  * ARGUMENTS:
1311  *  SystemInformationClass      Index to a certain information structure
1312  *      SystemTimeAdjustmentInformation SYSTEM_TIME_ADJUSTMENT
1313  *      SystemCacheInformation          SYSTEM_CACHE_INFORMATION
1314  *      SystemConfigurationInformation  CONFIGURATION_INFORMATION
1315  *      observed (class/len):
1316  *              0x0/0x2c
1317  *              0x12/0x18
1318  *              0x2/0x138
1319  *              0x8/0x600
1320  *              0x25/0xc
1321  *  SystemInformation   caller supplies storage for the information structure
1322  *  Length              size of the structure
1323  *  ResultLength        Data written
1324  */
1325 NTSTATUS WINAPI NtQuerySystemInformation(
1326         IN SYSTEM_INFORMATION_CLASS SystemInformationClass,
1327         OUT PVOID SystemInformation,
1328         IN ULONG Length,
1329         OUT PULONG ResultLength)
1330 {
1331     NTSTATUS    ret = STATUS_SUCCESS;
1332     ULONG       len = 0;
1333
1334     TRACE("(0x%08x,%p,0x%08x,%p)\n",
1335           SystemInformationClass,SystemInformation,Length,ResultLength);
1336
1337     switch (SystemInformationClass)
1338     {
1339     case SystemBasicInformation:
1340         {
1341             SYSTEM_BASIC_INFORMATION sbi;
1342
1343             virtual_get_system_info( &sbi );
1344             len = sizeof(sbi);
1345
1346             if ( Length == len)
1347             {
1348                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1349                 else memcpy( SystemInformation, &sbi, len);
1350             }
1351             else ret = STATUS_INFO_LENGTH_MISMATCH;
1352         }
1353         break;
1354     case SystemCpuInformation:
1355         if (Length >= (len = sizeof(cached_sci)))
1356         {
1357             if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1358             else memcpy(SystemInformation, &cached_sci, len);
1359         }
1360         else ret = STATUS_INFO_LENGTH_MISMATCH;
1361         break;
1362     case SystemPerformanceInformation:
1363         {
1364             SYSTEM_PERFORMANCE_INFORMATION spi;
1365             static BOOL fixme_written = FALSE;
1366
1367             memset(&spi, 0 , sizeof(spi));
1368             len = sizeof(spi);
1369
1370             spi.Reserved3 = 0x7fffffff; /* Available paged pool memory? */
1371
1372             if (Length >= len)
1373             {
1374                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1375                 else memcpy( SystemInformation, &spi, len);
1376             }
1377             else ret = STATUS_INFO_LENGTH_MISMATCH;
1378             if(!fixme_written) {
1379                 FIXME("info_class SYSTEM_PERFORMANCE_INFORMATION\n");
1380                 fixme_written = TRUE;
1381             }
1382         }
1383         break;
1384     case SystemTimeOfDayInformation:
1385         {
1386             SYSTEM_TIMEOFDAY_INFORMATION sti;
1387
1388             memset(&sti, 0 , sizeof(sti));
1389
1390             /* liKeSystemTime, liExpTimeZoneBias, uCurrentTimeZoneId */
1391             sti.liKeBootTime.QuadPart = server_start_time;
1392
1393             if (Length <= sizeof(sti))
1394             {
1395                 len = Length;
1396                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1397                 else memcpy( SystemInformation, &sti, Length);
1398             }
1399             else ret = STATUS_INFO_LENGTH_MISMATCH;
1400         }
1401         break;
1402     case SystemProcessInformation:
1403         {
1404             SYSTEM_PROCESS_INFORMATION* spi = SystemInformation;
1405             SYSTEM_PROCESS_INFORMATION* last = NULL;
1406             HANDLE hSnap = 0;
1407             WCHAR procname[1024];
1408             WCHAR* exename;
1409             DWORD wlen = 0;
1410             DWORD procstructlen = 0;
1411
1412             SERVER_START_REQ( create_snapshot )
1413             {
1414                 req->flags      = SNAP_PROCESS | SNAP_THREAD;
1415                 req->attributes = 0;
1416                 if (!(ret = wine_server_call( req )))
1417                     hSnap = wine_server_ptr_handle( reply->handle );
1418             }
1419             SERVER_END_REQ;
1420             len = 0;
1421             while (ret == STATUS_SUCCESS)
1422             {
1423                 SERVER_START_REQ( next_process )
1424                 {
1425                     req->handle = wine_server_obj_handle( hSnap );
1426                     req->reset = (len == 0);
1427                     wine_server_set_reply( req, procname, sizeof(procname)-sizeof(WCHAR) );
1428                     if (!(ret = wine_server_call( req )))
1429                     {
1430                         /* Make sure procname is 0 terminated */
1431                         procname[wine_server_reply_size(reply) / sizeof(WCHAR)] = 0;
1432
1433                         /* Get only the executable name, not the path */
1434                         if ((exename = strrchrW(procname, '\\')) != NULL) exename++;
1435                         else exename = procname;
1436
1437                         wlen = (strlenW(exename) + 1) * sizeof(WCHAR);
1438
1439                         procstructlen = sizeof(*spi) + wlen + ((reply->threads - 1) * sizeof(SYSTEM_THREAD_INFORMATION));
1440
1441                         if (Length >= len + procstructlen)
1442                         {
1443                             /* ftCreationTime, ftUserTime, ftKernelTime;
1444                              * vmCounters, ioCounters
1445                              */
1446  
1447                             memset(spi, 0, sizeof(*spi));
1448
1449                             spi->NextEntryOffset = procstructlen - wlen;
1450                             spi->dwThreadCount = reply->threads;
1451
1452                             /* spi->pszProcessName will be set later on */
1453
1454                             spi->dwBasePriority = reply->priority;
1455                             spi->UniqueProcessId = UlongToHandle(reply->pid);
1456                             spi->ParentProcessId = UlongToHandle(reply->ppid);
1457                             spi->HandleCount = reply->handles;
1458
1459                             /* spi->ti will be set later on */
1460
1461                             len += procstructlen;
1462                         }
1463                         else ret = STATUS_INFO_LENGTH_MISMATCH;
1464                     }
1465                 }
1466                 SERVER_END_REQ;
1467  
1468                 if (ret != STATUS_SUCCESS)
1469                 {
1470                     if (ret == STATUS_NO_MORE_FILES) ret = STATUS_SUCCESS;
1471                     break;
1472                 }
1473                 else /* Length is already checked for */
1474                 {
1475                     int     i, j;
1476
1477                     /* set thread info */
1478                     i = j = 0;
1479                     while (ret == STATUS_SUCCESS)
1480                     {
1481                         SERVER_START_REQ( next_thread )
1482                         {
1483                             req->handle = wine_server_obj_handle( hSnap );
1484                             req->reset = (j == 0);
1485                             if (!(ret = wine_server_call( req )))
1486                             {
1487                                 j++;
1488                                 if (UlongToHandle(reply->pid) == spi->UniqueProcessId)
1489                                 {
1490                                     /* ftKernelTime, ftUserTime, ftCreateTime;
1491                                      * dwTickCount, dwStartAddress
1492                                      */
1493
1494                                     memset(&spi->ti[i], 0, sizeof(spi->ti));
1495
1496                                     spi->ti[i].CreateTime.QuadPart = 0xdeadbeef;
1497                                     spi->ti[i].ClientId.UniqueProcess = UlongToHandle(reply->pid);
1498                                     spi->ti[i].ClientId.UniqueThread  = UlongToHandle(reply->tid);
1499                                     spi->ti[i].dwCurrentPriority = reply->base_pri + reply->delta_pri;
1500                                     spi->ti[i].dwBasePriority = reply->base_pri;
1501                                     i++;
1502                                 }
1503                             }
1504                         }
1505                         SERVER_END_REQ;
1506                     }
1507                     if (ret == STATUS_NO_MORE_FILES) ret = STATUS_SUCCESS;
1508
1509                     /* now append process name */
1510                     spi->ProcessName.Buffer = (WCHAR*)((char*)spi + spi->NextEntryOffset);
1511                     spi->ProcessName.Length = wlen - sizeof(WCHAR);
1512                     spi->ProcessName.MaximumLength = wlen;
1513                     memcpy( spi->ProcessName.Buffer, exename, wlen );
1514                     spi->NextEntryOffset += wlen;
1515
1516                     last = spi;
1517                     spi = (SYSTEM_PROCESS_INFORMATION*)((char*)spi + spi->NextEntryOffset);
1518                 }
1519             }
1520             if (ret == STATUS_SUCCESS && last) last->NextEntryOffset = 0;
1521             if (hSnap) NtClose(hSnap);
1522         }
1523         break;
1524     case SystemProcessorPerformanceInformation:
1525         {
1526             SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION *sppi = NULL;
1527             unsigned int cpus = 0;
1528             int out_cpus = Length / sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION);
1529
1530             if (out_cpus == 0)
1531             {
1532                 len = 0;
1533                 ret = STATUS_INFO_LENGTH_MISMATCH;
1534                 break;
1535             }
1536             else
1537 #ifdef __APPLE__
1538             {
1539                 processor_cpu_load_info_data_t *pinfo;
1540                 mach_msg_type_number_t info_count;
1541
1542                 if (host_processor_info (mach_host_self (),
1543                                          PROCESSOR_CPU_LOAD_INFO,
1544                                          &cpus,
1545                                          (processor_info_array_t*)&pinfo,
1546                                          &info_count) == 0)
1547                 {
1548                     int i;
1549                     cpus = min(cpus,out_cpus);
1550                     len = sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION) * cpus;
1551                     sppi = RtlAllocateHeap(GetProcessHeap(), 0,len);
1552                     for (i = 0; i < cpus; i++)
1553                     {
1554                         sppi[i].IdleTime.QuadPart = pinfo[i].cpu_ticks[CPU_STATE_IDLE];
1555                         sppi[i].KernelTime.QuadPart = pinfo[i].cpu_ticks[CPU_STATE_SYSTEM];
1556                         sppi[i].UserTime.QuadPart = pinfo[i].cpu_ticks[CPU_STATE_USER];
1557                     }
1558                     vm_deallocate (mach_task_self (), (vm_address_t) pinfo, info_count * sizeof(natural_t));
1559                 }
1560             }
1561 #else
1562             {
1563                 FILE *cpuinfo = fopen("/proc/stat", "r");
1564                 if (cpuinfo)
1565                 {
1566                     unsigned usr,nice,sys;
1567                     unsigned long idle;
1568                     int count;
1569                     char name[10];
1570                     char line[255];
1571
1572                     /* first line is combined usage */
1573                     if (fgets(line,255,cpuinfo))
1574                         count = sscanf(line, "%s %u %u %u %lu", name, &usr, &nice,
1575                                        &sys, &idle);
1576                     else
1577                         count = 0;
1578                     /* we set this up in the for older non-smp enabled kernels */
1579                     if (count == 5 && strcmp(name, "cpu") == 0)
1580                     {
1581                         sppi = RtlAllocateHeap(GetProcessHeap(), 0,
1582                                                sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION));
1583                         sppi->IdleTime.QuadPart = idle;
1584                         sppi->KernelTime.QuadPart = sys;
1585                         sppi->UserTime.QuadPart = usr;
1586                         cpus = 1;
1587                         len = sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION);
1588                     }
1589
1590                     do
1591                     {
1592                         if (fgets(line, 255, cpuinfo))
1593                             count = sscanf(line, "%s %u %u %u %lu", name, &usr,
1594                                            &nice, &sys, &idle);
1595                         else
1596                             count = 0;
1597                         if (count == 5 && strncmp(name, "cpu", 3)==0)
1598                         {
1599                             out_cpus --;
1600                             if (name[3]=='0') /* first cpu */
1601                             {
1602                                 sppi->IdleTime.QuadPart = idle;
1603                                 sppi->KernelTime.QuadPart = sys;
1604                                 sppi->UserTime.QuadPart = usr;
1605                             }
1606                             else /* new cpu */
1607                             {
1608                                 len = sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION) * (cpus+1);
1609                                 sppi = RtlReAllocateHeap(GetProcessHeap(), 0, sppi, len);
1610                                 sppi[cpus].IdleTime.QuadPart = idle;
1611                                 sppi[cpus].KernelTime.QuadPart = sys;
1612                                 sppi[cpus].UserTime.QuadPart = usr;
1613                                 cpus++;
1614                             }
1615                         }
1616                         else
1617                             break;
1618                     } while (out_cpus > 0);
1619                     fclose(cpuinfo);
1620                 }
1621             }
1622 #endif
1623
1624             if (cpus == 0)
1625             {
1626                 static int i = 1;
1627
1628                 sppi = RtlAllocateHeap(GetProcessHeap(),0,sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION));
1629
1630                 memset(sppi, 0 , sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION));
1631                 FIXME("stub info_class SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION\n");
1632
1633                 /* many programs expect these values to change so fake change */
1634                 len = sizeof(SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION);
1635                 sppi->KernelTime.QuadPart = 1 * i;
1636                 sppi->UserTime.QuadPart = 2 * i;
1637                 sppi->IdleTime.QuadPart = 3 * i;
1638                 i++;
1639             }
1640
1641             if (Length >= len)
1642             {
1643                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1644                 else memcpy( SystemInformation, sppi, len);
1645             }
1646             else ret = STATUS_INFO_LENGTH_MISMATCH;
1647
1648             RtlFreeHeap(GetProcessHeap(),0,sppi);
1649         }
1650         break;
1651     case SystemModuleInformation:
1652         /* FIXME: should be system-wide */
1653         if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1654         else ret = LdrQueryProcessModuleInformation( SystemInformation, Length, &len );
1655         break;
1656     case SystemHandleInformation:
1657         {
1658             SYSTEM_HANDLE_INFORMATION shi;
1659
1660             memset(&shi, 0, sizeof(shi));
1661             len = sizeof(shi);
1662
1663             if ( Length >= len)
1664             {
1665                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1666                 else memcpy( SystemInformation, &shi, len);
1667             }
1668             else ret = STATUS_INFO_LENGTH_MISMATCH;
1669             FIXME("info_class SYSTEM_HANDLE_INFORMATION\n");
1670         }
1671         break;
1672     case SystemCacheInformation:
1673         {
1674             SYSTEM_CACHE_INFORMATION sci;
1675
1676             memset(&sci, 0, sizeof(sci)); /* FIXME */
1677             len = sizeof(sci);
1678
1679             if ( Length >= len)
1680             {
1681                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1682                 else memcpy( SystemInformation, &sci, len);
1683             }
1684             else ret = STATUS_INFO_LENGTH_MISMATCH;
1685             FIXME("info_class SYSTEM_CACHE_INFORMATION\n");
1686         }
1687         break;
1688     case SystemInterruptInformation:
1689         {
1690             SYSTEM_INTERRUPT_INFORMATION sii;
1691
1692             memset(&sii, 0, sizeof(sii));
1693             len = sizeof(sii);
1694
1695             if ( Length >= len)
1696             {
1697                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1698                 else memcpy( SystemInformation, &sii, len);
1699             }
1700             else ret = STATUS_INFO_LENGTH_MISMATCH;
1701             FIXME("info_class SYSTEM_INTERRUPT_INFORMATION\n");
1702         }
1703         break;
1704     case SystemKernelDebuggerInformation:
1705         {
1706             SYSTEM_KERNEL_DEBUGGER_INFORMATION skdi;
1707
1708             skdi.DebuggerEnabled = FALSE;
1709             skdi.DebuggerNotPresent = TRUE;
1710             len = sizeof(skdi);
1711
1712             if ( Length >= len)
1713             {
1714                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1715                 else memcpy( SystemInformation, &skdi, len);
1716             }
1717             else ret = STATUS_INFO_LENGTH_MISMATCH;
1718         }
1719         break;
1720     case SystemRegistryQuotaInformation:
1721         {
1722             /* Something to do with the size of the registry             *
1723              * Since we don't have a size limitation, fake it            *
1724              * This is almost certainly wrong.                           *
1725              * This sets each of the three words in the struct to 32 MB, *
1726              * which is enough to make the IE 5 installer happy.         */
1727             SYSTEM_REGISTRY_QUOTA_INFORMATION srqi;
1728
1729             srqi.RegistryQuotaAllowed = 0x2000000;
1730             srqi.RegistryQuotaUsed = 0x200000;
1731             srqi.Reserved1 = (void*)0x200000;
1732             len = sizeof(srqi);
1733
1734             if ( Length >= len)
1735             {
1736                 if (!SystemInformation) ret = STATUS_ACCESS_VIOLATION;
1737                 else
1738                 {
1739                     FIXME("SystemRegistryQuotaInformation: faking max registry size of 32 MB\n");
1740                     memcpy( SystemInformation, &srqi, len);
1741                 }
1742             }
1743             else ret = STATUS_INFO_LENGTH_MISMATCH;
1744         }
1745         break;
1746     default:
1747         FIXME("(0x%08x,%p,0x%08x,%p) stub\n",
1748               SystemInformationClass,SystemInformation,Length,ResultLength);
1749
1750         /* Several Information Classes are not implemented on Windows and return 2 different values 
1751          * STATUS_NOT_IMPLEMENTED or STATUS_INVALID_INFO_CLASS
1752          * in 95% of the cases it's STATUS_INVALID_INFO_CLASS, so use this as the default
1753         */
1754         ret = STATUS_INVALID_INFO_CLASS;
1755     }
1756
1757     if (ResultLength) *ResultLength = len;
1758
1759     return ret;
1760 }
1761
1762 /******************************************************************************
1763  * NtSetSystemInformation [NTDLL.@]
1764  * ZwSetSystemInformation [NTDLL.@]
1765  */
1766 NTSTATUS WINAPI NtSetSystemInformation(SYSTEM_INFORMATION_CLASS SystemInformationClass, PVOID SystemInformation, ULONG Length)
1767 {
1768     FIXME("(0x%08x,%p,0x%08x) stub\n",SystemInformationClass,SystemInformation,Length);
1769     return STATUS_SUCCESS;
1770 }
1771
1772 /******************************************************************************
1773  *  NtCreatePagingFile          [NTDLL.@]
1774  *  ZwCreatePagingFile          [NTDLL.@]
1775  */
1776 NTSTATUS WINAPI NtCreatePagingFile(
1777         PUNICODE_STRING PageFileName,
1778         PLARGE_INTEGER MinimumSize,
1779         PLARGE_INTEGER MaximumSize,
1780         PLARGE_INTEGER ActualSize)
1781 {
1782     FIXME("(%p %p %p %p) stub\n", PageFileName, MinimumSize, MaximumSize, ActualSize);
1783     return STATUS_SUCCESS;
1784 }
1785
1786 /******************************************************************************
1787  *  NtDisplayString                             [NTDLL.@]
1788  *
1789  * writes a string to the nt-textmode screen eg. during startup
1790  */
1791 NTSTATUS WINAPI NtDisplayString ( PUNICODE_STRING string )
1792 {
1793     STRING stringA;
1794     NTSTATUS ret;
1795
1796     if (!(ret = RtlUnicodeStringToAnsiString( &stringA, string, TRUE )))
1797     {
1798         MESSAGE( "%.*s", stringA.Length, stringA.Buffer );
1799         RtlFreeAnsiString( &stringA );
1800     }
1801     return ret;
1802 }
1803
1804 /******************************************************************************
1805  *  NtInitiatePowerAction                       [NTDLL.@]
1806  *
1807  */
1808 NTSTATUS WINAPI NtInitiatePowerAction(
1809         IN POWER_ACTION SystemAction,
1810         IN SYSTEM_POWER_STATE MinSystemState,
1811         IN ULONG Flags,
1812         IN BOOLEAN Asynchronous)
1813 {
1814         FIXME("(%d,%d,0x%08x,%d),stub\n",
1815                 SystemAction,MinSystemState,Flags,Asynchronous);
1816         return STATUS_NOT_IMPLEMENTED;
1817 }
1818         
1819
1820 /******************************************************************************
1821  *  NtPowerInformation                          [NTDLL.@]
1822  *
1823  */
1824 NTSTATUS WINAPI NtPowerInformation(
1825         IN POWER_INFORMATION_LEVEL InformationLevel,
1826         IN PVOID lpInputBuffer,
1827         IN ULONG nInputBufferSize,
1828         IN PVOID lpOutputBuffer,
1829         IN ULONG nOutputBufferSize)
1830 {
1831         TRACE("(%d,%p,%d,%p,%d)\n",
1832                 InformationLevel,lpInputBuffer,nInputBufferSize,lpOutputBuffer,nOutputBufferSize);
1833         switch(InformationLevel) {
1834                 case SystemPowerCapabilities: {
1835                         PSYSTEM_POWER_CAPABILITIES PowerCaps = lpOutputBuffer;
1836                         FIXME("semi-stub: SystemPowerCapabilities\n");
1837                         if (nOutputBufferSize < sizeof(SYSTEM_POWER_CAPABILITIES))
1838                                 return STATUS_BUFFER_TOO_SMALL;
1839                         /* FIXME: These values are based off a native XP desktop, should probably use APM/ACPI to get the 'real' values */
1840                         PowerCaps->PowerButtonPresent = TRUE;
1841                         PowerCaps->SleepButtonPresent = FALSE;
1842                         PowerCaps->LidPresent = FALSE;
1843                         PowerCaps->SystemS1 = TRUE;
1844                         PowerCaps->SystemS2 = FALSE;
1845                         PowerCaps->SystemS3 = FALSE;
1846                         PowerCaps->SystemS4 = TRUE;
1847                         PowerCaps->SystemS5 = TRUE;
1848                         PowerCaps->HiberFilePresent = TRUE;
1849                         PowerCaps->FullWake = TRUE;
1850                         PowerCaps->VideoDimPresent = FALSE;
1851                         PowerCaps->ApmPresent = FALSE;
1852                         PowerCaps->UpsPresent = FALSE;
1853                         PowerCaps->ThermalControl = FALSE;
1854                         PowerCaps->ProcessorThrottle = FALSE;
1855                         PowerCaps->ProcessorMinThrottle = 100;
1856                         PowerCaps->ProcessorMaxThrottle = 100;
1857                         PowerCaps->DiskSpinDown = TRUE;
1858                         PowerCaps->SystemBatteriesPresent = FALSE;
1859                         PowerCaps->BatteriesAreShortTerm = FALSE;
1860                         PowerCaps->BatteryScale[0].Granularity = 0;
1861                         PowerCaps->BatteryScale[0].Capacity = 0;
1862                         PowerCaps->BatteryScale[1].Granularity = 0;
1863                         PowerCaps->BatteryScale[1].Capacity = 0;
1864                         PowerCaps->BatteryScale[2].Granularity = 0;
1865                         PowerCaps->BatteryScale[2].Capacity = 0;
1866                         PowerCaps->AcOnLineWake = PowerSystemUnspecified;
1867                         PowerCaps->SoftLidWake = PowerSystemUnspecified;
1868                         PowerCaps->RtcWake = PowerSystemSleeping1;
1869                         PowerCaps->MinDeviceWakeState = PowerSystemUnspecified;
1870                         PowerCaps->DefaultLowLatencyWake = PowerSystemUnspecified;
1871                         return STATUS_SUCCESS;
1872                 }
1873                 case SystemExecutionState: {
1874                         PULONG ExecutionState = lpOutputBuffer;
1875                         WARN("semi-stub: SystemExecutionState\n"); /* Needed for .NET Framework, but using a FIXME is really noisy. */
1876                         if (lpInputBuffer != NULL)
1877                                 return STATUS_INVALID_PARAMETER;
1878                         /* FIXME: The actual state should be the value set by SetThreadExecutionState which is not currently implemented. */
1879                         *ExecutionState = ES_USER_PRESENT;
1880                         return STATUS_SUCCESS;
1881                 }
1882                 case ProcessorInformation: {
1883                         PPROCESSOR_POWER_INFORMATION cpu_power = lpOutputBuffer;
1884
1885                         WARN("semi-stub: ProcessorInformation\n");
1886                         if (nOutputBufferSize < sizeof(PROCESSOR_POWER_INFORMATION))
1887                                 return STATUS_BUFFER_TOO_SMALL;
1888                         cpu_power->Number = NtCurrentTeb()->Peb->NumberOfProcessors;
1889                         cpu_power->MaxMhz = cpuHz / 1000000;
1890                         cpu_power->CurrentMhz = cpuHz / 1000000;
1891                         cpu_power->MhzLimit = cpuHz / 1000000;
1892                         cpu_power->MaxIdleState = 0; /* FIXME */
1893                         cpu_power->CurrentIdleState = 0; /* FIXME */
1894                         return STATUS_SUCCESS;
1895                 }
1896                 default:
1897                         /* FIXME: Needed by .NET Framework */
1898                         WARN("Unimplemented NtPowerInformation action: %d\n", InformationLevel);
1899                         return STATUS_NOT_IMPLEMENTED;
1900         }
1901 }
1902
1903 /******************************************************************************
1904  *  NtShutdownSystem                            [NTDLL.@]
1905  *
1906  */
1907 NTSTATUS WINAPI NtShutdownSystem(SHUTDOWN_ACTION Action)
1908 {
1909     FIXME("%d\n",Action);
1910     return STATUS_SUCCESS;
1911 }
1912
1913 /******************************************************************************
1914  *  NtAllocateLocallyUniqueId (NTDLL.@)
1915  */
1916 NTSTATUS WINAPI NtAllocateLocallyUniqueId(PLUID Luid)
1917 {
1918     NTSTATUS status;
1919
1920     TRACE("%p\n", Luid);
1921
1922     if (!Luid)
1923         return STATUS_ACCESS_VIOLATION;
1924
1925     SERVER_START_REQ( allocate_locally_unique_id )
1926     {
1927         status = wine_server_call( req );
1928         if (!status)
1929         {
1930             Luid->LowPart = reply->luid.low_part;
1931             Luid->HighPart = reply->luid.high_part;
1932         }
1933     }
1934     SERVER_END_REQ;
1935
1936     return status;
1937 }
1938
1939 /******************************************************************************
1940  *        VerSetConditionMask   (NTDLL.@)
1941  */
1942 ULONGLONG WINAPI VerSetConditionMask( ULONGLONG dwlConditionMask, DWORD dwTypeBitMask,
1943                                       BYTE dwConditionMask)
1944 {
1945     if(dwTypeBitMask == 0)
1946         return dwlConditionMask;
1947     dwConditionMask &= 0x07;
1948     if(dwConditionMask == 0)
1949         return dwlConditionMask;
1950
1951     if(dwTypeBitMask & VER_PRODUCT_TYPE)
1952         dwlConditionMask |= dwConditionMask << 7*3;
1953     else if (dwTypeBitMask & VER_SUITENAME)
1954         dwlConditionMask |= dwConditionMask << 6*3;
1955     else if (dwTypeBitMask & VER_SERVICEPACKMAJOR)
1956         dwlConditionMask |= dwConditionMask << 5*3;
1957     else if (dwTypeBitMask & VER_SERVICEPACKMINOR)
1958         dwlConditionMask |= dwConditionMask << 4*3;
1959     else if (dwTypeBitMask & VER_PLATFORMID)
1960         dwlConditionMask |= dwConditionMask << 3*3;
1961     else if (dwTypeBitMask & VER_BUILDNUMBER)
1962         dwlConditionMask |= dwConditionMask << 2*3;
1963     else if (dwTypeBitMask & VER_MAJORVERSION)
1964         dwlConditionMask |= dwConditionMask << 1*3;
1965     else if (dwTypeBitMask & VER_MINORVERSION)
1966         dwlConditionMask |= dwConditionMask << 0*3;
1967     return dwlConditionMask;
1968 }
1969
1970 /******************************************************************************
1971  *  NtAccessCheckAndAuditAlarm   (NTDLL.@)
1972  *  ZwAccessCheckAndAuditAlarm   (NTDLL.@)
1973  */
1974 NTSTATUS WINAPI NtAccessCheckAndAuditAlarm(PUNICODE_STRING SubsystemName, HANDLE HandleId, PUNICODE_STRING ObjectTypeName,
1975                                            PUNICODE_STRING ObjectName, PSECURITY_DESCRIPTOR SecurityDescriptor,
1976                                            ACCESS_MASK DesiredAccess, PGENERIC_MAPPING GenericMapping, BOOLEAN ObjectCreation,
1977                                            PACCESS_MASK GrantedAccess, PBOOLEAN AccessStatus, PBOOLEAN GenerateOnClose)
1978 {
1979     FIXME("(%s, %p, %s, %p, 0x%08x, %p, %d, %p, %p, %p), stub\n", debugstr_us(SubsystemName), HandleId,
1980           debugstr_us(ObjectTypeName), SecurityDescriptor, DesiredAccess, GenericMapping, ObjectCreation,
1981           GrantedAccess, AccessStatus, GenerateOnClose);
1982
1983     return STATUS_NOT_IMPLEMENTED;
1984 }
1985
1986 /******************************************************************************
1987  *  NtSystemDebugControl   (NTDLL.@)
1988  *  ZwSystemDebugControl   (NTDLL.@)
1989  */
1990 NTSTATUS WINAPI NtSystemDebugControl(SYSDBG_COMMAND command, PVOID inbuffer, ULONG inbuflength, PVOID outbuffer,
1991                                      ULONG outbuflength, PULONG retlength)
1992 {
1993     FIXME("(%d, %p, %d, %p, %d, %p), stub\n", command, inbuffer, inbuflength, outbuffer, outbuflength, retlength);
1994
1995     return STATUS_NOT_IMPLEMENTED;
1996 }