VirtualBox

source: vbox/trunk/src/VBox/VMM/VMMR0/GMMR0.cpp@ 5605

Last change on this file since 5605 was 5143, checked in by vboxsync, 17 years ago

The rest of the GMM code.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Id
File size: 93.9 KB
Line 
1/* $Id: GMMR0.cpp 5143 2007-10-02 15:43:06Z vboxsync $ */
2/** @file
3 * GMM - Global Memory Manager.
4 */
5
6/*
7 * Copyright (C) 2007 InnoTek Systemberatung GmbH
8 *
9 * This file is part of VirtualBox Open Source Edition (OSE), as
10 * available from http://www.virtualbox.org. This file is free software;
11 * you can redistribute it and/or modify it under the terms of the GNU
12 * General Public License as published by the Free Software Foundation,
13 * in version 2 as it comes in the "COPYING" file of the VirtualBox OSE
14 * distribution. VirtualBox OSE is distributed in the hope that it will
15 * be useful, but WITHOUT ANY WARRANTY of any kind.
16 *
17 */
18
19
20/** @page pg_gmm GMM - The Global Memory Manager
21 *
22 * As the name indicates, this component is responsible for global memory
23 * management. Currently only guest RAM is allocated from the GMM, but this
24 * may change to include shadow page tables and other bits later.
25 *
26 * Guest RAM is managed as individual pages, but allocated from the host OS
27 * in chunks for reasons of portability / efficiency. To minimize the memory
28 * footprint all tracking structure must be as small as possible without
29 * unnecessary performance penalties.
30 *
31 *
32 * The allocation chunks has fixed sized, the size defined at compile time
33 * by the GMM_CHUNK_SIZE \#define.
34 *
35 * Each chunk is given an unquie ID. Each page also has a unique ID. The
36 * relation ship between the two IDs is:
37 * @verbatim
38 (idChunk << GMM_CHUNK_SHIFT) | iPage
39 @endverbatim
40 * Where GMM_CHUNK_SHIFT is log2(GMM_CHUNK_SIZE / PAGE_SIZE) and iPage is
41 * the index of the page within the chunk. This ID scheme permits for efficient
42 * chunk and page lookup, but it relies on the chunk size to be set at compile
43 * time. The chunks are organized in an AVL tree with their IDs being the keys.
44 *
45 * The physical address of each page in an allocation chunk is maintained by
46 * the RTR0MEMOBJ and obtained using RTR0MemObjGetPagePhysAddr. There is no
47 * need to duplicate this information (it'll cost 8-bytes per page if we did).
48 *
49 * So what do we need to track per page? Most importantly we need to know what
50 * state the page is in:
51 * - Private - Allocated for (eventually) backing one particular VM page.
52 * - Shared - Readonly page that is used by one or more VMs and treated
53 * as COW by PGM.
54 * - Free - Not used by anyone.
55 *
56 * For the page replacement operations (sharing, defragmenting and freeing)
57 * to be somewhat efficient, private pages needs to be associated with a
58 * particular page in a particular VM.
59 *
60 * Tracking the usage of shared pages is impractical and expensive, so we'll
61 * settle for a reference counting system instead.
62 *
63 * Free pages will be chained on LIFOs
64 *
65 * On 64-bit systems we will use a 64-bit bitfield per page, while on 32-bit
66 * systems a 32-bit bitfield will have to suffice because of address space
67 * limitations. The GMMPAGE structure shows the details.
68 *
69 *
70 * @section sec_gmm_alloc_strat Page Allocation Strategy
71 *
72 * The strategy for allocating pages has to take fragmentation and shared
73 * pages into account, or we may end up with with 2000 chunks with only
74 * a few pages in each. The fragmentation wrt shared pages is that unlike
75 * private pages they cannot easily be reallocated. Private pages can be
76 * reallocated by a defragmentation thread in the same manner that sharing
77 * is done.
78 *
79 * The first approach is to manage the free pages in two sets depending on
80 * whether they are mainly for the allocation of shared or private pages.
81 * In the initial implementation there will be almost no possibility for
82 * mixing shared and private pages in the same chunk (only if we're really
83 * stressed on memory), but when we implement forking of VMs and have to
84 * deal with lots of COW pages it'll start getting kind of interesting.
85 *
86 * The sets are lists of chunks with approximately the same number of
87 * free pages. Say the chunk size is 1MB, meaning 256 pages, and a set
88 * consists of 16 lists. So, the first list will contain the chunks with
89 * 1-7 free pages, the second covers 8-15, and so on. The chunks will be
90 * moved between the lists as pages are freed up or allocated.
91 *
92 *
93 * @section sec_gmm_costs Costs
94 *
95 * The per page cost in kernel space is 32-bit plus whatever RTR0MEMOBJ
96 * entails. In addition there is the chunk cost of approximately
97 * (sizeof(RT0MEMOBJ) + sizof(CHUNK)) / 2^CHUNK_SHIFT bytes per page.
98 *
99 * On Windows the per page RTR0MEMOBJ cost is 32-bit on 32-bit windows
100 * and 64-bit on 64-bit windows (a PFN_NUMBER in the MDL). So, 64-bit per page.
101 * The cost on Linux is identical, but here it's because of sizeof(struct page *).
102 *
103 *
104 * @section sec_gmm_legacy Legacy Mode for Non-Tier-1 Platforms
105 *
106 * In legacy mode the page source is locked user pages and not
107 * RTR0MemObjAllocPhysNC, this means that a page can only be allocated
108 * by the VM that locked it. We will make no attempt at implementing
109 * page sharing on these systems, just do enough to make it all work.
110 *
111 *
112 * @subsection sub_gmm_locking Serializing
113 *
114 * One simple fast mutex will be employed in the initial implementation, not
115 * two as metioned in @ref subsec_pgmPhys_Serializing.
116 *
117 * @see subsec_pgmPhys_Serializing
118 *
119 *
120 * @section sec_gmm_overcommit Memory Over-Commitment Management
121 *
122 * The GVM will have to do the system wide memory over-commitment
123 * management. My current ideas are:
124 * - Per VM oc policy that indicates how much to initially commit
125 * to it and what to do in a out-of-memory situation.
126 * - Prevent overtaxing the host.
127 *
128 * There are some challenges here, the main ones are configurability and
129 * security. Should we for instance permit anyone to request 100% memory
130 * commitment? Who should be allowed to do runtime adjustments of the
131 * config. And how to prevent these settings from being lost when the last
132 * VM process exits? The solution is probably to have an optional root
133 * daemon the will keep VMMR0.r0 in memory and enable the security measures.
134 *
135 * This will not be implemented this week. :-)
136 *
137 */
138
139
140/*******************************************************************************
141* Header Files *
142*******************************************************************************/
143#define LOG_GROUP LOG_GROUP_GMM
144#include <VBox/gmm.h>
145#include "GMMR0Internal.h"
146#include <VBox/gvm.h>
147#include <VBox/log.h>
148#include <VBox/param.h>
149#include <VBox/err.h>
150#include <iprt/avl.h>
151#include <iprt/mem.h>
152#include <iprt/memobj.h>
153#include <iprt/semaphore.h>
154#include <iprt/string.h>
155
156
157/*******************************************************************************
158* Structures and Typedefs *
159*******************************************************************************/
160/** Pointer to set of free chunks. */
161typedef struct GMMCHUNKFREESET *PGMMCHUNKFREESET;
162
163/** Pointer to a GMM allocation chunk. */
164typedef struct GMMCHUNK *PGMMCHUNK;
165
166/**
167 * The per-page tracking structure employed by the GMM.
168 *
169 * On 32-bit hosts we'll some trickery is necessary to compress all
170 * the information into 32-bits. When the fSharedFree member is set,
171 * the 30th bit decides whether it's a free page or not.
172 *
173 * Because of the different layout on 32-bit and 64-bit hosts, macros
174 * are used to get and set some of the data.
175 */
176typedef union GMMPAGE
177{
178#if HC_ARCH_BITS == 64
179 /** Unsigned integer view. */
180 uint64_t u;
181
182 /** The common view. */
183 struct GMMPAGECOMMON
184 {
185 uint32_t uStuff1 : 32;
186 uint32_t uStuff2 : 20;
187 /** The page state. */
188 uint32_t u2State : 2;
189 } Common;
190
191 /** The view of a private page. */
192 struct GMMPAGEPRIVATE
193 {
194 /** The guest page frame number. (Max addressable: 2 ^ 44 - 16) */
195 uint32_t pfn;
196 /** The GVM handle. (64K VMs) */
197 uint32_t hGVM : 16;
198 /** Reserved. */
199 uint32_t u16Reserved : 14;
200 /** The page state. */
201 uint32_t u2State : 2;
202 } Private;
203
204 /** The view of a shared page. */
205 struct GMMPAGESHARED
206 {
207 /** The reference count. */
208 uint32_t cRefs;
209 /** Reserved. Checksum or something? Two hGVMs for forking? */
210 uint32_t u30Reserved : 30;
211 /** The page state. */
212 uint32_t u2State : 2;
213 } Shared;
214
215 /** The view of a free page. */
216 struct GMMPAGEFREE
217 {
218 /** The index of the next page in the free list. */
219 uint32_t iNext;
220 /** Reserved. Checksum or something? */
221 uint32_t u30Reserved : 30;
222 /** The page state. */
223 uint32_t u2State : 2;
224 } Free;
225
226#else /* 32-bit */
227 /** Unsigned integer view. */
228 uint32_t u;
229
230 /** The common view. */
231 struct GMMPAGECOMMON
232 {
233 uint32_t uStuff : 30;
234 /** The page state. */
235 uint32_t u2State : 2;
236 } Common;
237
238 /** The view of a private page. */
239 struct GMMPAGEPRIVATE
240 {
241 /** The guest page frame number. (Max addressable: 2 ^ 36) */
242 uint32_t pfn : 24;
243 /** The GVM handle. (127 VMs) */
244 uint32_t hGVM : 7;
245 /** The top page state bit, MBZ. */
246 uint32_t fZero : 1;
247 } Private;
248
249 /** The view of a shared page. */
250 struct GMMPAGESHARED
251 {
252 /** The reference count. */
253 uint32_t cRefs : 30;
254 /** The page state. */
255 uint32_t u2State : 2;
256 } Shared;
257
258 /** The view of a free page. */
259 struct GMMPAGEFREE
260 {
261 /** The index of the next page in the free list. */
262 uint32_t iNext : 30;
263 /** The page state. */
264 uint32_t u2State : 2;
265 } Free;
266#endif
267} GMMPAGE;
268/** Pointer to a GMMPAGE. */
269typedef GMMPAGE *PGMMPAGE;
270
271
272/** @name The Page States.
273 * @{ */
274/** A private page. */
275#define GMM_PAGE_STATE_PRIVATE 0
276/** A private page - alternative value used on the 32-bit implemenation.
277 * This will never be used on 64-bit hosts. */
278#define GMM_PAGE_STATE_PRIVATE_32 1
279/** A shared page. */
280#define GMM_PAGE_STATE_SHARED 2
281/** A free page. */
282#define GMM_PAGE_STATE_FREE 3
283/** @} */
284
285
286/** @def GMM_PAGE_IS_PRIVATE
287 *
288 * @returns true if free, false if not.
289 * @param pPage The GMM page.
290 */
291#if HC_ARCH_BITS == 64
292# define GMM_PAGE_IS_PRIVATE(pPage) ( (pPage)->Common.u2State == GMM_PAGE_STATE_PRIVATE )
293#else
294# define GMM_PAGE_IS_PRIVATE(pPage) ( (pPage)->Private.fZero == 0 )
295#endif
296
297/** @def GMM_PAGE_IS_FREE
298 *
299 * @returns true if free, false if not.
300 * @param pPage The GMM page.
301 */
302#define GMM_PAGE_IS_SHARED(pPage) ( (pPage)->Common.u2State == GMM_PAGE_STATE_SHARED )
303
304/** @def GMM_PAGE_IS_FREE
305 *
306 * @returns true if free, false if not.
307 * @param pPage The GMM page.
308 */
309#define GMM_PAGE_IS_FREE(pPage) ( (pPage)->Common.u2State == GMM_PAGE_STATE_FREE )
310
311/** @def GMM_PAGE_PFN_END
312 * The end of the the valid guest pfn range, {0..GMM_PAGE_PFN_END-1}.
313 * @remark Some of the values outside the range has special meaning, see related \#defines.
314 */
315#if HC_ARCH_BITS == 64
316# define GMM_PAGE_PFN_END UINT32_C(0xfffffff0)
317#else
318# define GMM_PAGE_PFN_END UINT32_C(0x00fffff0)
319#endif
320
321/** @def GMM_PAGE_PFN_UNSHAREABLE
322 * Indicates that this page isn't used for normal guest memory and thus isn't shareable.
323 */
324#if HC_ARCH_BITS == 64
325# define GMM_PAGE_PFN_UNSHAREABLE UINT32_C(0xfffffff1)
326#else
327# define GMM_PAGE_PFN_UNSHAREABLE UINT32_C(0x00fffff1)
328#endif
329
330/** @def GMM_GCPHYS_END
331 * The end of the valid guest physical address as it applies to GMM pages.
332 *
333 * This must reflect the constraints imposed by the RTGCPHYS type and
334 * the guest page frame number used internally in GMMPAGE. */
335#define GMM_GCPHYS_END UINT32_C(0xfffff000)
336
337
338/**
339 * A GMM allocation chunk ring-3 mapping record.
340 *
341 * This should really be associated with a session and not a VM, but
342 * it's simpler to associated with a VM and cleanup with the VM object
343 * is destroyed.
344 */
345typedef struct GMMCHUNKMAP
346{
347 /** The mapping object. */
348 RTR0MEMOBJ MapObj;
349 /** The VM owning the mapping. */
350 PGVM pGVM;
351} GMMCHUNKMAP;
352/** Pointer to a GMM allocation chunk mapping. */
353typedef struct GMMCHUNKMAP *PGMMCHUNKMAP;
354
355
356/**
357 * A GMM allocation chunk.
358 */
359typedef struct GMMCHUNK
360{
361 /** The AVL node core.
362 * The Key is the chunk ID. */
363 AVLU32NODECORE Core;
364 /** The memory object.
365 * Either from RTR0MemObjAllocPhysNC or RTR0MemObjLockUser depending on
366 * what the host can dish up with. */
367 RTR0MEMOBJ MemObj;
368 /** Pointer to the next chunk in the free list. */
369 PGMMCHUNK pFreeNext;
370 /** Pointer to the previous chunk in the free list. */
371 PGMMCHUNK pFreePrev;
372 /** Pointer to the free set this chunk belongs to. NULL for
373 * chunks with no free pages. */
374 PGMMCHUNKFREESET pSet;
375 /** Pointer to an array of mappings. */
376 PGMMCHUNKMAP paMappings;
377 /** The number of mappings. */
378 uint16_t cMappings;
379 /** The head of the list of free pages. UINT16_MAX is the NIL value. */
380 uint16_t iFreeHead;
381 /** The number of free pages. */
382 uint16_t cFree;
383 /** The GVM handle of the VM that first allocated pages from this chunk, this
384 * is used as a preference when there are several chunks to choose from.
385 * When in legacy mode this isn't a preference any longer. */
386 uint16_t hGVM;
387 /** The number of private pages. */
388 uint16_t cPrivate;
389 /** The number of shared pages. */
390 uint16_t cShared;
391#if HC_ARCH_BITS == 64
392 /** Reserved for later. */
393 uint16_t au16Reserved[2];
394#endif
395 /** The pages. */
396 GMMPAGE aPages[GMM_CHUNK_SIZE >> PAGE_SHIFT];
397} GMMCHUNK;
398
399
400/**
401 * An allocation chunk TLB entry.
402 */
403typedef struct GMMCHUNKTLBE
404{
405 /** The chunk id. */
406 uint32_t idChunk;
407 /** Pointer to the chunk. */
408 PGMMCHUNK pChunk;
409} GMMCHUNKTLBE;
410/** Pointer to an allocation chunk TLB entry. */
411typedef GMMCHUNKTLBE *PGMMCHUNKTLBE;
412
413
414/** The number of entries tin the allocation chunk TLB. */
415#define GMM_CHUNKTLB_ENTRIES 32
416/** Gets the TLB entry index for the given Chunk ID. */
417#define GMM_CHUNKTLB_IDX(idChunk) ( (idChunk) & (GMM_CHUNKTLB_ENTRIES - 1) )
418
419/**
420 * An allocation chunk TLB.
421 */
422typedef struct GMMCHUNKTLB
423{
424 /** The TLB entries. */
425 GMMCHUNKTLBE aEntries[GMM_CHUNKTLB_ENTRIES];
426} GMMCHUNKTLB;
427/** Pointer to an allocation chunk TLB. */
428typedef GMMCHUNKTLB *PGMMCHUNKTLB;
429
430
431/** The number of lists in set. */
432#define GMM_CHUNK_FREE_SET_LISTS 16
433/** The GMMCHUNK::cFree shift count. */
434#define GMM_CHUNK_FREE_SET_SHIFT 4
435/** The GMMCHUNK::cFree mask for use when considering relinking a chunk. */
436#define GMM_CHUNK_FREE_SET_MASK 15
437
438/**
439 * A set of free chunks.
440 */
441typedef struct GMMCHUNKFREESET
442{
443 /** The number of free pages in the set. */
444 uint64_t cPages;
445 /** */
446 PGMMCHUNK apLists[GMM_CHUNK_FREE_SET_LISTS];
447} GMMCHUNKFREESET;
448
449
450/**
451 * The GMM instance data.
452 */
453typedef struct GMM
454{
455 /** Magic / eye catcher. GMM_MAGIC */
456 uint32_t u32Magic;
457 /** The fast mutex protecting the GMM.
458 * More fine grained locking can be implemented later if necessary. */
459 RTSEMFASTMUTEX Mtx;
460 /** The chunk tree. */
461 PAVLU32NODECORE pChunks;
462 /** The chunk TLB. */
463 GMMCHUNKTLB ChunkTLB;
464 /** The private free set. */
465 GMMCHUNKFREESET Private;
466 /** The shared free set. */
467 GMMCHUNKFREESET Shared;
468
469 /** The maximum number of pages we're allowed to allocate.
470 * @gcfgm 64-bit GMM/MaxPages Direct.
471 * @gcfgm 32-bit GMM/PctPages Relative to the number of host pages. */
472 uint64_t cMaxPages;
473 /** The number of pages that has been reserved.
474 * The deal is that cReservedPages - cOverCommittedPages <= cMaxPages. */
475 uint64_t cReservedPages;
476 /** The number of pages that we have over-committed in reservations. */
477 uint64_t cOverCommittedPages;
478 /** The number of actually allocated (committed if you like) pages. */
479 uint64_t cAllocatedPages;
480 /** The number of pages that are shared. A subset of cAllocatedPages. */
481 uint64_t cSharedPages;
482 /** The number of pages that are shared that has been left behind by
483 * VMs not doing proper cleanups. */
484 uint64_t cLeftBehindSharedPages;
485 /** The number of allocation chunks.
486 * (The number of pages we've allocated from the host can be derived from this.) */
487 uint32_t cChunks;
488 /** The number of current ballooned pages. */
489 uint64_t cBalloonedPages;
490
491 /** The legacy mode indicator.
492 * This is determined at initialization time. */
493 bool fLegacyMode;
494 /** The number of registered VMs. */
495 uint16_t cRegisteredVMs;
496
497 /** The previous allocated Chunk ID.
498 * Used as a hint to avoid scanning the whole bitmap. */
499 uint32_t idChunkPrev;
500 /** Chunk ID allocation bitmap.
501 * Bits of allocated IDs are set, free ones are cleared.
502 * The NIL id (0) is marked allocated. */
503 uint32_t bmChunkId[(GMM_CHUNKID_LAST + 32) >> 10];
504} GMM;
505/** Pointer to the GMM instance. */
506typedef GMM *PGMM;
507
508/** The value of GMM::u32Magic (Katsuhiro Otomo). */
509#define GMM_MAGIC 0x19540414
510
511
512/*******************************************************************************
513* Global Variables *
514*******************************************************************************/
515/** Pointer to the GMM instance data. */
516static PGMM g_pGMM = NULL;
517
518/** Macro for obtaining and validating the g_pGMM pointer.
519 * On failure it will return from the invoking function with the specified return value.
520 *
521 * @param pGMM The name of the pGMM variable.
522 * @param rc The return value on failure. Use VERR_INTERNAL_ERROR for
523 * VBox status codes.
524 */
525#define GMM_GET_VALID_INSTANCE(pGMM, rc) \
526 do { \
527 (pGMM) = g_pGMM; \
528 AssertPtrReturn((pGMM), (rc)); \
529 AssertMsgReturn((pGMM)->u32Magic == GMM_MAGIC, ("%p - %#x\n", (pGMM), (pGMM)->u32Magic), (rc)); \
530 } while (0)
531
532/** Macro for obtaining and validating the g_pGMM pointer, void function variant.
533 * On failure it will return from the invoking function.
534 *
535 * @param pGMM The name of the pGMM variable.
536 */
537#define GMM_GET_VALID_INSTANCE_VOID(pGMM) \
538 do { \
539 (pGMM) = g_pGMM; \
540 AssertPtrReturnVoid((pGMM)); \
541 AssertMsgReturnVoid((pGMM)->u32Magic == GMM_MAGIC, ("%p - %#x\n", (pGMM), (pGMM)->u32Magic)); \
542 } while (0)
543
544
545/*******************************************************************************
546* Internal Functions *
547*******************************************************************************/
548static DECLCALLBACK(int) gmmR0TermDestroyChunk(PAVLU32NODECORE pNode, void *pvGMM);
549static DECLCALLBACK(int) gmmR0CleanupVMScanChunk(PAVLU32NODECORE pNode, void *pvGMM);
550/*static*/ DECLCALLBACK(int) gmmR0CleanupVMDestroyChunk(PAVLU32NODECORE pNode, void *pvGVM);
551DECLINLINE(void) gmmR0LinkChunk(PGMMCHUNK pChunk, PGMMCHUNKFREESET pSet);
552DECLINLINE(void) gmmR0UnlinkChunk(PGMMCHUNK pChunk);
553static void gmmR0FreeChunk(PGMM pGMM, PGMMCHUNK pChunk);
554static void gmmR0FreeSharedPage(PGMM pGMM, uint32_t idPage, PGMMPAGE pPage);
555
556
557
558/**
559 * Initializes the GMM component.
560 *
561 * This is called when the VMMR0.r0 module is loaded and protected by the
562 * loader semaphore.
563 *
564 * @returns VBox status code.
565 */
566GMMR0DECL(int) GMMR0Init(void)
567{
568 LogFlow(("GMMInit:\n"));
569
570 /*
571 * Allocate the instance data and the lock(s).
572 */
573 PGMM pGMM = (PGMM)RTMemAllocZ(sizeof(*pGMM));
574 if (!pGMM)
575 return VERR_NO_MEMORY;
576 pGMM->u32Magic = GMM_MAGIC;
577 for (unsigned i = 0; i < RT_ELEMENTS(pGMM->ChunkTLB.aEntries); i++)
578 pGMM->ChunkTLB.aEntries[i].idChunk = NIL_GMM_CHUNKID;
579 ASMBitSet(&pGMM->bmChunkId[0], NIL_GMM_CHUNKID);
580
581 int rc = RTSemFastMutexCreate(&pGMM->Mtx);
582 if (RT_SUCCESS(rc))
583 {
584 /*
585 * Check and see if RTR0MemObjAllocPhysNC works.
586 */
587 RTR0MEMOBJ MemObj;
588 rc = RTR0MemObjAllocPhysNC(&MemObj, _64K, NIL_RTHCPHYS);
589 if (RT_SUCCESS(rc))
590 {
591 rc = RTR0MemObjFree(MemObj, true);
592 AssertRC(rc);
593 }
594 else if (rc == VERR_NOT_SUPPORTED)
595 pGMM->fLegacyMode = true;
596 else
597 SUPR0Printf("GMMR0Init: RTR0MemObjAllocPhysNC(,64K,Any) -> %d!\n", rc);
598
599 g_pGMM = pGMM;
600 LogFlow(("GMMInit: pGMM=%p fLegacy=%RTbool\n", pGMM, pGMM->fLegacyMode));
601 return VINF_SUCCESS;
602 }
603
604 RTMemFree(pGMM);
605 SUPR0Printf("GMMR0Init: failed! rc=%d\n", rc);
606 return rc;
607}
608
609
610/**
611 * Terminates the GMM component.
612 */
613GMMR0DECL(void) GMMR0Term(void)
614{
615 LogFlow(("GMMTerm:\n"));
616
617 /*
618 * Take care / be paranoid...
619 */
620 PGMM pGMM = g_pGMM;
621 if (!VALID_PTR(pGMM))
622 return;
623 if (pGMM->u32Magic != GMM_MAGIC)
624 {
625 SUPR0Printf("GMMR0Term: u32Magic=%#x\n", pGMM->u32Magic);
626 return;
627 }
628
629 /*
630 * Undo what init did and free any resources we've acquired.
631 */
632 /* Destroy the fundamentals. */
633 g_pGMM = NULL;
634 pGMM->u32Magic++;
635 RTSemFastMutexDestroy(pGMM->Mtx);
636 pGMM->Mtx = NIL_RTSEMFASTMUTEX;
637
638 /* free any chunks still hanging around. */
639 RTAvlU32Destroy(&pGMM->pChunks, gmmR0TermDestroyChunk, pGMM);
640
641 /* finally the instance data itself. */
642 RTMemFree(pGMM);
643 LogFlow(("GMMTerm: done\n"));
644}
645
646
647/**
648 * RTAvlU32Destroy callback.
649 *
650 * @returns 0
651 * @param pNode The node to destroy.
652 * @param pvGMM The GMM handle.
653 */
654static DECLCALLBACK(int) gmmR0TermDestroyChunk(PAVLU32NODECORE pNode, void *pvGMM)
655{
656 PGMMCHUNK pChunk = (PGMMCHUNK)pNode;
657
658 if (pChunk->cFree != (GMM_CHUNK_SIZE >> PAGE_SHIFT))
659 SUPR0Printf("GMMR0Term: %p/%#x: cFree=%d cPrivate=%d cShared=%d cMappings=%d\n", pChunk,
660 pChunk->Core.Key, pChunk->cFree, pChunk->cPrivate, pChunk->cShared, pChunk->cMappings);
661
662 int rc = RTR0MemObjFree(pChunk->MemObj, true /* fFreeMappings */);
663 if (RT_FAILURE(rc))
664 {
665 SUPR0Printf("GMMR0Term: %p/%#x: RTRMemObjFree(%p,true) -> %d (cMappings=%d)\n", pChunk,
666 pChunk->Core.Key, pChunk->MemObj, rc, pChunk->cMappings);
667 AssertRC(rc);
668 }
669 pChunk->MemObj = NIL_RTR0MEMOBJ;
670
671 RTMemFree(pChunk->paMappings);
672 pChunk->paMappings = NULL;
673
674 RTMemFree(pChunk);
675 NOREF(pvGMM);
676 return 0;
677}
678
679
680/**
681 * Initializes the per-VM data for the GMM.
682 *
683 * This is called from within the GVMM lock (from GVMMR0CreateVM)
684 * and should only initialize the data members so GMMR0CleanupVM
685 * can deal with them. We reserve no memory or anything here,
686 * that's done later in GMMR0InitVM.
687 *
688 * @param pGVM Pointer to the Global VM structure.
689 */
690GMMR0DECL(void) GMMR0InitPerVMData(PGVM pGVM)
691{
692 AssertCompile(RT_SIZEOFMEMB(GVM,gmm.s) <= RT_SIZEOFMEMB(GVM,gmm.padding));
693 AssertRelease(RT_SIZEOFMEMB(GVM,gmm.s) <= RT_SIZEOFMEMB(GVM,gmm.padding));
694
695 pGVM->gmm.s.enmPolicy = GMMOCPOLICY_INVALID;
696 pGVM->gmm.s.enmPriority = GMMPRIORITY_INVALID;
697 pGVM->gmm.s.fMayAllocate = false;
698}
699
700
701/**
702 * Cleans up when a VM is terminating.
703 *
704 * @param pGVM Pointer to the Global VM structure.
705 */
706GMMR0DECL(void) GMMR0CleanupVM(PGVM pGVM)
707{
708 LogFlow(("GMMR0CleanupVM: pGVM=%p:{.pVM=%p, .hSelf=%#x}\n", pGVM, pGVM->pVM, pGVM->hSelf));
709
710 PGMM pGMM;
711 GMM_GET_VALID_INSTANCE_VOID(pGMM);
712
713 int rc = RTSemFastMutexRequest(pGMM->Mtx);
714 AssertRC(rc);
715
716 /*
717 * The policy is 'INVALID' until the initial reservation
718 * request has been serviced.
719 */
720 if ( pGVM->gmm.s.enmPolicy > GMMOCPOLICY_INVALID
721 || pGVM->gmm.s.enmPolicy < GMMOCPOLICY_END)
722 {
723 /*
724 * If it's the last VM around, we can skip walking all the chunk looking
725 * for the pages owned by this VM and instead flush the whole shebang.
726 *
727 * This takes care of the eventuality that a VM has left shared page
728 * references behind (shouldn't happen of course, but you never know).
729 */
730 Assert(pGMM->cRegisteredVMs);
731 pGMM->cRegisteredVMs--;
732#if 0 /* disabled so it won't hide bugs. */
733 if (!pGMM->cRegisteredVMs)
734 {
735 RTAvlU32Destroy(&pGMM->pChunks, gmmR0CleanupVMDestroyChunk, pGMM);
736
737 for (unsigned i = 0; i < RT_ELEMENTS(pGMM->ChunkTLB.aEntries); i++)
738 {
739 pGMM->ChunkTLB.aEntries[i].idChunk = NIL_GMM_CHUNKID;
740 pGMM->ChunkTLB.aEntries[i].pChunk = NULL;
741 }
742
743 memset(&pGMM->Private, 0, sizeof(pGMM->Private));
744 memset(&pGMM->Shared, 0, sizeof(pGMM->Shared));
745
746 memset(&pGMM->bmChunkId[0], 0, sizeof(pGMM->bmChunkId));
747 ASMBitSet(&pGMM->bmChunkId[0], NIL_GMM_CHUNKID);
748
749 pGMM->cReservedPages = 0;
750 pGMM->cOverCommittedPages = 0;
751 pGMM->cAllocatedPages = 0;
752 pGMM->cSharedPages = 0;
753 pGMM->cLeftBehindSharedPages = 0;
754 pGMM->cChunks = 0;
755 pGMM->cBalloonedPages = 0;
756 }
757 else
758#endif
759 {
760 /*
761 * Walk the entire pool looking for pages that belongs to this VM
762 * and left over mappings. (This'll only catch private pages, shared
763 * pages will be 'left behind'.)
764 */
765 uint64_t cPrivatePages = pGVM->gmm.s.cPrivatePages; /* save */
766 RTAvlU32DoWithAll(&pGMM->pChunks, true /* fFromLeft */, gmmR0CleanupVMScanChunk, pGVM);
767 if (pGVM->gmm.s.cPrivatePages)
768 SUPR0Printf("GMMR0CleanupVM: hGVM=%#x has %#x private pages that cannot be found!\n", pGVM->hSelf, pGVM->gmm.s.cPrivatePages);
769 pGMM->cAllocatedPages -= cPrivatePages;
770
771 /* free empty chunks. */
772 if (cPrivatePages)
773 {
774 PGMMCHUNK pCur = pGMM->Private.apLists[RT_ELEMENTS(pGMM->Private.apLists) - 1];
775 while (pCur)
776 {
777 PGMMCHUNK pNext = pCur->pFreeNext;
778 if ( pCur->cFree == GMM_CHUNK_NUM_PAGES
779 && (!pGMM->fLegacyMode || pCur->hGVM == pGVM->hSelf))
780 gmmR0FreeChunk(pGMM, pCur);
781 pCur = pNext;
782 }
783 }
784
785 /* account for shared pages that weren't freed. */
786 if (pGVM->gmm.s.cSharedPages)
787 {
788 Assert(pGMM->cSharedPages >= pGVM->gmm.s.cSharedPages);
789 SUPR0Printf("GMMR0CleanupVM: hGVM=%#x left %#x shared pages behind!\n", pGVM->hSelf, pGVM->gmm.s.cSharedPages);
790 pGMM->cLeftBehindSharedPages += pGVM->gmm.s.cSharedPages;
791 }
792
793 /*
794 * Update the over-commitment management statistics.
795 */
796 pGMM->cReservedPages -= pGVM->gmm.s.Reserved.cBasePages
797 + pGVM->gmm.s.Reserved.cFixedPages
798 + pGVM->gmm.s.Reserved.cShadowPages;
799 switch (pGVM->gmm.s.enmPolicy)
800 {
801 case GMMOCPOLICY_NO_OC:
802 break;
803 default:
804 /** @todo Update GMM->cOverCommittedPages */
805 break;
806 }
807 }
808 }
809
810 /* zap the GVM data. */
811 pGVM->gmm.s.enmPolicy = GMMOCPOLICY_INVALID;
812 pGVM->gmm.s.enmPriority = GMMPRIORITY_INVALID;
813 pGVM->gmm.s.fMayAllocate = false;
814
815 RTSemFastMutexRelease(pGMM->Mtx);
816
817 LogFlow(("GMMR0CleanupVM: returns\n"));
818}
819
820
821/**
822 * RTAvlU32DoWithAll callback.
823 *
824 * @returns 0
825 * @param pNode The node to search.
826 * @param pvGVM Pointer to the shared VM structure.
827 */
828static DECLCALLBACK(int) gmmR0CleanupVMScanChunk(PAVLU32NODECORE pNode, void *pvGVM)
829{
830 PGMMCHUNK pChunk = (PGMMCHUNK)pNode;
831 PGVM pGVM = (PGVM)pvGVM;
832
833 /*
834 * Look for pages belonging to the VM.
835 * (Perform some internal checks while we're scanning.)
836 */
837#ifndef VBOX_STRICT
838 if (pChunk->cFree != (GMM_CHUNK_SIZE >> PAGE_SHIFT))
839#endif
840 {
841 unsigned cPrivate = 0;
842 unsigned cShared = 0;
843 unsigned cFree = 0;
844
845 uint16_t hGVM = pGVM->hSelf;
846 unsigned iPage = (GMM_CHUNK_SIZE >> PAGE_SHIFT);
847 while (iPage-- > 0)
848 if (GMM_PAGE_IS_PRIVATE(&pChunk->aPages[iPage]))
849 {
850 if (pChunk->aPages[iPage].Private.hGVM == hGVM)
851 {
852 /*
853 * Free the page.
854 *
855 * The reason for not using gmmR0FreePrivatePage here is that we
856 * must *not* cause the chunk to be freed from under us - we're in
857 * a AVL tree walk here.
858 */
859 pChunk->aPages[iPage].u = 0;
860 pChunk->aPages[iPage].Free.iNext = pChunk->iFreeHead;
861 pChunk->aPages[iPage].Free.u2State = GMM_PAGE_STATE_FREE;
862 pChunk->iFreeHead = iPage;
863 pChunk->cPrivate--;
864 if ((pChunk->cFree & GMM_CHUNK_FREE_SET_MASK) == 0)
865 {
866 gmmR0UnlinkChunk(pChunk);
867 pChunk->cFree++;
868 gmmR0LinkChunk(pChunk, pChunk->cShared ? &g_pGMM->Shared : &g_pGMM->Private);
869 }
870 else
871 pChunk->cFree++;
872 pGVM->gmm.s.cPrivatePages--;
873 cFree++;
874 }
875 else
876 cPrivate++;
877 }
878 else if (GMM_PAGE_IS_FREE(&pChunk->aPages[iPage]))
879 cFree++;
880 else
881 cShared++;
882
883 /*
884 * Did it add up?
885 */
886 if (RT_UNLIKELY( pChunk->cFree != cFree
887 || pChunk->cPrivate != cPrivate
888 || pChunk->cShared != cShared))
889 {
890 SUPR0Printf("gmmR0CleanupVMScanChunk: Chunk %p/%#x has bogus stats - free=%d/%d private=%d/%d shared=%d/%d\n",
891 pChunk->cFree, cFree, pChunk->cPrivate, cPrivate, pChunk->cShared, cShared);
892 pChunk->cFree = cFree;
893 pChunk->cPrivate = cPrivate;
894 pChunk->cShared = cShared;
895 }
896 }
897
898 /*
899 * Look for the mapping belonging to the terminating VM.
900 */
901 for (unsigned i = 0; i < pChunk->cMappings; i++)
902 if (pChunk->paMappings[i].pGVM == pGVM)
903 {
904 RTR0MEMOBJ MemObj = pChunk->paMappings[i].MapObj;
905
906 pChunk->cMappings--;
907 if (i < pChunk->cMappings)
908 pChunk->paMappings[i] = pChunk->paMappings[pChunk->cMappings];
909 pChunk->paMappings[pChunk->cMappings].pGVM = NULL;
910 pChunk->paMappings[pChunk->cMappings].MapObj = NIL_RTR0MEMOBJ;
911
912 int rc = RTR0MemObjFree(MemObj, false /* fFreeMappings (NA) */);
913 if (RT_FAILURE(rc))
914 {
915 SUPR0Printf("gmmR0CleanupVMScanChunk: %p/%#x: mapping #%x: RTRMemObjFree(%p,false) -> %d \n",
916 pChunk, pChunk->Core.Key, i, MemObj, rc);
917 AssertRC(rc);
918 }
919 break;
920 }
921
922 /*
923 * If not in legacy mode, we should reset the hGVM field
924 * if it has our handle in it.
925 */
926 if (pChunk->hGVM == pGVM->hSelf)
927 {
928 if (!g_pGMM->fLegacyMode)
929 pChunk->hGVM = NIL_GVM_HANDLE;
930 else if (pChunk->cFree != GMM_CHUNK_NUM_PAGES)
931 {
932 SUPR0Printf("gmmR0CleanupVMScanChunk: %p/%#x: cFree=%#x - it should be 0 in legacy mode!\n",
933 pChunk, pChunk->Core.Key, pChunk->cFree);
934 AssertMsgFailed(("%p/%#x: cFree=%#x - it should be 0 in legacy mode!\n", pChunk, pChunk->Core.Key, pChunk->cFree));
935
936 gmmR0UnlinkChunk(pChunk);
937 pChunk->cFree = GMM_CHUNK_NUM_PAGES;
938 gmmR0LinkChunk(pChunk, pChunk->cShared ? &g_pGMM->Shared : &g_pGMM->Private);
939 }
940 }
941
942 return 0;
943}
944
945
946/**
947 * RTAvlU32Destroy callback for GMMR0CleanupVM.
948 *
949 * @returns 0
950 * @param pNode The node (allocation chunk) to destroy.
951 * @param pvGVM Pointer to the shared VM structure.
952 */
953/*static*/ DECLCALLBACK(int) gmmR0CleanupVMDestroyChunk(PAVLU32NODECORE pNode, void *pvGVM)
954{
955 PGMMCHUNK pChunk = (PGMMCHUNK)pNode;
956 PGVM pGVM = (PGVM)pvGVM;
957
958 for (unsigned i = 0; i < pChunk->cMappings; i++)
959 {
960 if (pChunk->paMappings[i].pGVM != pGVM)
961 SUPR0Printf("gmmR0CleanupVMDestroyChunk: %p/%#x: mapping #%x: pGVM=%p exepcted %p\n", pChunk,
962 pChunk->Core.Key, i, pChunk->paMappings[i].pGVM, pGVM);
963 int rc = RTR0MemObjFree(pChunk->paMappings[i].MapObj, false /* fFreeMappings (NA) */);
964 if (RT_FAILURE(rc))
965 {
966 SUPR0Printf("gmmR0CleanupVMDestroyChunk: %p/%#x: mapping #%x: RTRMemObjFree(%p,false) -> %d \n", pChunk,
967 pChunk->Core.Key, i, pChunk->paMappings[i].MapObj, rc);
968 AssertRC(rc);
969 }
970 }
971
972 int rc = RTR0MemObjFree(pChunk->MemObj, true /* fFreeMappings */);
973 if (RT_FAILURE(rc))
974 {
975 SUPR0Printf("gmmR0CleanupVMDestroyChunk: %p/%#x: RTRMemObjFree(%p,true) -> %d (cMappings=%d)\n", pChunk,
976 pChunk->Core.Key, pChunk->MemObj, rc, pChunk->cMappings);
977 AssertRC(rc);
978 }
979 pChunk->MemObj = NIL_RTR0MEMOBJ;
980
981 RTMemFree(pChunk->paMappings);
982 pChunk->paMappings = NULL;
983
984 RTMemFree(pChunk);
985 return 0;
986}
987
988
989/**
990 * The initial resource reservations.
991 *
992 * This will make memory reservations according to policy and priority. If there isn't
993 * sufficient resources available to sustain the VM this function will fail and all
994 * future allocations requests will fail as well.
995 *
996 * These are just the initial reservations made very very early during the VM creation
997 * process and will be adjusted later in the GMMR0UpdateReservation call after the
998 * ring-3 init has completed.
999 *
1000 * @returns VBox status code.
1001 * @retval VERR_GMM_NOT_SUFFICENT_MEMORY
1002 * @retval VERR_GMM_
1003 *
1004 * @param pVM Pointer to the shared VM structure.
1005 * @param cBasePages The number of pages that may be allocated for the base RAM and ROMs.
1006 * This does not include MMIO2 and similar.
1007 * @param cShadowPages The number of pages that may be allocated for shadow pageing structures.
1008 * @param cFixedPages The number of pages that may be allocated for fixed objects like the
1009 * hyper heap, MMIO2 and similar.
1010 * @param enmPolicy The OC policy to use on this VM.
1011 * @param enmPriority The priority in an out-of-memory situation.
1012 *
1013 * @thread The creator thread / EMT.
1014 */
1015GMMR0DECL(int) GMMR0InitialReservation(PVM pVM, uint64_t cBasePages, uint32_t cShadowPages, uint32_t cFixedPages,
1016 GMMOCPOLICY enmPolicy, GMMPRIORITY enmPriority)
1017{
1018 LogFlow(("GMMR0InitialReservation: pVM=%p cBasePages=%#llx cShadowPages=%#x cFixedPages=%#x enmPolicy=%d enmPriority=%d\n",
1019 pVM, cBasePages, cShadowPages, cFixedPages, enmPolicy, enmPriority));
1020
1021 /*
1022 * Validate, get basics and take the semaphore.
1023 */
1024 PGMM pGMM;
1025 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
1026 PGVM pGVM = GVMMR0ByVM(pVM);
1027 if (!pGVM)
1028 return VERR_INVALID_PARAMETER;
1029 if (pGVM->hEMT != RTThreadNativeSelf())
1030 return VERR_NOT_OWNER;
1031
1032 AssertReturn(cBasePages, VERR_INVALID_PARAMETER);
1033 AssertReturn(cShadowPages, VERR_INVALID_PARAMETER);
1034 AssertReturn(cFixedPages, VERR_INVALID_PARAMETER);
1035 AssertReturn(enmPolicy > GMMOCPOLICY_INVALID && enmPolicy < GMMOCPOLICY_END, VERR_INVALID_PARAMETER);
1036 AssertReturn(enmPriority > GMMPRIORITY_INVALID && enmPriority < GMMPRIORITY_END, VERR_INVALID_PARAMETER);
1037
1038 int rc = RTSemFastMutexRequest(pGMM->Mtx);
1039 AssertRC(rc);
1040
1041 if ( !pGVM->gmm.s.Reserved.cBasePages
1042 && !pGVM->gmm.s.Reserved.cFixedPages
1043 && !pGVM->gmm.s.Reserved.cShadowPages)
1044 {
1045 /*
1046 * Check if we can accomodate this.
1047 */
1048 /* ... later ... */
1049 if (RT_SUCCESS(rc))
1050 {
1051 /*
1052 * Update the records.
1053 */
1054 pGVM->gmm.s.Reserved.cBasePages = cBasePages;
1055 pGVM->gmm.s.Reserved.cFixedPages = cFixedPages;
1056 pGVM->gmm.s.Reserved.cShadowPages = cShadowPages;
1057 pGVM->gmm.s.enmPolicy = enmPolicy;
1058 pGVM->gmm.s.enmPriority = enmPriority;
1059 pGVM->gmm.s.fMayAllocate = true;
1060
1061 pGMM->cReservedPages += cBasePages + cFixedPages + cShadowPages;
1062 pGMM->cRegisteredVMs++;
1063 }
1064 }
1065 else
1066 rc = VERR_WRONG_ORDER;
1067
1068 RTSemFastMutexRelease(pGMM->Mtx);
1069 LogFlow(("GMMR0InitialReservation: returns %Rrc\n", rc));
1070 return rc;
1071}
1072
1073
1074/**
1075 * VMMR0 request wrapper for GMMR0InitialReservation.
1076 *
1077 * @returns see GMMR0InitialReservation.
1078 * @param pVM Pointer to the shared VM structure.
1079 * @param pReq The request packet.
1080 */
1081GMMR0DECL(int) GMMR0InitialReservationReq(PVM pVM, PGMMINITIALRESERVATIONREQ pReq)
1082{
1083 /*
1084 * Validate input and pass it on.
1085 */
1086 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
1087 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
1088 AssertMsgReturn(pReq->Hdr.cbReq != sizeof(*pReq), ("%#x != %#x\n", pReq->Hdr.cbReq, sizeof(*pReq)), VERR_INVALID_PARAMETER);
1089
1090 return GMMR0InitialReservation(pVM, pReq->cBasePages, pReq->cShadowPages, pReq->cFixedPages, pReq->enmPolicy, pReq->enmPriority);
1091}
1092
1093
1094/**
1095 * This updates the memory reservation with the additional MMIO2 and ROM pages.
1096 *
1097 * @returns VBox status code.
1098 * @retval VERR_GMM_NOT_SUFFICENT_MEMORY
1099 *
1100 * @param pVM Pointer to the shared VM structure.
1101 * @param cBasePages The number of pages that may be allocated for the base RAM and ROMs.
1102 * This does not include MMIO2 and similar.
1103 * @param cShadowPages The number of pages that may be allocated for shadow pageing structures.
1104 * @param cFixedPages The number of pages that may be allocated for fixed objects like the
1105 * hyper heap, MMIO2 and similar.
1106 * @param enmPolicy The OC policy to use on this VM.
1107 * @param enmPriority The priority in an out-of-memory situation.
1108 *
1109 * @thread EMT.
1110 */
1111GMMR0DECL(int) GMMR0UpdateReservation(PVM pVM, uint64_t cBasePages, uint32_t cShadowPages, uint32_t cFixedPages)
1112{
1113 LogFlow(("GMMR0UpdateReservation: pVM=%p cBasePages=%#llx cShadowPages=%#x cFixedPages=%#x\n",
1114 pVM, cBasePages, cShadowPages, cFixedPages));
1115
1116 /*
1117 * Validate, get basics and take the semaphore.
1118 */
1119 PGMM pGMM;
1120 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
1121 PGVM pGVM = GVMMR0ByVM(pVM);
1122 if (!pGVM)
1123 return VERR_INVALID_PARAMETER;
1124 if (pGVM->hEMT != RTThreadNativeSelf())
1125 return VERR_NOT_OWNER;
1126
1127 AssertReturn(cBasePages, VERR_INVALID_PARAMETER);
1128 AssertReturn(cShadowPages, VERR_INVALID_PARAMETER);
1129 AssertReturn(cFixedPages, VERR_INVALID_PARAMETER);
1130
1131 int rc = RTSemFastMutexRequest(pGMM->Mtx);
1132 AssertRC(rc);
1133
1134 if ( pGVM->gmm.s.Reserved.cBasePages
1135 && pGVM->gmm.s.Reserved.cFixedPages
1136 && pGVM->gmm.s.Reserved.cShadowPages)
1137 {
1138 /*
1139 * Check if we can accomodate this.
1140 */
1141 /* ... later ... */
1142 if (RT_SUCCESS(rc))
1143 {
1144 /*
1145 * Update the records.
1146 */
1147 pGMM->cReservedPages -= pGVM->gmm.s.Reserved.cBasePages
1148 + pGVM->gmm.s.Reserved.cFixedPages
1149 + pGVM->gmm.s.Reserved.cShadowPages;
1150 pGMM->cReservedPages += cBasePages + cFixedPages + cShadowPages;
1151
1152 pGVM->gmm.s.Reserved.cBasePages = cBasePages;
1153 pGVM->gmm.s.Reserved.cFixedPages = cFixedPages;
1154 pGVM->gmm.s.Reserved.cShadowPages = cShadowPages;
1155 }
1156 }
1157 else
1158 rc = VERR_WRONG_ORDER;
1159
1160 RTSemFastMutexRelease(pGMM->Mtx);
1161 LogFlow(("GMMR0UpdateReservation: returns %Rrc\n", rc));
1162 return rc;
1163}
1164
1165
1166/**
1167 * VMMR0 request wrapper for GMMR0UpdateReservation.
1168 *
1169 * @returns see GMMR0UpdateReservation.
1170 * @param pVM Pointer to the shared VM structure.
1171 * @param pReq The request packet.
1172 */
1173GMMR0DECL(int) GMMR0UpdateReservationReq(PVM pVM, PGMMUPDATERESERVATIONREQ pReq)
1174{
1175 /*
1176 * Validate input and pass it on.
1177 */
1178 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
1179 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
1180 AssertMsgReturn(pReq->Hdr.cbReq != sizeof(*pReq), ("%#x != %#x\n", pReq->Hdr.cbReq, sizeof(*pReq)), VERR_INVALID_PARAMETER);
1181
1182 return GMMR0UpdateReservation(pVM, pReq->cBasePages, pReq->cShadowPages, pReq->cFixedPages);
1183}
1184
1185
1186/**
1187 * Looks up a chunk in the tree and fill in the TLB entry for it.
1188 *
1189 * This is not expected to fail and will bitch if it does.
1190 *
1191 * @returns Pointer to the allocation chunk, NULL if not found.
1192 * @param pGMM Pointer to the GMM instance.
1193 * @param idChunk The ID of the chunk to find.
1194 * @param pTlbe Pointer to the TLB entry.
1195 */
1196static PGMMCHUNK gmmR0GetChunkSlow(PGMM pGMM, uint32_t idChunk, PGMMCHUNKTLBE pTlbe)
1197{
1198 PGMMCHUNK pChunk = (PGMMCHUNK)RTAvlU32Get(&pGMM->pChunks, idChunk);
1199 AssertMsgReturn(pChunk, ("Chunk %#x not found!\n", idChunk), NULL);
1200 pTlbe->idChunk = idChunk;
1201 pTlbe->pChunk = pChunk;
1202 return pChunk;
1203}
1204
1205
1206/**
1207 * Finds a allocation chunk.
1208 *
1209 * This is not expected to fail and will bitch if it does.
1210 *
1211 * @returns Pointer to the allocation chunk, NULL if not found.
1212 * @param pGMM Pointer to the GMM instance.
1213 * @param idChunk The ID of the chunk to find.
1214 */
1215DECLINLINE(PGMMCHUNK) gmmR0GetChunk(PGMM pGMM, uint32_t idChunk)
1216{
1217 /*
1218 * Do a TLB lookup, branch if not in the TLB.
1219 */
1220 PGMMCHUNKTLBE pTlbe = &pGMM->ChunkTLB.aEntries[GMM_CHUNKTLB_IDX(idChunk)];
1221 if ( pTlbe->idChunk != idChunk
1222 || !pTlbe->pChunk)
1223 return gmmR0GetChunkSlow(pGMM, idChunk, pTlbe);
1224 return pTlbe->pChunk;
1225}
1226
1227
1228/**
1229 * Finds a page.
1230 *
1231 * This is not expected to fail and will bitch if it does.
1232 *
1233 * @returns Pointer to the page, NULL if not found.
1234 * @param pGMM Pointer to the GMM instance.
1235 * @param idPage The ID of the page to find.
1236 */
1237DECLINLINE(PGMMPAGE) gmmR0GetPage(PGMM pGMM, uint32_t idPage)
1238{
1239 PGMMCHUNK pChunk = gmmR0GetChunk(pGMM, idPage >> GMM_CHUNKID_SHIFT);
1240 if (RT_LIKELY(pChunk))
1241 return &pChunk->aPages[idPage & GMM_PAGEID_IDX_MASK];
1242 return NULL;
1243}
1244
1245
1246/**
1247 * Unlinks the chunk from the free list it's currently on (if any).
1248 *
1249 * @param pChunk The allocation chunk.
1250 */
1251DECLINLINE(void) gmmR0UnlinkChunk(PGMMCHUNK pChunk)
1252{
1253 PGMMCHUNKFREESET pSet = pChunk->pSet;
1254 if (RT_LIKELY(pSet))
1255 {
1256 pSet->cPages -= pChunk->cFree;
1257
1258 PGMMCHUNK pPrev = pChunk->pFreePrev;
1259 PGMMCHUNK pNext = pChunk->pFreeNext;
1260 if (pPrev)
1261 pPrev->pFreeNext = pNext;
1262 else
1263 pSet->apLists[(pChunk->cFree - 1) >> GMM_CHUNK_FREE_SET_SHIFT] = pNext;
1264 if (pNext)
1265 pNext->pFreePrev = pPrev;
1266
1267 pChunk->pSet = NULL;
1268 pChunk->pFreeNext = NULL;
1269 pChunk->pFreePrev = NULL;
1270 }
1271 else
1272 {
1273 Assert(!pChunk->pFreeNext);
1274 Assert(!pChunk->pFreePrev);
1275 Assert(!pChunk->cFree);
1276 }
1277}
1278
1279
1280/**
1281 * Links the chunk onto the appropriate free list in the specified free set.
1282 *
1283 * If no free entries, it's not linked into any list.
1284 *
1285 * @param pChunk The allocation chunk.
1286 * @param pSet The free set.
1287 */
1288DECLINLINE(void) gmmR0LinkChunk(PGMMCHUNK pChunk, PGMMCHUNKFREESET pSet)
1289{
1290 Assert(!pChunk->pSet);
1291 Assert(!pChunk->pFreeNext);
1292 Assert(!pChunk->pFreePrev);
1293
1294 if (pChunk->cFree > 0)
1295 {
1296 pChunk->pFreePrev = NULL;
1297 unsigned iList = (pChunk->cFree - 1) >> GMM_CHUNK_FREE_SET_SHIFT;
1298 pChunk->pFreeNext = pSet->apLists[iList];
1299 pSet->apLists[iList] = pChunk;
1300
1301 pSet->cPages += pChunk->cFree;
1302 }
1303}
1304
1305
1306/**
1307 * Frees a Chunk ID.
1308 *
1309 * @param pGMM Pointer to the GMM instance.
1310 * @param idChunk The Chunk ID to free.
1311 */
1312static void gmmR0FreeChunkId(PGMM pGMM, uint32_t idChunk)
1313{
1314 Assert(idChunk != NIL_GMM_CHUNKID);
1315 Assert(ASMBitTest(&pGMM->bmChunkId[0], idChunk));
1316 ASMAtomicBitClear(&pGMM->bmChunkId[0], idChunk);
1317}
1318
1319
1320/**
1321 * Allocates a new Chunk ID.
1322 *
1323 * @returns The Chunk ID.
1324 * @param pGMM Pointer to the GMM instance.
1325 */
1326static uint32_t gmmR0AllocateChunkId(PGMM pGMM)
1327{
1328 AssertCompile(!((GMM_CHUNKID_LAST + 1) & 31)); /* must be a multiple of 32 */
1329 AssertCompile(NIL_GMM_CHUNKID == 0);
1330
1331 /*
1332 * Try the next sequential one.
1333 */
1334 int32_t idChunk = ++pGMM->idChunkPrev;
1335#if 0 /* test the fallback first */
1336 if ( idChunk <= GMM_CHUNKID_LAST
1337 && idChunk > NIL_GMM_CHUNKID
1338 && !ASMAtomicBitTestAndSet(&pVMM->bmChunkId[0], idChunk))
1339 return idChunk;
1340#endif
1341
1342 /*
1343 * Scan sequentially from the last one.
1344 */
1345 if ( (uint32_t)idChunk < GMM_CHUNKID_LAST
1346 && idChunk > NIL_GMM_CHUNKID)
1347 {
1348 idChunk = ASMBitNextClear(&pGMM->bmChunkId[0], GMM_CHUNKID_LAST + 1, idChunk);
1349 if (idChunk > NIL_GMM_CHUNKID)
1350 return pGMM->idChunkPrev = idChunk;
1351 }
1352
1353 /*
1354 * Ok, scan from the start.
1355 * We're not racing anyone, so there is no need to expect failures or have restart loops.
1356 */
1357 idChunk = ASMBitFirstClear(&pGMM->bmChunkId[0], GMM_CHUNKID_LAST + 1);
1358 AssertMsgReturn(idChunk > NIL_GMM_CHUNKID, ("%d\n", idChunk), NIL_GVM_HANDLE);
1359 AssertMsgReturn(!ASMAtomicBitTestAndSet(&pGMM->bmChunkId[0], idChunk), ("%d\n", idChunk), NIL_GVM_HANDLE);
1360
1361 return pGMM->idChunkPrev = idChunk;
1362}
1363
1364
1365/**
1366 * Registers a new chunk of memory.
1367 *
1368 * This is called by both gmmR0AllocateOneChunk and GMMR0SeedChunk.
1369 *
1370 * @returns VBox status code.
1371 * @param pGMM Pointer to the GMM instance.
1372 * @param pSet Pointer to the set.
1373 * @param MemObj The memory object for the chunk.
1374 * @param hGVM The hGVM value. (Only used by GMMR0SeedChunk.)
1375 */
1376static int gmmR0RegisterChunk(PGMM pGMM, PGMMCHUNKFREESET pSet, RTR0MEMOBJ MemObj, uint16_t hGVM)
1377{
1378 int rc;
1379 PGMMCHUNK pChunk = (PGMMCHUNK)RTMemAllocZ(sizeof(*pChunk));
1380 if (pChunk)
1381 {
1382 /*
1383 * Initialize it.
1384 */
1385 pChunk->MemObj = MemObj;
1386 pChunk->cFree = GMM_CHUNK_NUM_PAGES;
1387 pChunk->hGVM = hGVM;
1388 pChunk->iFreeHead = 0;
1389 for (unsigned iPage = 0; iPage < RT_ELEMENTS(pChunk->aPages) - 1; iPage++)
1390 {
1391 pChunk->aPages[iPage].Free.u2State = GMM_PAGE_STATE_FREE;
1392 pChunk->aPages[iPage].Free.iNext = iPage + 1;
1393 }
1394 pChunk->aPages[RT_ELEMENTS(pChunk->aPages) - 1].Free.u2State = GMM_PAGE_STATE_FREE;
1395 pChunk->aPages[RT_ELEMENTS(pChunk->aPages) - 1].Free.iNext = UINT32_MAX;
1396
1397 /*
1398 * Allocate a Chunk ID and insert it into the tree.
1399 * It doesn't cost anything to be careful here.
1400 */
1401 pChunk->Core.Key = gmmR0AllocateChunkId(pGMM);
1402 if ( pChunk->Core.Key != NIL_GMM_CHUNKID
1403 && pChunk->Core.Key <= GMM_CHUNKID_LAST
1404 && RTAvlU32Insert(&pGMM->pChunks, &pChunk->Core))
1405 {
1406 pGMM->cChunks++;
1407 gmmR0LinkChunk(pChunk, pSet);
1408 return VINF_SUCCESS;
1409 }
1410
1411 rc = VERR_INTERNAL_ERROR;
1412 RTMemFree(pChunk);
1413 }
1414 else
1415 rc = VERR_NO_MEMORY;
1416 return rc;
1417}
1418
1419
1420/**
1421 * Allocate one new chunk and add it to the specified free set.
1422 *
1423 * @returns VBox status code.
1424 * @param pGMM Pointer to the GMM instance.
1425 * @param pSet Pointer to the set.
1426 */
1427static int gmmR0AllocateOneChunk(PGMM pGMM, PGMMCHUNKFREESET pSet)
1428{
1429 /*
1430 * Allocate the memory.
1431 */
1432 RTR0MEMOBJ MemObj;
1433 int rc = RTR0MemObjAllocPhysNC(&MemObj, GMM_CHUNK_SIZE, NIL_RTHCPHYS);
1434 if (RT_SUCCESS(rc))
1435 {
1436 rc = gmmR0RegisterChunk(pGMM, pSet, MemObj, NIL_GVM_HANDLE);
1437 if (RT_FAILURE(rc))
1438 RTR0MemObjFree(MemObj, false /* fFreeMappings */);
1439 }
1440 return rc;
1441}
1442
1443
1444/**
1445 * Attempts to allocate more pages until the requested amount is met.
1446 *
1447 * @returns VBox status code.
1448 * @param pGMM Pointer to the GMM instance data.
1449 * @param pSet Pointer to the free set to grow.
1450 * @param cPages The number of pages needed.
1451 */
1452static int gmmR0AllocateMoreChunks(PGMM pGMM, PGMMCHUNKFREESET pSet, uint32_t cPages)
1453{
1454 Assert(!pGMM->fLegacyMode);
1455
1456 /*
1457 * Try steal free chunks from the other set first. (Only take 100% free chunks.)
1458 */
1459 PGMMCHUNKFREESET pOtherSet = pSet == &pGMM->Private ? &pGMM->Shared : &pGMM->Private;
1460 while ( pSet->cPages < cPages
1461 && pOtherSet->cPages >= GMM_CHUNK_NUM_PAGES)
1462 {
1463 PGMMCHUNK pChunk = pOtherSet->apLists[GMM_CHUNK_FREE_SET_LISTS - 1];
1464 while (pChunk && pChunk->cFree != GMM_CHUNK_NUM_PAGES)
1465 pChunk = pChunk->pFreeNext;
1466 if (!pChunk)
1467 break;
1468
1469 gmmR0UnlinkChunk(pChunk);
1470 gmmR0LinkChunk(pChunk, pSet);
1471 }
1472
1473 /*
1474 * If we need still more pages, allocate new chunks.
1475 */
1476 while (pSet->cPages < cPages)
1477 {
1478 int rc = gmmR0AllocateOneChunk(pGMM, pSet);
1479 if (RT_FAILURE(rc))
1480 return rc;
1481 }
1482
1483 return VINF_SUCCESS;
1484}
1485
1486
1487/**
1488 * Allocates one page.
1489 *
1490 * Worker for gmmR0AllocatePages.
1491 *
1492 * @param pGMM Pointer to the GMM instance data.
1493 * @param hGVM The GVM handle of the VM requesting memory.
1494 * @param pChunk The chunk to allocate it from.
1495 * @param pPageDesc The page descriptor.
1496 */
1497static void gmmR0AllocatePage(PGMM pGMM, uint32_t hGVM, PGMMCHUNK pChunk, PGMMPAGEDESC pPageDesc)
1498{
1499 /* update the chunk stats. */
1500 if (pChunk->hGVM == NIL_GVM_HANDLE)
1501 pChunk->hGVM = hGVM;
1502 Assert(pChunk->cFree);
1503 pChunk->cFree--;
1504
1505 /* unlink the first free page. */
1506 const uint32_t iPage = pChunk->iFreeHead;
1507 AssertReleaseMsg(iPage < RT_ELEMENTS(pChunk->aPages), ("%d\n", iPage));
1508 PGMMPAGE pPage = &pChunk->aPages[iPage];
1509 Assert(GMM_PAGE_IS_FREE(pPage));
1510 pChunk->iFreeHead = pPage->Free.iNext;
1511
1512 /* make the page private. */
1513 pPage->u = 0;
1514 AssertCompile(GMM_PAGE_STATE_PRIVATE == 0);
1515 pPage->Private.hGVM = hGVM;
1516 AssertCompile(NIL_RTHCPHYS >= GMM_GCPHYS_END);
1517 AssertCompile(GMM_GCPHYS_UNSHAREABLE >= GMM_GCPHYS_END);
1518 if (pPageDesc->HCPhysGCPhys < GMM_GCPHYS_END)
1519 pPage->Private.pfn = pPageDesc->HCPhysGCPhys >> PAGE_SHIFT;
1520 else
1521 pPage->Private.pfn = GMM_PAGE_PFN_UNSHAREABLE; /* unshareable / unassigned - same thing. */
1522
1523 /* update the page descriptor. */
1524 pPageDesc->HCPhysGCPhys = RTR0MemObjGetPagePhysAddr(pChunk->MemObj, iPage);
1525 Assert(pPageDesc->HCPhysGCPhys != NIL_RTHCPHYS);
1526 pPageDesc->idPage = (pChunk->Core.Key << GMM_CHUNKID_SHIFT) | iPage;
1527 pPageDesc->idSharedPage = NIL_GMM_PAGEID;
1528}
1529
1530
1531/**
1532 * Common worker for GMMR0AllocateHandyPages and GMMR0AllocatePages.
1533 *
1534 * @returns VBox status code:
1535 * @retval xxx
1536 *
1537 * @param pGMM Pointer to the GMM instance data.
1538 * @param pGVM Pointer to the shared VM structure.
1539 * @param cPages The number of pages to allocate.
1540 * @param paPages Pointer to the page descriptors.
1541 * See GMMPAGEDESC for details on what is expected on input.
1542 * @param enmAccount The account to charge.
1543 */
1544static int gmmR0AllocatePages(PGMM pGMM, PGVM pGVM, uint32_t cPages, PGMMPAGEDESC paPages, GMMACCOUNT enmAccount)
1545{
1546 /*
1547 * Check allocation limits.
1548 */
1549 if (RT_UNLIKELY(pGMM->cAllocatedPages + cPages > pGMM->cMaxPages))
1550 return VERR_GMM_HIT_GLOBAL_LIMIT;
1551
1552 switch (enmAccount)
1553 {
1554 case GMMACCOUNT_BASE:
1555 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cBasePages + cPages > pGVM->gmm.s.Reserved.cBasePages))
1556 {
1557 Log(("gmmR0AllocatePages: Reserved=%#llx Allocated+Requested=%#llx+%#x!\n",
1558 pGVM->gmm.s.Reserved.cBasePages, pGVM->gmm.s.Allocated.cBasePages, cPages));
1559 return VERR_GMM_HIT_VM_ACCOUNT_LIMIT;
1560 }
1561 break;
1562 case GMMACCOUNT_SHADOW:
1563 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cShadowPages + cPages > pGVM->gmm.s.Reserved.cShadowPages))
1564 {
1565 Log(("gmmR0AllocatePages: Reserved=%#llx Allocated+Requested=%#llx+%#x!\n",
1566 pGVM->gmm.s.Reserved.cShadowPages, pGVM->gmm.s.Allocated.cShadowPages, cPages));
1567 return VERR_GMM_HIT_VM_ACCOUNT_LIMIT;
1568 }
1569 break;
1570 case GMMACCOUNT_FIXED:
1571 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cFixedPages + cPages > pGVM->gmm.s.Reserved.cFixedPages))
1572 {
1573 Log(("gmmR0AllocatePages: Reserved=%#llx Allocated+Requested=%#llx+%#x!\n",
1574 pGVM->gmm.s.Reserved.cFixedPages, pGVM->gmm.s.Allocated.cFixedPages, cPages));
1575 return VERR_GMM_HIT_VM_ACCOUNT_LIMIT;
1576 }
1577 break;
1578 default:
1579 AssertMsgFailedReturn(("enmAccount=%d\n", enmAccount), VERR_INTERNAL_ERROR);
1580 }
1581
1582 /*
1583 * Check if we need to allocate more memory or not. In legacy mode this is
1584 * a bit extra work but it's easier to do it upfront than bailing out later.
1585 */
1586 PGMMCHUNKFREESET pSet = &pGMM->Private;
1587 if (pSet->cPages < cPages)
1588 {
1589 if (pGMM->fLegacyMode)
1590 return VERR_GMM_SEED_ME;
1591
1592 int rc = gmmR0AllocateMoreChunks(pGMM, pSet, cPages);
1593 if (RT_FAILURE(rc))
1594 return rc;
1595 Assert(pSet->cPages >= cPages);
1596 }
1597 else if (pGMM->fLegacyMode)
1598 {
1599 uint16_t hGVM = pGVM->hSelf;
1600 uint32_t cPagesFound = 0;
1601 for (unsigned i = 0; i < RT_ELEMENTS(pSet->apLists); i++)
1602 for (PGMMCHUNK pCur = pSet->apLists[i]; pCur; pCur = pCur->pFreeNext)
1603 if (pCur->hGVM == hGVM)
1604 {
1605 cPagesFound += pCur->cFree;
1606 if (cPagesFound >= cPages)
1607 break;
1608 }
1609 if (cPagesFound < cPages)
1610 return VERR_GMM_SEED_ME;
1611 }
1612
1613 /*
1614 * Pick the pages.
1615 */
1616 uint16_t hGVM = pGVM->hSelf;
1617 uint32_t iPage = 0;
1618 for (unsigned i = 0; i < RT_ELEMENTS(pSet->apLists) && iPage < cPages; i++)
1619 {
1620 /* first round, pick from chunks with an affinity to the VM. */
1621 PGMMCHUNK pCur = pSet->apLists[i];
1622 while (pCur && iPage < cPages)
1623 {
1624 PGMMCHUNK pNext = pCur->pFreeNext;
1625
1626 if ( pCur->hGVM == hGVM
1627 && ( pCur->cFree < GMM_CHUNK_NUM_PAGES
1628 || pGMM->fLegacyMode))
1629 {
1630 gmmR0UnlinkChunk(pCur);
1631 for (; pCur->cFree && iPage < cPages; iPage++)
1632 gmmR0AllocatePage(pGMM, hGVM, pCur, &paPages[iPage]);
1633 gmmR0LinkChunk(pCur, pSet);
1634 }
1635
1636 pCur = pNext;
1637 }
1638
1639 /* second round, take all free pages in this list. */
1640 if (!pGMM->fLegacyMode)
1641 {
1642 PGMMCHUNK pCur = pSet->apLists[i];
1643 while (pCur && iPage < cPages)
1644 {
1645 PGMMCHUNK pNext = pCur->pFreeNext;
1646
1647 gmmR0UnlinkChunk(pCur);
1648 for (; pCur->cFree && iPage < cPages; iPage++)
1649 gmmR0AllocatePage(pGMM, hGVM, pCur, &paPages[iPage]);
1650 gmmR0LinkChunk(pCur, pSet);
1651
1652 pCur = pNext;
1653 }
1654 }
1655 }
1656
1657 /*
1658 * Update the account.
1659 */
1660 switch (enmAccount)
1661 {
1662 case GMMACCOUNT_BASE: pGVM->gmm.s.Allocated.cBasePages += iPage;
1663 case GMMACCOUNT_SHADOW: pGVM->gmm.s.Allocated.cShadowPages += iPage;
1664 case GMMACCOUNT_FIXED: pGVM->gmm.s.Allocated.cFixedPages += iPage;
1665 default:
1666 AssertMsgFailedReturn(("enmAccount=%d\n", enmAccount), VERR_INTERNAL_ERROR);
1667 }
1668 pGVM->gmm.s.cPrivatePages += iPage;
1669 pGMM->cAllocatedPages += iPage;
1670
1671 AssertMsgReturn(iPage == cPages, ("%d != %d\n", iPage, cPages), VERR_INTERNAL_ERROR);
1672
1673 /*
1674 * Check if we've reached some threshold and should kick one or two VMs and tell
1675 * them to inflate their balloons a bit more... later.
1676 */
1677
1678 return VINF_SUCCESS;
1679}
1680
1681
1682/**
1683 * Updates the previous allocations and allocates more pages.
1684 *
1685 * The handy pages are always taken from the 'base' memory account.
1686 *
1687 * @returns VBox status code:
1688 * @retval xxx
1689 *
1690 * @param pVM Pointer to the shared VM structure.
1691 * @param cPagesToUpdate The number of pages to update (starting from the head).
1692 * @param cPagesToAlloc The number of pages to allocate (starting from the head).
1693 * @param paPages The array of page descriptors.
1694 * See GMMPAGEDESC for details on what is expected on input.
1695 * @thread EMT.
1696 */
1697GMMR0DECL(int) GMMR0AllocateHandyPages(PVM pVM, uint32_t cPagesToUpdate, uint32_t cPagesToAlloc, PGMMPAGEDESC paPages)
1698{
1699 LogFlow(("GMMR0AllocateHandyPages: pVM=%p cPagesToUpdate=%#x cPagesToAlloc=%#x paPages=%p\n",
1700 pVM, cPagesToUpdate, cPagesToAlloc, paPages));
1701
1702 /*
1703 * Validate, get basics and take the semaphore.
1704 * (This is a relatively busy path, so make predictions where possible.)
1705 */
1706 PGMM pGMM;
1707 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
1708 PGVM pGVM = GVMMR0ByVM(pVM);
1709 if (RT_UNLIKELY(!pGVM))
1710 return VERR_INVALID_PARAMETER;
1711 if (RT_UNLIKELY(pGVM->hEMT != RTThreadNativeSelf()))
1712 return VERR_NOT_OWNER;
1713
1714 AssertPtrReturn(paPages, VERR_INVALID_PARAMETER);
1715 AssertMsgReturn( (cPagesToUpdate && cPagesToUpdate < 1024)
1716 || (cPagesToAlloc && cPagesToAlloc < 1024),
1717 ("cPagesToUpdate=%#x cPagesToAlloc=%#x\n", cPagesToUpdate, cPagesToAlloc),
1718 VERR_INVALID_PARAMETER);
1719
1720 unsigned iPage = 0;
1721 for (; iPage < cPagesToUpdate; iPage++)
1722 {
1723 AssertMsgReturn( ( paPages[iPage].HCPhysGCPhys < GMM_GCPHYS_END
1724 && !(paPages[iPage].HCPhysGCPhys & PAGE_OFFSET_MASK))
1725 || paPages[iPage].HCPhysGCPhys == NIL_RTHCPHYS
1726 || paPages[iPage].HCPhysGCPhys == GMM_GCPHYS_UNSHAREABLE,
1727 ("#%#x: %RHp\n", iPage, paPages[iPage].HCPhysGCPhys),
1728 VERR_INVALID_PARAMETER);
1729 AssertMsgReturn( paPages[iPage].idPage <= GMM_PAGEID_LAST
1730 /*|| paPages[iPage].idPage == NIL_GMM_PAGEID*/,
1731 ("#%#x: %#x\n", iPage, paPages[iPage].idPage), VERR_INVALID_PARAMETER);
1732 AssertMsgReturn( paPages[iPage].idPage <= GMM_PAGEID_LAST
1733 /*|| paPages[iPage].idSharedPage == NIL_GMM_PAGEID*/,
1734 ("#%#x: %#x\n", iPage, paPages[iPage].idSharedPage), VERR_INVALID_PARAMETER);
1735 }
1736
1737 for (; iPage < cPagesToAlloc; iPage++)
1738 {
1739 AssertMsgReturn(paPages[iPage].HCPhysGCPhys == NIL_RTHCPHYS, ("#%#x: %RHp\n", iPage, paPages[iPage].HCPhysGCPhys), VERR_INVALID_PARAMETER);
1740 AssertMsgReturn(paPages[iPage].idPage == NIL_GMM_PAGEID, ("#%#x: %#x\n", iPage, paPages[iPage].idPage), VERR_INVALID_PARAMETER);
1741 AssertMsgReturn(paPages[iPage].idSharedPage == NIL_GMM_PAGEID, ("#%#x: %#x\n", iPage, paPages[iPage].idSharedPage), VERR_INVALID_PARAMETER);
1742 }
1743
1744 int rc = RTSemFastMutexRequest(pGMM->Mtx);
1745 AssertRC(rc);
1746
1747 /* No allocations before the initial reservation has been made! */
1748 if (RT_LIKELY( pGVM->gmm.s.Reserved.cBasePages
1749 && pGVM->gmm.s.Reserved.cFixedPages
1750 && pGVM->gmm.s.Reserved.cShadowPages))
1751 {
1752 /*
1753 * Perform the updates.
1754 * Stop on the first error.
1755 */
1756 for (iPage = 0; iPage < cPagesToUpdate; iPage++)
1757 {
1758 if (paPages[iPage].idPage != NIL_GMM_PAGEID)
1759 {
1760 PGMMPAGE pPage = gmmR0GetPage(pGMM, paPages[iPage].idPage);
1761 if (RT_LIKELY(pPage))
1762 {
1763 if (RT_LIKELY(GMM_PAGE_IS_PRIVATE(pPage)))
1764 {
1765 if (RT_LIKELY(pPage->Private.hGVM == pGVM->hSelf))
1766 {
1767 AssertCompile(NIL_RTHCPHYS > GMM_GCPHYS_END && GMM_GCPHYS_UNSHAREABLE > GMM_GCPHYS_END);
1768 if (RT_LIKELY(paPages[iPage].HCPhysGCPhys) < GMM_GCPHYS_END)
1769 pPage->Private.pfn = paPages[iPage].HCPhysGCPhys >> PAGE_SHIFT;
1770 else if (paPages[iPage].HCPhysGCPhys == GMM_GCPHYS_UNSHAREABLE)
1771 pPage->Private.pfn = GMM_PAGE_PFN_UNSHAREABLE;
1772 /* else: NIL_RTHCPHYS nothing */
1773
1774 paPages[iPage].idPage = NIL_GMM_PAGEID;
1775 paPages[iPage].HCPhysGCPhys = NIL_RTHCPHYS;
1776 }
1777 else
1778 {
1779 Log(("GMMR0AllocateHandyPages: #%#x/%#x: Not owner! hGVM=%#x hSelf=%#x\n",
1780 iPage, paPages[iPage].idPage, pPage->Private.hGVM, pGVM->hSelf));
1781 rc = VERR_GMM_NOT_PAGE_OWNER;
1782 break;
1783 }
1784 }
1785 else
1786 {
1787 Log(("GMMR0AllocateHandyPages: #%#x/%#x: Not private!\n", iPage, paPages[iPage].idPage));
1788 rc = VERR_GMM_PAGE_NOT_PRIVATE;
1789 break;
1790 }
1791 }
1792 else
1793 {
1794 Log(("GMMR0AllocateHandyPages: #%#x/%#x: Not found! (private)\n", iPage, paPages[iPage].idPage));
1795 rc = VERR_GMM_PAGE_NOT_FOUND;
1796 break;
1797 }
1798 }
1799
1800 if (paPages[iPage].idSharedPage != NIL_GMM_PAGEID)
1801 {
1802 PGMMPAGE pPage = gmmR0GetPage(pGMM, paPages[iPage].idSharedPage);
1803 if (RT_LIKELY(pPage))
1804 {
1805 if (RT_LIKELY(GMM_PAGE_IS_SHARED(pPage)))
1806 {
1807 AssertCompile(NIL_RTHCPHYS > GMM_GCPHYS_END && GMM_GCPHYS_UNSHAREABLE > GMM_GCPHYS_END);
1808 Assert(pPage->Shared.cRefs);
1809 Assert(pGVM->gmm.s.cSharedPages);
1810 Assert(pGVM->gmm.s.Allocated.cBasePages);
1811
1812 pGVM->gmm.s.cSharedPages--;
1813 pGVM->gmm.s.Allocated.cBasePages--;
1814 if (!--pPage->Shared.cRefs)
1815 gmmR0FreeSharedPage(pGMM, paPages[iPage].idSharedPage, pPage);
1816
1817 paPages[iPage].idSharedPage = NIL_GMM_PAGEID;
1818 }
1819 else
1820 {
1821 Log(("GMMR0AllocateHandyPages: #%#x/%#x: Not shared!\n", iPage, paPages[iPage].idSharedPage));
1822 rc = VERR_GMM_PAGE_NOT_SHARED;
1823 break;
1824 }
1825 }
1826 else
1827 {
1828 Log(("GMMR0AllocateHandyPages: #%#x/%#x: Not found! (shared)\n", iPage, paPages[iPage].idSharedPage));
1829 rc = VERR_GMM_PAGE_NOT_FOUND;
1830 break;
1831 }
1832 }
1833 }
1834
1835 /*
1836 * Join paths with GMMR0AllocatePages for the allocation.
1837 */
1838 if (RT_SUCCESS(rc))
1839 rc = gmmR0AllocatePages(pGMM, pGVM, cPagesToAlloc, paPages, GMMACCOUNT_BASE);
1840 }
1841 else
1842 rc = VERR_WRONG_ORDER;
1843
1844 RTSemFastMutexRelease(pGMM->Mtx);
1845 LogFlow(("GMMR0AllocateHandyPages: returns %Rrc\n", rc));
1846 return rc;
1847}
1848
1849
1850/**
1851 * Allocate one or more pages.
1852 *
1853 * This is typically used for ROMs and MMIO2 (VRAM) during VM creation.
1854 *
1855 * @returns VBox status code:
1856 * @retval xxx
1857 *
1858 * @param pVM Pointer to the shared VM structure.
1859 * @param cPages The number of pages to allocate.
1860 * @param paPages Pointer to the page descriptors.
1861 * See GMMPAGEDESC for details on what is expected on input.
1862 * @param enmAccount The account to charge.
1863 *
1864 * @thread EMT.
1865 */
1866GMMR0DECL(int) GMMR0AllocatePages(PVM pVM, uint32_t cPages, PGMMPAGEDESC paPages, GMMACCOUNT enmAccount)
1867{
1868 LogFlow(("GMMR0AllocatePages: pVM=%p cPages=%#x paPages=%p enmAccount=%d\n", pVM, cPages, paPages, enmAccount));
1869
1870 /*
1871 * Validate, get basics and take the semaphore.
1872 */
1873 PGMM pGMM;
1874 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
1875 PGVM pGVM = GVMMR0ByVM(pVM);
1876 if (!pGVM)
1877 return VERR_INVALID_PARAMETER;
1878 if (pGVM->hEMT != RTThreadNativeSelf())
1879 return VERR_NOT_OWNER;
1880
1881 AssertPtrReturn(paPages, VERR_INVALID_PARAMETER);
1882 AssertMsgReturn(enmAccount > GMMACCOUNT_INVALID && enmAccount < GMMACCOUNT_END, ("%d\n", enmAccount), VERR_INVALID_PARAMETER);
1883 AssertMsgReturn(cPages > 0 && cPages < RT_BIT(32 - PAGE_SHIFT), ("%#x\n", cPages), VERR_INVALID_PARAMETER);
1884
1885 for (unsigned iPage = 0; iPage < cPages; iPage++)
1886 {
1887 AssertMsgReturn( paPages[iPage].HCPhysGCPhys == NIL_RTHCPHYS
1888 || paPages[iPage].HCPhysGCPhys == GMM_GCPHYS_UNSHAREABLE
1889 || ( enmAccount == GMMACCOUNT_BASE
1890 && paPages[iPage].HCPhysGCPhys < GMM_GCPHYS_END
1891 && !(paPages[iPage].HCPhysGCPhys & PAGE_OFFSET_MASK)),
1892 ("#%#x: %RHp enmAccount=%d\n", iPage, paPages[iPage].HCPhysGCPhys, enmAccount),
1893 VERR_INVALID_PARAMETER);
1894 AssertMsgReturn(paPages[iPage].idPage == NIL_GMM_PAGEID, ("#%#x: %#x\n", iPage, paPages[iPage].idPage), VERR_INVALID_PARAMETER);
1895 AssertMsgReturn(paPages[iPage].idSharedPage == NIL_GMM_PAGEID, ("#%#x: %#x\n", iPage, paPages[iPage].idSharedPage), VERR_INVALID_PARAMETER);
1896 }
1897
1898 int rc = RTSemFastMutexRequest(pGMM->Mtx);
1899 AssertRC(rc);
1900
1901 /* No allocations before the initial reservation has been made! */
1902 if ( pGVM->gmm.s.Reserved.cBasePages
1903 && pGVM->gmm.s.Reserved.cFixedPages
1904 && pGVM->gmm.s.Reserved.cShadowPages)
1905 rc = gmmR0AllocatePages(pGMM, pGVM, cPages, paPages, enmAccount);
1906 else
1907 rc = VERR_WRONG_ORDER;
1908
1909 RTSemFastMutexRelease(pGMM->Mtx);
1910 LogFlow(("GMMR0UpdateReservation: returns %Rrc\n", rc));
1911 return rc;
1912}
1913
1914
1915/**
1916 * VMMR0 request wrapper for GMMR0AllocatePages.
1917 *
1918 * @returns see GMMR0AllocatePages.
1919 * @param pVM Pointer to the shared VM structure.
1920 * @param pReq The request packet.
1921 */
1922GMMR0DECL(int) GMMR0AllocatePagesReq(PVM pVM, PGMMALLOCATEPAGESREQ pReq)
1923{
1924 /*
1925 * Validate input and pass it on.
1926 */
1927 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
1928 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
1929 AssertMsgReturn(pReq->Hdr.cbReq >= RT_UOFFSETOF(GMMALLOCATEPAGESREQ, aPages[0]),
1930 ("%#x < %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMALLOCATEPAGESREQ, aPages[0])),
1931 VERR_INVALID_PARAMETER);
1932 AssertMsgReturn(pReq->Hdr.cbReq == RT_UOFFSETOF(GMMALLOCATEPAGESREQ, aPages[pReq->cPages]),
1933 ("%#x != %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMALLOCATEPAGESREQ, aPages[pReq->cPages])),
1934 VERR_INVALID_PARAMETER);
1935
1936 return GMMR0AllocatePages(pVM, pReq->cPages, &pReq->aPages[0], pReq->enmAccount);
1937}
1938
1939
1940/**
1941 * Frees a chunk, giving it back to the host OS.
1942 *
1943 * @param pGMM Pointer to the GMM instance.
1944 * @param pChunk The chunk to free.
1945 */
1946static void gmmR0FreeChunk(PGMM pGMM, PGMMCHUNK pChunk)
1947{
1948 /*
1949 * If there are current mappings of the chunk, then request the
1950 * VMs to unmap them. Reposition the chunk in the free list so
1951 * it won't be a likely candidate for allocations.
1952 */
1953 if (pChunk->cMappings)
1954 {
1955 /** @todo R0 -> VM request */
1956
1957 }
1958 else
1959 {
1960 /*
1961 * Try free the memory object.
1962 */
1963 int rc = RTR0MemObjFree(pChunk->MemObj, false /* fFreeMappings */);
1964 if (RT_SUCCESS(rc))
1965 {
1966 pChunk->MemObj = NIL_RTR0MEMOBJ;
1967
1968 /*
1969 * Unlink it from everywhere.
1970 */
1971 gmmR0UnlinkChunk(pChunk);
1972
1973 PAVLU32NODECORE pCore = RTAvlU32Remove(&pGMM->pChunks, pChunk->Core.Key);
1974 Assert(pCore == &pChunk->Core); NOREF(pCore);
1975
1976 PGMMCHUNKTLBE pTlbe = &pGMM->ChunkTLB.aEntries[GMM_CHUNKTLB_IDX(pCore->Key)];
1977 if (pTlbe->pChunk == pChunk)
1978 {
1979 pTlbe->idChunk = NIL_GMM_CHUNKID;
1980 pTlbe->pChunk = NULL;
1981 }
1982
1983 Assert(pGMM->cChunks > 0);
1984 pGMM->cChunks--;
1985
1986 /*
1987 * Free the Chunk ID and struct.
1988 */
1989 gmmR0FreeChunkId(pGMM, pChunk->Core.Key);
1990 pChunk->Core.Key = NIL_GMM_CHUNKID;
1991
1992 RTMemFree(pChunk->paMappings);
1993 pChunk->paMappings = NULL;
1994
1995 RTMemFree(pChunk);
1996 }
1997 else
1998 AssertRC(rc);
1999 }
2000}
2001
2002
2003/**
2004 * Free page worker.
2005 *
2006 * The caller does all the statistic decrementing, we do all the incrementing.
2007 *
2008 * @param pGMM Pointer to the GMM instance data.
2009 * @param pChunk Pointer to the chunk this page belongs to.
2010 * @param pPage Pointer to the page.
2011 */
2012static void gmmR0FreePageWorker(PGMM pGMM, PGMMCHUNK pChunk, PGMMPAGE pPage)
2013{
2014 /*
2015 * Put the page on the free list.
2016 */
2017 pPage->u = 0;
2018 pPage->Free.u2State = GMM_PAGE_STATE_FREE;
2019 Assert(pChunk->iFreeHead < RT_ELEMENTS(pChunk->aPages) || pChunk->iFreeHead == UINT16_MAX);
2020 pPage->Free.iNext = pChunk->iFreeHead;
2021 pChunk->iFreeHead = pPage - &pChunk->aPages[0];
2022
2023 /*
2024 * Update statistics (the cShared/cPrivate stats are up to date already),
2025 * and relink the chunk if necessary.
2026 */
2027 if ((pChunk->cFree & GMM_CHUNK_FREE_SET_MASK) == 0)
2028 {
2029 gmmR0UnlinkChunk(pChunk);
2030 pChunk->cFree++;
2031 gmmR0LinkChunk(pChunk, pChunk->cShared ? &pGMM->Shared : &pGMM->Private);
2032 }
2033 else
2034 {
2035 pChunk->cFree++;
2036 pChunk->pSet->cPages++;
2037
2038 /*
2039 * If the chunk becomes empty, consider giving memory back to the host OS.
2040 *
2041 * The current strategy is to try give it back if there are other chunks
2042 * in this free list, meaning if there are at least 240 free pages in this
2043 * category. Note that since there are probably mappings of the chunk,
2044 * it won't be freed up instantly, which probably screws up this logic
2045 * a bit...
2046 */
2047 if (RT_UNLIKELY( pChunk->cFree == GMM_CHUNK_NUM_PAGES
2048 && pChunk->pFreeNext
2049 && pChunk->pFreePrev))
2050 gmmR0FreeChunk(pGMM, pChunk);
2051 }
2052}
2053
2054
2055/**
2056 * Frees a shared page, the page is known to exist and be valid and such.
2057 *
2058 * @param pGMM Pointer to the GMM instance.
2059 * @param idPage The Page ID
2060 * @param pPage The page structure.
2061 */
2062DECLINLINE(void) gmmR0FreeSharedPage(PGMM pGMM, uint32_t idPage, PGMMPAGE pPage)
2063{
2064 PGMMCHUNK pChunk = gmmR0GetChunk(pGMM, idPage >> GMM_CHUNKID_SHIFT);
2065 Assert(pChunk);
2066 Assert(pChunk->cFree < GMM_CHUNK_NUM_PAGES);
2067 Assert(pChunk->cShared > 0);
2068 Assert(pGMM->cSharedPages > 0);
2069 Assert(pGMM->cAllocatedPages > 0);
2070 Assert(!pPage->Shared.cRefs);
2071
2072 pChunk->cShared--;
2073 pGMM->cAllocatedPages--;
2074 pGMM->cSharedPages--;
2075 gmmR0FreePageWorker(pGMM, pChunk, pPage);
2076}
2077
2078
2079/**
2080 * Frees a private page, the page is known to exist and be valid and such.
2081 *
2082 * @param pGMM Pointer to the GMM instance.
2083 * @param idPage The Page ID
2084 * @param pPage The page structure.
2085 */
2086DECLINLINE(void) gmmR0FreePrivatePage(PGMM pGMM, uint32_t idPage, PGMMPAGE pPage)
2087{
2088 PGMMCHUNK pChunk = gmmR0GetChunk(pGMM, idPage >> GMM_CHUNKID_SHIFT);
2089 Assert(pChunk);
2090 Assert(pChunk->cFree < GMM_CHUNK_NUM_PAGES);
2091 Assert(pChunk->cPrivate > 0);
2092 Assert(pGMM->cAllocatedPages > 0);
2093
2094 pChunk->cPrivate--;
2095 pGMM->cAllocatedPages--;
2096 gmmR0FreePageWorker(pGMM, pChunk, pPage);
2097}
2098
2099
2100/**
2101 * Common worker for GMMR0FreePages and GMMR0BalloonedPages.
2102 *
2103 * @returns VBox status code:
2104 * @retval xxx
2105 *
2106 * @param pGMM Pointer to the GMM instance data.
2107 * @param pGVM Pointer to the shared VM structure.
2108 * @param cPages The number of pages to free.
2109 * @param paPages Pointer to the page descriptors.
2110 * @param enmAccount The account this relates to.
2111 */
2112static int gmmR0FreePages(PGMM pGMM, PGVM pGVM, uint32_t cPages, PGMMFREEPAGEDESC paPages, GMMACCOUNT enmAccount)
2113{
2114 /*
2115 * Check that the request isn't impossible wrt to the account status.
2116 */
2117 switch (enmAccount)
2118 {
2119 case GMMACCOUNT_BASE:
2120 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cBasePages < cPages))
2121 {
2122 Log(("gmmR0FreePages: allocated=%#llx cPages=%#x!\n", pGVM->gmm.s.Allocated.cBasePages, cPages));
2123 return VERR_GMM_ATTEMPT_TO_FREE_TOO_MUCH;
2124 }
2125 break;
2126 case GMMACCOUNT_SHADOW:
2127 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cShadowPages < cPages))
2128 {
2129 Log(("gmmR0FreePages: allocated=%#llx cPages=%#x!\n", pGVM->gmm.s.Allocated.cShadowPages, cPages));
2130 return VERR_GMM_ATTEMPT_TO_FREE_TOO_MUCH;
2131 }
2132 break;
2133 case GMMACCOUNT_FIXED:
2134 if (RT_UNLIKELY(pGVM->gmm.s.Allocated.cFixedPages < cPages))
2135 {
2136 Log(("gmmR0FreePages: allocated=%#llx cPages=%#x!\n", pGVM->gmm.s.Allocated.cFixedPages, cPages));
2137 return VERR_GMM_ATTEMPT_TO_FREE_TOO_MUCH;
2138 }
2139 break;
2140 default:
2141 AssertMsgFailedReturn(("enmAccount=%d\n", enmAccount), VERR_INTERNAL_ERROR);
2142 }
2143
2144 /*
2145 * Walk the descriptors and free the pages.
2146 *
2147 * Statistics (except the account) are being updated as we go along,
2148 * unlike the alloc code. Also, stop on the first error.
2149 */
2150 int rc = VINF_SUCCESS;
2151 uint32_t iPage;
2152 for (iPage = 0; iPage < cPages; iPage++)
2153 {
2154 uint32_t idPage = paPages[iPage].idPage;
2155 PGMMPAGE pPage = gmmR0GetPage(pGMM, idPage);
2156 if (RT_LIKELY(pPage))
2157 {
2158 if (RT_LIKELY(GMM_PAGE_IS_PRIVATE(pPage)))
2159 {
2160 if (RT_LIKELY(pPage->Private.hGVM == pGVM->hSelf))
2161 {
2162 Assert(pGVM->gmm.s.cPrivatePages);
2163 pGVM->gmm.s.cPrivatePages--;
2164 gmmR0FreePrivatePage(pGMM, idPage, pPage);
2165 }
2166 else
2167 {
2168 Log(("gmmR0AllocatePages: #%#x/%#x: not owner! hGVM=%#x hSelf=%#x\n", iPage, idPage,
2169 pPage->Private.hGVM, pGVM->hEMT));
2170 rc = VERR_GMM_NOT_PAGE_OWNER;
2171 break;
2172 }
2173 }
2174 else if (RT_LIKELY(GMM_PAGE_IS_SHARED(pPage)))
2175 {
2176 Assert(pGVM->gmm.s.cSharedPages);
2177 pGVM->gmm.s.cSharedPages--;
2178 Assert(pPage->Shared.cRefs);
2179 if (!--pPage->Shared.cRefs)
2180 gmmR0FreeSharedPage(pGMM, idPage, pPage);
2181 }
2182 else
2183 {
2184 Log(("gmmR0AllocatePages: #%#x/%#x: already free!\n", iPage, idPage));
2185 rc = VERR_GMM_PAGE_ALREADY_FREE;
2186 break;
2187 }
2188 }
2189 else
2190 {
2191 Log(("gmmR0AllocatePages: #%#x/%#x: not found!\n", iPage, idPage));
2192 rc = VERR_GMM_PAGE_NOT_FOUND;
2193 break;
2194 }
2195 paPages[iPage].idPage = NIL_GMM_PAGEID;
2196 }
2197
2198 /*
2199 * Update the account.
2200 */
2201 switch (enmAccount)
2202 {
2203 case GMMACCOUNT_BASE: pGVM->gmm.s.Allocated.cBasePages -= iPage;
2204 case GMMACCOUNT_SHADOW: pGVM->gmm.s.Allocated.cShadowPages -= iPage;
2205 case GMMACCOUNT_FIXED: pGVM->gmm.s.Allocated.cFixedPages -= iPage;
2206 default:
2207 AssertMsgFailedReturn(("enmAccount=%d\n", enmAccount), VERR_INTERNAL_ERROR);
2208 }
2209
2210 /*
2211 * Any threshold stuff to be done here?
2212 */
2213
2214 return rc;
2215}
2216
2217
2218/**
2219 * Free one or more pages.
2220 *
2221 * This is typically used at reset time or power off.
2222 *
2223 * @returns VBox status code:
2224 * @retval xxx
2225 *
2226 * @param pVM Pointer to the shared VM structure.
2227 * @param cPages The number of pages to allocate.
2228 * @param paPages Pointer to the page descriptors containing the Page IDs for each page.
2229 * @param enmAccount The account this relates to.
2230 * @thread EMT.
2231 */
2232GMMR0DECL(int) GMMR0FreePages(PVM pVM, uint32_t cPages, PGMMFREEPAGEDESC paPages, GMMACCOUNT enmAccount)
2233{
2234 LogFlow(("GMMR0FreePages: pVM=%p cPages=%#x paPages=%p enmAccount=%d\n", pVM, cPages, paPages, enmAccount));
2235
2236 /*
2237 * Validate input and get the basics.
2238 */
2239 PGMM pGMM;
2240 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
2241 PGVM pGVM = GVMMR0ByVM(pVM);
2242 if (!pGVM)
2243 return VERR_INVALID_PARAMETER;
2244 if (pGVM->hEMT != RTThreadNativeSelf())
2245 return VERR_NOT_OWNER;
2246
2247 AssertPtrReturn(paPages, VERR_INVALID_PARAMETER);
2248 AssertMsgReturn(enmAccount > GMMACCOUNT_INVALID && enmAccount < GMMACCOUNT_END, ("%d\n", enmAccount), VERR_INVALID_PARAMETER);
2249 AssertMsgReturn(cPages > 0 && cPages < RT_BIT(32 - PAGE_SHIFT), ("%#x\n", cPages), VERR_INVALID_PARAMETER);
2250
2251 for (unsigned iPage = 0; iPage < cPages; iPage++)
2252 AssertMsgReturn( paPages[iPage].idPage <= GMM_PAGEID_LAST
2253 /*|| paPages[iPage].idPage == NIL_GMM_PAGEID*/,
2254 ("#%#x: %#x\n", iPage, paPages[iPage].idPage), VERR_INVALID_PARAMETER);
2255
2256 /*
2257 * Take the semaphore and call the worker function.
2258 */
2259 int rc = RTSemFastMutexRequest(pGMM->Mtx);
2260 AssertRC(rc);
2261
2262 rc = gmmR0FreePages(pGMM, pGVM, cPages, paPages, enmAccount);
2263
2264 RTSemFastMutexRelease(pGMM->Mtx);
2265 LogFlow(("GMMR0FreePages: returns %Rrc\n", rc));
2266 return rc;
2267}
2268
2269
2270/**
2271 * VMMR0 request wrapper for GMMR0FreePages.
2272 *
2273 * @returns see GMMR0FreePages.
2274 * @param pVM Pointer to the shared VM structure.
2275 * @param pReq The request packet.
2276 */
2277GMMR0DECL(int) GMMR0FreePagesReq(PVM pVM, PGMMFREEPAGESREQ pReq)
2278{
2279 /*
2280 * Validate input and pass it on.
2281 */
2282 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
2283 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
2284 AssertMsgReturn(pReq->Hdr.cbReq >= RT_UOFFSETOF(GMMFREEPAGESREQ, aPages[0]),
2285 ("%#x < %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMFREEPAGESREQ, aPages[0])),
2286 VERR_INVALID_PARAMETER);
2287 AssertMsgReturn(pReq->Hdr.cbReq == RT_UOFFSETOF(GMMFREEPAGESREQ, aPages[pReq->cPages]),
2288 ("%#x != %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMFREEPAGESREQ, aPages[pReq->cPages])),
2289 VERR_INVALID_PARAMETER);
2290
2291 return GMMR0FreePages(pVM, pReq->cPages, &pReq->aPages[0], pReq->enmAccount);
2292}
2293
2294
2295/**
2296 * Report back on a memory ballooning request.
2297 *
2298 * The request may or may not have been initiated by the GMM. If it was initiated
2299 * by the GMM it is important that this function is called even if no pages was
2300 * ballooned.
2301 *
2302 * Since the whole purpose of ballooning is to free up guest RAM pages, this API
2303 * may also be given a set of related pages to be freed. These pages are assumed
2304 * to be on the base account.
2305 *
2306 * @returns VBox status code:
2307 * @retval xxx
2308 *
2309 * @param pVM Pointer to the shared VM structure.
2310 * @param cBalloonedPages The number of pages that was ballooned.
2311 * @param cPagesToFree The number of pages to be freed.
2312 * @param paPages Pointer to the page descriptors for the pages that's to be freed.
2313 * @param fCompleted Indicates whether the ballooning request was completed (true) or
2314 * if there is more pages to come (false). If the ballooning was not
2315 * not triggered by the GMM, don't set this.
2316 * @thread EMT.
2317 */
2318GMMR0DECL(int) GMMR0BalloonedPages(PVM pVM, uint32_t cBalloonedPages, uint32_t cPagesToFree, PGMMFREEPAGEDESC paPages, bool fCompleted)
2319{
2320 LogFlow(("GMMR0BalloonedPages: pVM=%p cBalloonedPages=%#x cPagestoFree=%#x paPages=%p enmAccount=%d fCompleted=%RTbool\n",
2321 pVM, cBalloonedPages, cPagesToFree, paPages, fCompleted));
2322
2323 /*
2324 * Validate input and get the basics.
2325 */
2326 PGMM pGMM;
2327 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
2328 PGVM pGVM = GVMMR0ByVM(pVM);
2329 if (!pGVM)
2330 return VERR_INVALID_PARAMETER;
2331 if (pGVM->hEMT != RTThreadNativeSelf())
2332 return VERR_NOT_OWNER;
2333
2334 AssertPtrReturn(paPages, VERR_INVALID_PARAMETER);
2335 AssertMsgReturn(cBalloonedPages >= 0 && cBalloonedPages < RT_BIT(32 - PAGE_SHIFT), ("%#x\n", cBalloonedPages), VERR_INVALID_PARAMETER);
2336 AssertMsgReturn(cPagesToFree >= 0 && cPagesToFree <= cBalloonedPages, ("%#x\n", cPagesToFree), VERR_INVALID_PARAMETER);
2337
2338 for (unsigned iPage = 0; iPage < cPagesToFree; iPage++)
2339 AssertMsgReturn( paPages[iPage].idPage <= GMM_PAGEID_LAST
2340 /*|| paPages[iPage].idPage == NIL_GMM_PAGEID*/,
2341 ("#%#x: %#x\n", iPage, paPages[iPage].idPage), VERR_INVALID_PARAMETER);
2342
2343 /*
2344 * Take the sempahore and do some more validations.
2345 */
2346 int rc = RTSemFastMutexRequest(pGMM->Mtx);
2347 AssertRC(rc);
2348 if (pGVM->gmm.s.Allocated.cBasePages >= cPagesToFree)
2349 {
2350 /*
2351 * Record the ballooned memory.
2352 */
2353 pGMM->cBalloonedPages += cBalloonedPages;
2354 if (pGVM->gmm.s.cReqBalloonedPages)
2355 {
2356 pGVM->gmm.s.cBalloonedPages += cBalloonedPages;
2357 pGVM->gmm.s.cReqActuallyBalloonedPages += cBalloonedPages;
2358 if (fCompleted)
2359 {
2360 Log(("GMMR0BalloonedPages: +%#x - Global=%#llx; / VM: Total=%#llx Req=%#llx Actual=%#llx (completed)\n", cBalloonedPages,
2361 pGMM->cBalloonedPages, pGVM->gmm.s.cBalloonedPages, pGVM->gmm.s.cReqBalloonedPages, pGVM->gmm.s.cReqActuallyBalloonedPages));
2362
2363 /*
2364 * Anything we need to do here now when the request has been completed?
2365 */
2366 pGVM->gmm.s.cReqBalloonedPages = 0;
2367 }
2368 else
2369 Log(("GMMR0BalloonedPages: +%#x - Global=%#llx / VM: Total=%#llx Req=%#llx Actual=%#llx (pending)\n", cBalloonedPages,
2370 pGMM->cBalloonedPages, pGVM->gmm.s.cBalloonedPages, pGVM->gmm.s.cReqBalloonedPages, pGVM->gmm.s.cReqActuallyBalloonedPages));
2371 }
2372 else
2373 {
2374 pGVM->gmm.s.cBalloonedPages += cBalloonedPages;
2375 Log(("GMMR0BalloonedPages: +%#x - Global=%#llx / VM: Total=%#llx (user)\n",
2376 cBalloonedPages, pGMM->cBalloonedPages, pGVM->gmm.s.cBalloonedPages));
2377 }
2378
2379 /*
2380 * Any pages to free?
2381 */
2382 if (cPagesToFree)
2383 rc = gmmR0FreePages(pGMM, pGVM, cPagesToFree, paPages, GMMACCOUNT_BASE);
2384 }
2385 else
2386 {
2387 rc = VERR_GMM_ATTEMPT_TO_FREE_TOO_MUCH;
2388 }
2389
2390 RTSemFastMutexRelease(pGMM->Mtx);
2391 LogFlow(("GMMR0BalloonedPages: returns %Rrc\n", rc));
2392 return rc;
2393}
2394
2395
2396/**
2397 * VMMR0 request wrapper for GMMR0BalloonedPages.
2398 *
2399 * @returns see GMMR0BalloonedPages.
2400 * @param pVM Pointer to the shared VM structure.
2401 * @param pReq The request packet.
2402 */
2403GMMR0DECL(int) GMMR0BalloonedPagesReq(PVM pVM, PGMMBALLOONEDPAGESREQ pReq)
2404{
2405 /*
2406 * Validate input and pass it on.
2407 */
2408 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
2409 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
2410 AssertMsgReturn(pReq->Hdr.cbReq >= RT_UOFFSETOF(GMMBALLOONEDPAGESREQ, aPages[0]),
2411 ("%#x < %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMBALLOONEDPAGESREQ, aPages[0])),
2412 VERR_INVALID_PARAMETER);
2413 AssertMsgReturn(pReq->Hdr.cbReq == RT_UOFFSETOF(GMMBALLOONEDPAGESREQ, aPages[pReq->cPagesToFree]),
2414 ("%#x != %#x\n", pReq->Hdr.cbReq, RT_UOFFSETOF(GMMBALLOONEDPAGESREQ, aPages[pReq->cPagesToFree])),
2415 VERR_INVALID_PARAMETER);
2416
2417 return GMMR0BalloonedPages(pVM, pReq->cBalloonedPages, pReq->cPagesToFree, &pReq->aPages[0], pReq->fCompleted);
2418}
2419
2420
2421/**
2422 * Report balloon deflating.
2423 *
2424 * @returns VBox status code:
2425 * @retval xxx
2426 *
2427 * @param pVM Pointer to the shared VM structure.
2428 * @param cPages The number of pages that was let out of the balloon.
2429 * @thread EMT.
2430 */
2431GMMR0DECL(int) GMMR0DeflatedBalloon(PVM pVM, uint32_t cPages)
2432{
2433 LogFlow(("GMMR0DeflatedBalloon: pVM=%p cPages=%#x\n", pVM, cPages));
2434
2435 /*
2436 * Validate input and get the basics.
2437 */
2438 PGMM pGMM;
2439 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
2440 PGVM pGVM = GVMMR0ByVM(pVM);
2441 if (!pGVM)
2442 return VERR_INVALID_PARAMETER;
2443 if (pGVM->hEMT != RTThreadNativeSelf())
2444 return VERR_NOT_OWNER;
2445
2446 AssertMsgReturn(cPages >= 0 && cPages < RT_BIT(32 - PAGE_SHIFT), ("%#x\n", cPages), VERR_INVALID_PARAMETER);
2447
2448 /*
2449 * Take the sempahore and do some more validations.
2450 */
2451 int rc = RTSemFastMutexRequest(pGMM->Mtx);
2452 AssertRC(rc);
2453
2454 if (pGVM->gmm.s.cBalloonedPages < cPages)
2455 {
2456 Assert(pGMM->cBalloonedPages >= pGVM->gmm.s.cBalloonedPages);
2457
2458 /*
2459 * Record it.
2460 */
2461 pGMM->cBalloonedPages -= cPages;
2462 pGVM->gmm.s.cBalloonedPages -= cPages;
2463 if (pGVM->gmm.s.cReqDeflatePages)
2464 {
2465 Log(("GMMR0BalloonedPages: -%#x - Global=%#llx / VM: Total=%#llx Req=%#llx\n", cPages,
2466 pGMM->cBalloonedPages, pGVM->gmm.s.cBalloonedPages, pGVM->gmm.s.cReqDeflatePages));
2467
2468 /*
2469 * Anything we need to do here now when the request has been completed?
2470 */
2471 pGVM->gmm.s.cReqDeflatePages = 0;
2472 }
2473 else
2474 Log(("GMMR0BalloonedPages: -%#x - Global=%#llx / VM: Total=%#llx\n", cPages,
2475 pGMM->cBalloonedPages, pGVM->gmm.s.cBalloonedPages));
2476 }
2477 else
2478 {
2479 Log(("GMMR0DeflatedBalloon: cBalloonedPages=%#llx cPages=%#x\n", pGVM->gmm.s.cBalloonedPages, cPages));
2480 rc = VERR_GMM_ATTEMPT_TO_DEFLATE_TOO_MUCH;
2481 }
2482
2483 RTSemFastMutexRelease(pGMM->Mtx);
2484 LogFlow(("GMMR0BalloonedPages: returns %Rrc\n", rc));
2485 return rc;
2486}
2487
2488
2489/**
2490 * Unmaps a chunk previously mapped into the address space of the current process.
2491 *
2492 * @returns VBox status code.
2493 * @param pGMM Pointer to the GMM instance data.
2494 * @param pGVM Pointer to the Global VM structure.
2495 * @param pChunk Pointer to the chunk to be unmapped.
2496 */
2497static int gmmR0UnmapChunk(PGMM pGMM, PGVM pGVM, PGMMCHUNK pChunk)
2498{
2499 /*
2500 * Find the mapping and try unmapping it.
2501 */
2502 for (uint32_t i = 0; i < pChunk->cMappings; i++)
2503 {
2504 Assert(pChunk->paMappings[i].pGVM && pChunk->paMappings[i].MapObj != NIL_RTR0MEMOBJ);
2505 if (pChunk->paMappings[i].pGVM == pGVM)
2506 {
2507 /* unmap */
2508 int rc = RTR0MemObjFree(pChunk->paMappings[i].MapObj, false /* fFreeMappings (NA) */);
2509 if (RT_SUCCESS(rc))
2510 {
2511 /* update the record. */
2512 pChunk->cMappings--;
2513 if (i < pChunk->cMappings)
2514 pChunk->paMappings[i] = pChunk->paMappings[pChunk->cMappings];
2515 pChunk->paMappings[pChunk->cMappings].MapObj = NIL_RTR0MEMOBJ;
2516 pChunk->paMappings[pChunk->cMappings].pGVM = NULL;
2517 }
2518 return rc;
2519 }
2520 }
2521
2522 Log(("gmmR0MapChunk: Chunk %#x is not mapped into pGVM=%p/%#x\n", pChunk->Core.Key, pGVM, pGVM->hSelf));
2523 return VERR_GMM_CHUNK_NOT_MAPPED;
2524}
2525
2526
2527/**
2528 * Maps a chunk into the user address space of the current process.
2529 *
2530 * @returns VBox status code.
2531 * @param pGMM Pointer to the GMM instance data.
2532 * @param pGVM Pointer to the Global VM structure.
2533 * @param pChunk Pointer to the chunk to be mapped.
2534 * @param ppvR3 Where to store the ring-3 address of the mapping.
2535 * In the VERR_GMM_CHUNK_ALREADY_MAPPED case, this will be
2536 * contain the address of the existing mapping.
2537 */
2538static int gmmR0MapChunk(PGMM pGMM, PGVM pGVM, PGMMCHUNK pChunk, PRTR3PTR ppvR3)
2539{
2540 /*
2541 * Check to see if the chunk is already mapped.
2542 */
2543 for (uint32_t i = 0; i < pChunk->cMappings; i++)
2544 {
2545 Assert(pChunk->paMappings[i].pGVM && pChunk->paMappings[i].MapObj != NIL_RTR0MEMOBJ);
2546 if (pChunk->paMappings[i].pGVM == pGVM)
2547 {
2548 *ppvR3 = RTR0MemObjAddressR3(pChunk->paMappings[i].MapObj);
2549 Log(("gmmR0MapChunk: chunk %#x is already mapped at %p!\n", pChunk->Core.Key, *ppvR3));
2550 return VERR_GMM_CHUNK_ALREADY_MAPPED;
2551 }
2552 }
2553
2554 /*
2555 * Do the mapping.
2556 */
2557 RTR0MEMOBJ MapObj;
2558 int rc = RTR0MemObjMapUser(&MapObj, pChunk->MemObj, (RTR3PTR)-1, 0, RTMEM_PROT_READ | RTMEM_PROT_WRITE, NIL_RTR0PROCESS);
2559 if (RT_SUCCESS(rc))
2560 {
2561 /* reallocate the array? */
2562 if ((pChunk->cMappings & 1 /*7*/) == 0)
2563 {
2564 void *pvMappings = RTMemRealloc(pChunk->paMappings, (pChunk->cMappings + 2 /*8*/) * sizeof(pChunk->paMappings[0]));
2565 if (RT_UNLIKELY(pvMappings))
2566 {
2567 rc = RTR0MemObjFree(MapObj, false /* fFreeMappings (NA) */);
2568 AssertRC(rc);
2569 return VERR_NO_MEMORY;
2570 }
2571 pChunk->paMappings = (PGMMCHUNKMAP)pvMappings;
2572 }
2573
2574 /* insert new entry */
2575 pChunk->paMappings[pChunk->cMappings].MapObj = MapObj;
2576 pChunk->paMappings[pChunk->cMappings].pGVM = pGVM;
2577 pChunk->cMappings++;
2578
2579 *ppvR3 = RTR0MemObjAddressR3(MapObj);
2580 }
2581
2582 return rc;
2583}
2584
2585
2586/**
2587 * Map a chunk and/or unmap another chunk.
2588 *
2589 * The mapping and unmapping applies to the current process.
2590 *
2591 * This API does two things because it saves a kernel call per mapping when
2592 * when the ring-3 mapping cache is full.
2593 *
2594 * @returns VBox status code.
2595 * @param pVM The VM.
2596 * @param idChunkMap The chunk to map. NIL_GMM_CHUNKID if nothing to map.
2597 * @param idChunkUnmap The chunk to unmap. NIL_GMM_CHUNKID if nothing to unmap.
2598 * @param ppvR3 Where to store the address of the mapped chunk. NULL is ok if nothing to map.
2599 * @thread EMT
2600 */
2601GMMR0DECL(int) GMMR0MapUnmapChunk(PVM pVM, uint32_t idChunkMap, uint32_t idChunkUnmap, PRTR3PTR ppvR3)
2602{
2603 LogFlow(("GMMR0MapUnmapChunk: pVM=%p idChunkMap=%#x idChunkUnmap=%#x ppvR3=%p\n",
2604 pVM, idChunkMap, idChunkUnmap, ppvR3));
2605
2606 /*
2607 * Validate input and get the basics.
2608 */
2609 PGMM pGMM;
2610 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
2611 PGVM pGVM = GVMMR0ByVM(pVM);
2612 if (!pGVM)
2613 return VERR_INVALID_PARAMETER;
2614 if (pGVM->hEMT != RTThreadNativeSelf())
2615 return VERR_NOT_OWNER;
2616
2617 AssertCompile(NIL_GMM_CHUNKID == 0);
2618 AssertMsgReturn(idChunkMap <= GMM_CHUNKID_LAST, ("%#x\n", idChunkMap), VERR_INVALID_PARAMETER);
2619 AssertMsgReturn(idChunkUnmap <= GMM_CHUNKID_LAST, ("%#x\n", idChunkUnmap), VERR_INVALID_PARAMETER);
2620
2621 if ( idChunkMap == NIL_GMM_CHUNKID
2622 && idChunkUnmap == NIL_GMM_CHUNKID)
2623 return VERR_INVALID_PARAMETER;
2624
2625 if (idChunkMap != NIL_GMM_CHUNKID)
2626 {
2627 AssertPtrReturn(ppvR3, VERR_INVALID_POINTER);
2628 *ppvR3 = NIL_RTR3PTR;
2629 }
2630
2631 if (pGMM->fLegacyMode)
2632 {
2633 Log(("GMMR0MapUnmapChunk: legacy mode!\n"));
2634 return VERR_NOT_SUPPORTED;
2635 }
2636
2637 /*
2638 * Take the semaphore and do the work.
2639 *
2640 * The unmapping is done last since it's easier to undo a mapping than
2641 * undoing an unmapping. The ring-3 mapping cache cannot not be so big
2642 * that it pushes the user virtual address space to within a chunk of
2643 * it it's limits, so, no problem here.
2644 */
2645 int rc = RTSemFastMutexRequest(pGMM->Mtx);
2646 AssertRC(rc);
2647
2648 PGMMCHUNK pMap = NULL;
2649 if (idChunkMap != NIL_GVM_HANDLE)
2650 {
2651 pMap = gmmR0GetChunk(pGMM, idChunkMap);
2652 if (RT_LIKELY(pMap))
2653 rc = gmmR0MapChunk(pGMM, pGVM, pMap, ppvR3);
2654 else
2655 {
2656 Log(("GMMR0MapUnmapChunk: idChunkMap=%#x\n", idChunkMap));
2657 rc = VERR_GMM_CHUNK_NOT_FOUND;
2658 }
2659 }
2660
2661 if ( idChunkUnmap != NIL_GMM_CHUNKID
2662 && RT_SUCCESS(rc))
2663 {
2664 PGMMCHUNK pUnmap = gmmR0GetChunk(pGMM, idChunkUnmap);
2665 if (RT_LIKELY(pUnmap))
2666 rc = gmmR0UnmapChunk(pGMM, pGVM, pUnmap);
2667 else
2668 {
2669 Log(("GMMR0MapUnmapChunk: idChunkUnmap=%#x\n", idChunkUnmap));
2670 rc = VERR_GMM_CHUNK_NOT_FOUND;
2671 }
2672
2673 if (RT_FAILURE(rc) && pMap)
2674 gmmR0UnmapChunk(pGMM, pGVM, pMap);
2675 }
2676
2677 RTSemFastMutexRelease(pGMM->Mtx);
2678
2679 LogFlow(("GMMR0MapUnmapChunk: returns %Rrc\n", rc));
2680 return rc;
2681}
2682
2683
2684/**
2685 * VMMR0 request wrapper for GMMR0MapUnmapChunk.
2686 *
2687 * @returns see GMMR0MapUnmapChunk.
2688 * @param pVM Pointer to the shared VM structure.
2689 * @param pReq The request packet.
2690 */
2691GMMR0DECL(int) GMMR0MapUnmapChunkReq(PVM pVM, PGMMMAPUNMAPCHUNKREQ pReq)
2692{
2693 /*
2694 * Validate input and pass it on.
2695 */
2696 AssertPtrReturn(pVM, VERR_INVALID_POINTER);
2697 AssertPtrReturn(pReq, VERR_INVALID_POINTER);
2698 AssertMsgReturn(pReq->Hdr.cbReq == sizeof(*pReq), ("%#x != %#x\n", pReq->Hdr.cbReq, sizeof(*pReq)), VERR_INVALID_PARAMETER);
2699
2700 return GMMR0MapUnmapChunk(pVM, pReq->idChunkMap, pReq->idChunkUnmap, &pReq->pvR3);
2701}
2702
2703
2704/**
2705 * Legacy mode API for supplying pages.
2706 *
2707 * The specified user address points to a allocation chunk sized block that
2708 * will be locked down and used by the GMM when the GM asks for pages.
2709 *
2710 * @returns VBox status code.
2711 * @param pVM The VM.
2712 * @param pvR3 Pointer to the chunk size memory block to lock down.
2713 */
2714GMMR0DECL(int) GMMR0SeedChunk(PVM pVM, RTR3PTR pvR3)
2715{
2716 /*
2717 * Validate input and get the basics.
2718 */
2719 PGMM pGMM;
2720 GMM_GET_VALID_INSTANCE(pGMM, VERR_INTERNAL_ERROR);
2721 PGVM pGVM = GVMMR0ByVM(pVM);
2722 if (!pGVM)
2723 return VERR_INVALID_PARAMETER;
2724 if (pGVM->hEMT != RTThreadNativeSelf())
2725 return VERR_NOT_OWNER;
2726
2727 AssertPtrReturn(pvR3, VERR_INVALID_POINTER);
2728 AssertReturn(!(PAGE_OFFSET_MASK & pvR3), VERR_INVALID_POINTER);
2729
2730 if (!pGMM->fLegacyMode)
2731 {
2732 Log(("GMMR0MapUnmapChunk: not in legacy mode!\n"));
2733 return VERR_NOT_SUPPORTED;
2734 }
2735
2736 /*
2737 * Lock the memory before taking the semaphore.
2738 */
2739 RTR0MEMOBJ MemObj;
2740 int rc = RTR0MemObjLockUser(&MemObj, pvR3, GMM_CHUNK_SIZE, NIL_RTR0PROCESS);
2741 if (RT_SUCCESS(rc))
2742 {
2743 /*
2744 * Take the semaphore and add a new chunk with our hGVM.
2745 */
2746 int rc = RTSemFastMutexRequest(pGMM->Mtx);
2747 AssertRC(rc);
2748
2749 rc = gmmR0RegisterChunk(pGMM, &pGMM->Private, MemObj, pGVM->hSelf);
2750
2751 RTSemFastMutexRelease(pGMM->Mtx);
2752
2753 if (RT_FAILURE(rc))
2754 RTR0MemObjFree(MemObj, false /* fFreeMappings */);
2755 }
2756
2757 return rc;
2758}
2759
Note: See TracBrowser for help on using the repository browser.

© 2024 Oracle Support Privacy / Do Not Sell My Info Terms of Use Trademark Policy Automated Access Etiquette