1 /*
2 * Copyright (c) 2020-2021 Apple Inc. All rights reserved.
3 *
4 * @APPLE_OSREFERENCE_LICENSE_HEADER_START@
5 *
6 * This file contains Original Code and/or Modifications of Original Code
7 * as defined in and that are subject to the Apple Public Source License
8 * Version 2.0 (the 'License'). You may not use this file except in
9 * compliance with the License. The rights granted to you under the License
10 * may not be used to create, or enable the creation or redistribution of,
11 * unlawful or unlicensed copies of an Apple operating system, or to
12 * circumvent, violate, or enable the circumvention or violation of, any
13 * terms of an Apple operating system software license agreement.
14 *
15 * Please obtain a copy of the License at
16 * http://www.opensource.apple.com/apsl/ and read it before using this file.
17 *
18 * The Original Code and all software distributed under the License are
19 * distributed on an 'AS IS' basis, WITHOUT WARRANTY OF ANY KIND, EITHER
20 * EXPRESS OR IMPLIED, AND APPLE HEREBY DISCLAIMS ALL SUCH WARRANTIES,
21 * INCLUDING WITHOUT LIMITATION, ANY WARRANTIES OF MERCHANTABILITY,
22 * FITNESS FOR A PARTICULAR PURPOSE, QUIET ENJOYMENT OR NON-INFRINGEMENT.
23 * Please see the License for the specific language governing rights and
24 * limitations under the License.
25 *
26 * @APPLE_OSREFERENCE_LICENSE_HEADER_END@
27 */
28 #include <arm/cpu_data_internal.h>
29 #include <kern/queue.h>
30 #include <libkern/OSAtomic.h>
31 #include <libkern/section_keywords.h>
32 #include <pexpert/device_tree.h>
33 #include <os/atomic_private.h>
34 #include <vm/cpm.h>
35 #include <vm/vm_kern.h>
36 #include <vm/vm_protos.h>
37 #include <vm/vm_object.h>
38 #include <vm/vm_page.h>
39 #include <vm/vm_pageout.h>
40
41 #include <arm/pmap/pmap_internal.h>
42
43 /**
44 * Physical Page Attribute Table.
45 *
46 * Array that contains a set of flags for each kernel-managed physical VM page.
47 *
48 * @note There can be a disparity between the VM page size and the underlying
49 * hardware page size for a specific address space. In those cases, it's
50 * possible that multiple hardware pages will share the same set of
51 * attributes. The VM operates on regions of memory by the VM page size
52 * and is aware that all hardware pages within each VM page share
53 * attributes.
54 */
55 SECURITY_READ_ONLY_LATE(volatile pp_attr_t*) pp_attr_table = (volatile pp_attr_t*)NULL;
56
57 /**
58 * Physical to Virtual Table.
59 *
60 * Data structure that contains a list of virtual mappings for each kernel-
61 * managed physical page. Other flags and metadata are also stored in this
62 * structure on a per-physical-page basis.
63 *
64 * This structure is arranged as an array of pointers, where each pointer can
65 * point to one of three different types of data (single mapping, multiple
66 * mappings, or page table descriptor). Metadata about each page (including the
67 * type of pointer) are located in the lower and upper bits of the pointer.
68 * These bits need to be set/masked out to be able to dereference the pointer,
69 * so it's recommended to use the provided API in pmap_data.h to access the
70 * pv_head_table since it handles these details for you.
71 */
72 SECURITY_READ_ONLY_LATE(pv_entry_t * *) pv_head_table = (pv_entry_t**)NULL;
73
74 /**
75 * Queue chain of userspace page table pages that can be quickly reclaimed by
76 * pmap_page_reclaim() in cases where the a page can't easily be allocated
77 * the normal way, but the caller needs a page quickly.
78 */
79 static queue_head_t pt_page_list MARK_AS_PMAP_DATA;
80
81 /* Lock for pt_page_list. */
82 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pt_pages_lock, 0);
83
84 /* Simple linked-list structure used in various page free lists. */
85 typedef struct page_free_entry {
86 /**
87 * The first word in an empty page on a free list is used as a pointer to
88 * the next free page in the list.
89 */
90 struct page_free_entry *next;
91 } page_free_entry_t;
92
93 /* Represents a NULL entry in various page free lists. */
94 #define PAGE_FREE_ENTRY_NULL ((page_free_entry_t *) 0)
95
96 /**
97 * pmap_page_reclaim() is called in critical, latency-sensitive code paths when
98 * either the VM doesn't have any pages available (on non-PPL systems), or the
99 * PPL page free lists are empty (on PPL systems). Before it attempts to reclaim
100 * a userspace page table page (which will have performance penalties), it will
101 * first try allocating a page from this high-priority free list.
102 *
103 * When the pmap is starved for memory and starts relying on
104 * pmap_page_reclaim() to allocate memory, then the next page being freed will
105 * be placed onto this list for usage only by pmap_page_reclaim(). Typically
106 * that page will be a userspace page table that was just reclaimed.
107 */
108 static page_free_entry_t *pmap_page_reclaim_list MARK_AS_PMAP_DATA = PAGE_FREE_ENTRY_NULL;
109
110 /**
111 * Current number of pending requests to reclaim a page table page. This is used
112 * as an indicator to pmap_pages_free() to place any freed pages into the high
113 * priority pmap_page_reclaim() free list so that the next invocations of
114 * pmap_page_reclaim() can use them. Typically this will be a userspace page
115 * table that was just reclaimed.
116 */
117 static unsigned int pmap_pages_request_count MARK_AS_PMAP_DATA = 0;
118
119 /**
120 * Total number of pages that have been requested from pmap_page_reclaim() since
121 * cold boot.
122 */
123 static unsigned long long pmap_pages_request_acum MARK_AS_PMAP_DATA = 0;
124
125 /* Lock for the pmap_page_reclaim() high-priority free list. */
126 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pmap_page_reclaim_lock, 0);
127
128 #if XNU_MONITOR
129 /**
130 * The PPL cannot invoke the VM in order to allocate memory, so we must maintain
131 * a list of free pages that the PPL owns. The kernel can give the PPL
132 * additional pages by grabbing pages from the VM and marking them as PPL-owned.
133 * See pmap_alloc_page_for_ppl() for more information.
134 */
135 static page_free_entry_t *pmap_ppl_free_page_list MARK_AS_PMAP_DATA = PAGE_FREE_ENTRY_NULL;
136
137 /* The current number of pages in the PPL page free list. */
138 uint64_t pmap_ppl_free_page_count MARK_AS_PMAP_DATA = 0;
139
140 /* Lock for the PPL page free list. */
141 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pmap_ppl_free_page_lock, 0);
142 #endif /* XNU_MONITOR */
143
144 /**
145 * This VM object will contain every VM page being used by the pmap. This acts
146 * as a convenient place to put pmap pages to keep the VM from reusing them, as
147 * well as providing a way for looping over every page being used by the pmap.
148 */
149 struct vm_object pmap_object_store VM_PAGE_PACKED_ALIGNED;
150
151 /* Pointer to the pmap's VM object that can't be modified after machine_lockdown(). */
152 SECURITY_READ_ONLY_LATE(vm_object_t) pmap_object = &pmap_object_store;
153
154 /**
155 * Global variables strictly used for debugging purposes. These variables keep
156 * track of the total number of pages that have been allocated from the VM for
157 * pmap usage since cold boot, as well as how many are currently in use by the
158 * pmap. Once a page is given back to the VM, then the inuse_pmap_pages_count
159 * will be decremented.
160 *
161 * Even if a page is sitting in one of the pmap's various free lists and hasn't
162 * been allocated for usage, these are still considered "used" by the pmap, from
163 * the perspective of the VM.
164 */
165 static uint64_t alloc_pmap_pages_count __attribute__((aligned(8))) = 0LL;
166 unsigned int inuse_pmap_pages_count = 0;
167
168 /**
169 * Default watermark values used to keep a healthy supply of physical-to-virtual
170 * entries (PVEs) always available. These values can be overriden by the device
171 * tree (see pmap_compute_pv_targets() for more info).
172 */
173 #if XNU_MONITOR
174 /*
175 * Increase the padding for PPL devices to accommodate increased mapping
176 * pressure from IOMMUs. This isn't strictly necessary, but will reduce the need
177 * to retry mappings due to PV allocation failure.
178 */
179 #define PV_KERN_LOW_WATER_MARK_DEFAULT (0x400)
180 #define PV_ALLOC_CHUNK_INITIAL (0x400)
181 #define PV_KERN_ALLOC_CHUNK_INITIAL (0x400)
182 #else /* XNU_MONITOR */
183 #define PV_KERN_LOW_WATER_MARK_DEFAULT (0x200)
184 #define PV_ALLOC_CHUNK_INITIAL (0x200)
185 #define PV_KERN_ALLOC_CHUNK_INITIAL (0x200)
186 #endif /* XNU_MONITOR */
187
188 /**
189 * The pv_free array acts as a ring buffer where each entry points to a linked
190 * list of PVEs that have a length set by this define.
191 */
192 #define PV_BATCH_SIZE (PAGE_SIZE / sizeof(pv_entry_t))
193
194 /* The batch allocation code assumes that a batch can fit within a single page. */
195 #if defined(__arm64__) && __ARM_16K_PG__
196 /**
197 * PAGE_SIZE is a variable on arm64 systems with 4K VM pages, so no static
198 * assert on those systems.
199 */
200 static_assert((PV_BATCH_SIZE * sizeof(pv_entry_t)) <= PAGE_SIZE);
201 #endif /* defined(__arm64__) && __ARM_16K_PG__ */
202
203 /**
204 * The number of PVEs to attempt to keep in the kernel-dedicated free list. If
205 * the number of entries is below this value, then allocate more.
206 */
207 static uint32_t pv_kern_low_water_mark MARK_AS_PMAP_DATA = PV_KERN_LOW_WATER_MARK_DEFAULT;
208
209 /**
210 * The initial number of PVEs to allocate during bootstrap (can be overriden in
211 * the device tree, see pmap_compute_pv_targets() for more info).
212 */
213 uint32_t pv_alloc_initial_target MARK_AS_PMAP_DATA = PV_ALLOC_CHUNK_INITIAL * MAX_CPUS;
214 uint32_t pv_kern_alloc_initial_target MARK_AS_PMAP_DATA = PV_KERN_ALLOC_CHUNK_INITIAL;
215
216 /**
217 * Global variables strictly used for debugging purposes. These variables keep
218 * track of the number of pages being used for PVE objects, and the total number
219 * of PVEs that have been added to the global or kernel-dedicated free lists
220 * respectively.
221 */
222 static uint32_t pv_page_count MARK_AS_PMAP_DATA = 0;
223 static unsigned pmap_reserve_replenish_stat MARK_AS_PMAP_DATA = 0;
224 static unsigned pmap_kern_reserve_alloc_stat MARK_AS_PMAP_DATA = 0;
225
226 /**
227 * Number of linked lists of PVEs ("batches") in the global PV free ring buffer.
228 * This must be a power of two for the pv_free_array_n_elems() logic to work.
229 */
230 #define PV_FREE_ARRAY_SIZE (256U)
231
232 /**
233 * A ring buffer where each entry in the buffer is a linked list of PV entries
234 * (called "batches"). Allocations out of this array will always operate on
235 * a PV_BATCH_SIZE amount of entries at a time.
236 */
237 static pv_free_list_t pv_free_ring[PV_FREE_ARRAY_SIZE] MARK_AS_PMAP_DATA = {0};
238
239 /* Read and write indices for the pv_free ring buffer. */
240 static uint16_t pv_free_read_idx MARK_AS_PMAP_DATA = 0;
241 static uint16_t pv_free_write_idx MARK_AS_PMAP_DATA = 0;
242
243 /**
244 * Make sure the PV free array is small enough so that all elements can be
245 * properly indexed by pv_free_[read/write]_idx.
246 */
247 static_assert(PV_FREE_ARRAY_SIZE <= (1 << (sizeof(pv_free_read_idx) * 8)));
248
249 /**
250 * Return the number of free batches available for allocation out of the PV free
251 * ring buffer. Each batch is a linked list of PVEs with length PV_BATCH_SIZE.
252 *
253 * @note This function requires that PV_FREE_ARRAY_SIZE is a power of two.
254 */
255 static inline uint16_t
pv_free_array_n_elems(void)256 pv_free_array_n_elems(void)
257 {
258 return (pv_free_write_idx - pv_free_read_idx) & (PV_FREE_ARRAY_SIZE - 1);
259 }
260
261 /* Free list of PV entries dedicated for usage by the kernel. */
262 static pv_free_list_t pv_kern_free MARK_AS_PMAP_DATA = {0};
263
264 /* Locks for the global and kernel-dedicated PV free lists. */
265 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pv_free_array_lock, 0);
266 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pv_kern_free_list_lock, 0);
267
268 /* Represents a null page table descriptor (PTD). */
269 #define PTD_ENTRY_NULL ((pt_desc_t *) 0)
270
271 /* Running free list of PTD nodes. */
272 static pt_desc_t *ptd_free_list MARK_AS_PMAP_DATA = PTD_ENTRY_NULL;
273
274 /* The number of free PTD nodes available in the free list. */
275 static unsigned int ptd_free_count MARK_AS_PMAP_DATA = 0;
276
277 /**
278 * The number of PTD objects located in each page being used by the PTD
279 * allocator. The PTD objects share each page with their associated ptd_info_t
280 * objects (with cache-line alignment padding between them). The maximum number
281 * of PTDs that can be placed into a single page is calculated once at boot.
282 */
283 static SECURITY_READ_ONLY_LATE(unsigned) ptd_per_page = 0;
284
285 /**
286 * The offset in bytes from the beginning of a page of PTD objects where you
287 * start seeing the associated ptd_info_t objects. This is calculated once
288 * during boot to maximize the number of PTD and ptd_info_t objects that can
289 * reside within a page without sharing a cache-line.
290 */
291 static SECURITY_READ_ONLY_LATE(unsigned) ptd_info_offset = 0;
292
293 /* Lock to protect accesses to the PTD free list. */
294 static decl_simple_lock_data(, ptd_free_list_lock MARK_AS_PMAP_DATA);
295
296 /**
297 * Dummy _internal() prototypes so Clang doesn't complain about missing
298 * prototypes on a non-static function. These functions can't be marked as
299 * static because they need to be called from pmap_ppl_interface.c where the
300 * PMAP_SUPPORT_PROTOYPES() macro will auto-generate the prototype implicitly.
301 */
302 kern_return_t mapping_free_prime_internal(void);
303
304 #if XNU_MONITOR
305
306 /**
307 * These types and variables only exist on PPL-enabled systems because those are
308 * the only systems that need to allocate and manage ledger/pmap objects
309 * themselves. On non-PPL systems, those objects are allocated using a standard
310 * zone allocator.
311 */
312
313 /**
314 * Specify that the maximum number of ledgers and pmap objects are to be
315 * correlated to the maximum number of tasks allowed on the system (at most,
316 * we'll have one pmap object per task). For ledger objects, give a small amount
317 * of extra padding to account for allocation differences between pmap objects
318 * and ledgers (i.e. ~10% of total number of iOS tasks = 200).
319 *
320 * These defines are only valid once `pmap_max_asids` is initialized in
321 * pmap_bootstrap() (the value can change depending on the device tree).
322 */
323 #define LEDGER_PTR_ARRAY_SIZE (pmap_max_asids + 200)
324 #define PMAP_PTR_ARRAY_SIZE (pmap_max_asids)
325
326 /**
327 * Each ledger object consists of a variable number of ledger entries that is
328 * determined by the template it's based on. The template used for pmap ledger
329 * objects is the task_ledgers template.
330 *
331 * This define attempts to calculate how large each pmap ledger needs to be
332 * based on how many ledger entries exist in the task_ledgers template. This is
333 * found by counting how many integers exist in the task_ledgers structure (each
334 * integer represents the index for a ledger_entry) and multiplying by the size
335 * of a single ledger entry. That value is then added to the other fields in a
336 * ledger structure to get the total size of a single pmap ledger.
337 *
338 * Some of the task ledger's entries use a smaller struct format. TASK_LEDGER_NUM_SMALL_INDICES
339 * is used to determine how much memory we need for those entries.
340 *
341 * This assumed size will get validated when the task_ledgers template is
342 * created and the system will panic if this calculation wasn't correct.
343 *
344 */
345 #define PMAP_LEDGER_DATA_BYTES \
346 (((sizeof(task_ledgers) / sizeof(int) - TASK_LEDGER_NUM_SMALL_INDICES) * sizeof(struct ledger_entry) \
347 + TASK_LEDGER_NUM_SMALL_INDICES * sizeof(struct ledger_entry_small)) \
348 + sizeof(struct ledger))
349
350 /**
351 * Opaque data structure that contains the exact number of bytes required to
352 * hold a single ledger object based off of the task_ledgers template.
353 */
354 typedef struct pmap_ledger_data {
355 uint8_t pld_data[PMAP_LEDGER_DATA_BYTES];
356 } pmap_ledger_data_t;
357
358 /**
359 * This struct contains the memory needed to hold a single ledger object used by
360 * the pmap as well as an index into the pmap_ledger_ptr_array used for
361 * validating ledger objects passed into the PPL.
362 */
363 typedef struct pmap_ledger {
364 /**
365 * Either contain the memory needed for a ledger object based on the
366 * task_ledgers template (if already allocated) or a pointer to the next
367 * ledger object in the free list if the object hasn't been allocated yet.
368 *
369 * This union has to be the first member of this struct so that the memory
370 * used by this struct can be correctly cast to a ledger_t and used
371 * as a normal ledger object by the standard ledger API.
372 */
373 union {
374 struct pmap_ledger_data pld_data;
375 struct pmap_ledger *next;
376 };
377
378 /**
379 * This extra piece of information (not normally associated with generic
380 * ledger_t objects) is used to validate that a ledger passed into the PPL
381 * is indeed a ledger that was allocated by the PPL, and not just random
382 * memory being passed off as a ledger object. See pmap_ledger_validate()
383 * for more information on validating ledger objects.
384 */
385 unsigned long array_index;
386 } pmap_ledger_t;
387
388 /**
389 * This variable is used to ensure that the size of the ledger objects being
390 * allocated by the PPL match up with the actual size of the ledger objects
391 * before objects start being allocated.
392 */
393 static SECURITY_READ_ONLY_LATE(bool) pmap_ledger_size_verified = false;
394
395 /* Ledger free list lock. */
396 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pmap_ledger_lock, 0);
397
398 /*
399 * The pmap_ledger_t contents are allowed to be written outside the PPL,
400 * so refcounts must be in a separate PPL-controlled array.
401 */
402 static SECURITY_READ_ONLY_LATE(os_refcnt_t *) pmap_ledger_refcnt = NULL;
403
404 /**
405 * The number of entries in the pmap ledger pointer and ledger refcnt arrays.
406 * This determines the maximum number of pmap ledger objects that can be
407 * allocated.
408 *
409 * This value might be slightly higher than LEDGER_PTR_ARRAY_SIZE because the
410 * memory used for the array is rounded up to the nearest page boundary.
411 */
412 static SECURITY_READ_ONLY_LATE(unsigned long) pmap_ledger_ptr_array_count = 0;
413
414 /**
415 * This array is used to validate that ledger objects passed into the PPL were
416 * allocated by the PPL and aren't just random memory being passed off as a
417 * ledger object. It does this by associating each ledger object allocated by
418 * the PPL with an index into this array. The value at that index will be a
419 * pointer to the ledger object itself.
420 *
421 * Even though the ledger object is kernel-writable, this array is only
422 * modifiable by the PPL. If a ledger object is passed into the PPL that has an
423 * index into this array that doesn't match up, then the validation will fail.
424 */
425 static SECURITY_READ_ONLY_LATE(pmap_ledger_t * *) pmap_ledger_ptr_array = NULL;
426
427 /**
428 * The next free index into pmap_ledger_ptr_array to be given to the next
429 * allocated ledger object.
430 */
431 static uint64_t pmap_ledger_ptr_array_free_index MARK_AS_PMAP_DATA = 0;
432
433 /* Free list of pmap ledger objects. */
434 static pmap_ledger_t *pmap_ledger_free_list MARK_AS_PMAP_DATA = NULL;
435
436 /**
437 * This struct contains the memory needed to hold a single pmap object as well
438 * as an index into the pmap_ptr_array used for validating pmap objects passed
439 * into the PPL.
440 */
441 typedef struct pmap_list_entry {
442 /**
443 * Either contain the memory needed for a single pmap object or a pointer to
444 * the next pmap object in the free list if the object hasn't been allocated
445 * yet.
446 *
447 * This union has to be the first member of this struct so that the memory
448 * used by this struct can be correctly cast as either a pmap_list_entry_t
449 * or a pmap_t (depending on whether the array_index is needed).
450 */
451 union {
452 struct pmap pmap;
453 struct pmap_list_entry *next;
454 };
455
456 /**
457 * This extra piece of information (not normally associated with generic
458 * pmap objects) is used to validate that a pmap object passed into the PPL
459 * is indeed a pmap object that was allocated by the PPL, and not just random
460 * memory being passed off as a pmap object. See validate_pmap()
461 * for more information on validating pmap objects.
462 */
463 unsigned long array_index;
464 } pmap_list_entry_t;
465
466 /* Lock for the pmap free list. */
467 static MARK_AS_PMAP_DATA SIMPLE_LOCK_DECLARE(pmap_free_list_lock, 0);
468
469 /**
470 * The number of entries in the pmap pointer array. This determines the maximum
471 * number of pmap objects that can be allocated.
472 *
473 * This value might be slightly higher than PMAP_PTR_ARRAY_SIZE because the
474 * memory used for the array is rounded up to the nearest page boundary.
475 */
476 static SECURITY_READ_ONLY_LATE(unsigned long) pmap_ptr_array_count = 0;
477
478 /**
479 * This array is used to validate that pmap objects passed into the PPL were
480 * allocated by the PPL and aren't just random memory being passed off as a pmap
481 * object. It does this by associating each pmap object allocated by the PPL
482 * with an index into this array. The value at that index will be a pointer to
483 * the pmap object itself.
484 *
485 * If a pmap object is passed into the PPL that has an index into this array
486 * that doesn't match up, then the validation will fail.
487 */
488 static SECURITY_READ_ONLY_LATE(pmap_list_entry_t * *) pmap_ptr_array = NULL;
489
490 /**
491 * The next free index into pmap_ptr_array to be given to the next
492 * allocated pmap object.
493 */
494 static unsigned long pmap_ptr_array_free_index MARK_AS_PMAP_DATA = 0;
495
496 /* Free list of pmap objects. */
497 static pmap_list_entry_t *pmap_free_list MARK_AS_PMAP_DATA = NULL;
498
499 #endif /* XNU_MONITOR */
500
501 /**
502 * Sorted representation of the pmap-io-ranges nodes in the device tree. These
503 * nodes describe all of the PPL-owned I/O ranges.
504 */
505 SECURITY_READ_ONLY_LATE(pmap_io_range_t*) io_attr_table = (pmap_io_range_t*)0;
506
507 /* The number of ranges described by io_attr_table. */
508 SECURITY_READ_ONLY_LATE(unsigned int) num_io_rgns = 0;
509
510 /**
511 * Sorted representation of the pmap-io-filter entries in the device tree
512 * The entries are sorted and queried by {signature, range}.
513 */
514 SECURITY_READ_ONLY_LATE(pmap_io_filter_entry_t*) io_filter_table = (pmap_io_filter_entry_t*)0;
515
516 /* Number of total pmap-io-filter entries. */
517 SECURITY_READ_ONLY_LATE(unsigned int) num_io_filter_entries = 0;
518
519 #if XNU_MONITOR
520
521 /**
522 * Per-cpu pmap data. On PPL-enabled systems, this memory is only modifiable by
523 * the PPL itself and because of that, needs to be managed separately from the
524 * generic per-cpu data. The per-cpu pmap data exists on non-PPL systems as
525 * well, it's just located within the general machine-specific per-cpu data.
526 */
527 struct pmap_cpu_data_array_entry pmap_cpu_data_array[MAX_CPUS] MARK_AS_PMAP_DATA;
528
529 /**
530 * The physical address spaces being used for the PPL stacks and PPL register
531 * save area are stored in global variables so that their permissions can be
532 * updated in pmap_static_allocations_done(). These regions are initialized by
533 * pmap_cpu_data_array_init().
534 */
535 SECURITY_READ_ONLY_LATE(pmap_paddr_t) pmap_stacks_start_pa = 0;
536 SECURITY_READ_ONLY_LATE(pmap_paddr_t) pmap_stacks_end_pa = 0;
537 SECURITY_READ_ONLY_LATE(pmap_paddr_t) ppl_cpu_save_area_start = 0;
538 SECURITY_READ_ONLY_LATE(pmap_paddr_t) ppl_cpu_save_area_end = 0;
539
540 #if HAS_GUARDED_IO_FILTER
541 SECURITY_READ_ONLY_LATE(pmap_paddr_t) iofilter_stacks_start_pa = 0;
542 SECURITY_READ_ONLY_LATE(pmap_paddr_t) iofilter_stacks_end_pa = 0;
543 #endif /* HAS_GUARDED_IO_FILTER */
544
545 #endif /* XNU_MONITOR */
546
547 /* Prototypes used by pmap_data_bootstrap(). */
548 vm_size_t pmap_compute_io_rgns(void);
549 void pmap_load_io_rgns(void);
550 void pmap_cpu_data_array_init(void);
551
552 #if HAS_GUARDED_IO_FILTER
553 vm_size_t pmap_compute_io_filters(void);
554 void pmap_load_io_filters(void);
555 #endif /* HAS_GUARDED_IO_FILTER */
556
557 /**
558 * This function is called once during pmap_bootstrap() to allocate and
559 * initialize many of the core data structures that are implemented in this
560 * file.
561 *
562 * Memory for these data structures is carved out of `avail_start` which is a
563 * global setup by arm_vm_init() that points to a physically contiguous region
564 * used for bootstrap allocations.
565 *
566 * @note There is no guaranteed alignment of `avail_start` when this function
567 * returns. If avail_start needs to be aligned to a specific value then it
568 * must be done so by the caller before they use it for more allocations.
569 */
570 void
pmap_data_bootstrap(void)571 pmap_data_bootstrap(void)
572 {
573 /**
574 * Set ptd_per_page to the maximum number of (pt_desc_t + ptd_info_t) we can
575 * fit in a single page. We need to allow for some padding between the two,
576 * so that no ptd_info_t shares a cache line with a pt_desc_t.
577 */
578 const unsigned ptd_info_size = sizeof(ptd_info_t) * PT_INDEX_MAX;
579 const unsigned l2_cline_bytes = 1 << MAX_L2_CLINE;
580 ptd_per_page = (PAGE_SIZE - (l2_cline_bytes - 1)) / (sizeof(pt_desc_t) + ptd_info_size);
581 unsigned increment = 0;
582 bool try_next = true;
583
584 /**
585 * The current ptd_per_page calculation was done assuming the worst-case
586 * scenario in terms of padding between the two object arrays that reside in
587 * the same page. The following loop attempts to optimize this further by
588 * finding the smallest possible amount of padding while still ensuring that
589 * the two object arrays don't share a cache line.
590 */
591 while (try_next) {
592 increment++;
593 const unsigned pt_desc_total_size =
594 PMAP_ALIGN((ptd_per_page + increment) * sizeof(pt_desc_t), l2_cline_bytes);
595 const unsigned ptd_info_total_size = (ptd_per_page + increment) * ptd_info_size;
596 try_next = (pt_desc_total_size + ptd_info_total_size) <= PAGE_SIZE;
597 }
598 ptd_per_page += increment - 1;
599 assert(ptd_per_page > 0);
600
601 /**
602 * ptd_info objects reside after the ptd descriptor objects, with some
603 * padding in between if necessary to ensure that they don't co-exist in the
604 * same cache line.
605 */
606 const unsigned pt_desc_bytes = ptd_per_page * sizeof(pt_desc_t);
607 ptd_info_offset = PMAP_ALIGN(pt_desc_bytes, l2_cline_bytes);
608
609 /* The maximum amount of padding should be (l2_cline_bytes - 1). */
610 assert((ptd_info_offset - pt_desc_bytes) < l2_cline_bytes);
611
612 /**
613 * Allocate enough initial PTDs to map twice the available physical memory.
614 *
615 * To do this, start by calculating the number of leaf page tables that are
616 * needed to cover all of kernel-managed physical memory.
617 */
618 const uint32_t num_leaf_page_tables =
619 (uint32_t)(mem_size / ((PAGE_SIZE / sizeof(pt_entry_t)) * ARM_PGBYTES));
620
621 /**
622 * There should be one PTD per page table (times 2 since we want twice the
623 * number of required PTDs), plus round the number of PTDs up to the next
624 * `ptd_per_page` value so there's no wasted space.
625 */
626 const uint32_t ptd_root_table_n_ptds =
627 (ptd_per_page * ((num_leaf_page_tables * 2) / ptd_per_page)) + ptd_per_page;
628
629 /* Lastly, calculate the number of VM pages and bytes these PTDs take up. */
630 const uint32_t num_ptd_pages = ptd_root_table_n_ptds / ptd_per_page;
631 vm_size_t ptd_root_table_size = num_ptd_pages * PAGE_SIZE;
632
633 /* Number of VM pages that span all of kernel-managed memory. */
634 const unsigned int npages = (unsigned int)atop(mem_size);
635
636 /* The pv_head_table and pp_attr_table both have one entry per VM page. */
637 const vm_size_t pp_attr_table_size = npages * sizeof(pp_attr_t);
638 const vm_size_t pv_head_size = round_page(npages * sizeof(pv_entry_t *));
639
640 /* Scan the device tree and override heuristics in the PV entry management code. */
641 pmap_compute_pv_targets();
642
643 /* Scan the device tree and figure out how many PPL-owned I/O regions there are. */
644 const vm_size_t io_attr_table_size = pmap_compute_io_rgns();
645
646 #if HAS_GUARDED_IO_FILTER
647 /* Scan the device tree for the size of pmap-io-filter entries. */
648 const vm_size_t io_filter_table_size = pmap_compute_io_filters();
649 #endif /* HAS_GUARDED_IO_FILTER */
650
651 /**
652 * Don't make any assumptions about the alignment of avail_start before
653 * execution of this function. Always re-align it to ensure the first
654 * allocated data structure is aligned correctly.
655 */
656 avail_start = PMAP_ALIGN(avail_start, __alignof(pp_attr_t));
657
658 /**
659 * Keep track of where the data structures start so we can clear this memory
660 * later.
661 */
662 const pmap_paddr_t pmap_struct_start = avail_start;
663
664 pp_attr_table = (pp_attr_t *)phystokv(avail_start);
665 avail_start = PMAP_ALIGN(avail_start + pp_attr_table_size, __alignof(pmap_io_range_t));
666
667 io_attr_table = (pmap_io_range_t *)phystokv(avail_start);
668
669 #if HAS_GUARDED_IO_FILTER
670 /* Align avail_start to size of I/O filter entry. */
671 avail_start = PMAP_ALIGN(avail_start + io_attr_table_size, __alignof(pmap_io_filter_entry_t));
672
673 /* Allocate memory for io_filter_table. */
674 if (num_io_filter_entries != 0) {
675 io_filter_table = (pmap_io_filter_entry_t *)phystokv(avail_start);
676 }
677
678 /* Align avail_start for the next structure to be allocated. */
679 avail_start = PMAP_ALIGN(avail_start + io_filter_table_size, __alignof(pv_entry_t *));
680 #else /* !HAS_GUARDED_IO_FILTER */
681 avail_start = PMAP_ALIGN(avail_start + io_attr_table_size, __alignof(pv_entry_t *));
682 #endif /* HAS_GUARDED_IO_FILTER */
683
684 pv_head_table = (pv_entry_t **)phystokv(avail_start);
685
686 /**
687 * ptd_root_table must start on a page boundary because all of the math for
688 * associating pt_desc_t objects with ptd_info objects assumes the first
689 * pt_desc_t in a page starts at the beginning of the page it resides in.
690 */
691 avail_start = round_page(avail_start + pv_head_size);
692
693 pt_desc_t *ptd_root_table = (pt_desc_t *)phystokv(avail_start);
694 avail_start = round_page(avail_start + ptd_root_table_size);
695
696 memset((char *)phystokv(pmap_struct_start), 0, avail_start - pmap_struct_start);
697
698 /* This function assumes that ptd_root_table has been zeroed out already. */
699 ptd_bootstrap(ptd_root_table, num_ptd_pages);
700
701 /* Load data about the PPL-owned I/O regions into io_attr_table and sort it. */
702 pmap_load_io_rgns();
703
704 #if HAS_GUARDED_IO_FILTER
705 /* Load the I/O filters into io_filter_table and sort them. */
706 pmap_load_io_filters();
707 #endif /* HAS_GUARDED_IO_FILTER */
708
709 #if XNU_MONITOR
710 /**
711 * Each of these PPL-only data structures are rounded to the nearest page
712 * beyond their predefined size so as to provide a small extra buffer of
713 * objects and to make it easy to perform page-sized operations on them if
714 * the need ever arises.
715 */
716 const vm_map_address_t pmap_ptr_array_begin = phystokv(avail_start);
717 pmap_ptr_array = (pmap_list_entry_t**)pmap_ptr_array_begin;
718 avail_start += round_page(PMAP_PTR_ARRAY_SIZE * sizeof(*pmap_ptr_array));
719 const vm_map_address_t pmap_ptr_array_end = phystokv(avail_start);
720
721 pmap_ptr_array_count = ((pmap_ptr_array_end - pmap_ptr_array_begin) / sizeof(*pmap_ptr_array));
722
723 const vm_map_address_t pmap_ledger_ptr_array_begin = phystokv(avail_start);
724 pmap_ledger_ptr_array = (pmap_ledger_t**)pmap_ledger_ptr_array_begin;
725 avail_start += round_page(LEDGER_PTR_ARRAY_SIZE * sizeof(*pmap_ledger_ptr_array));
726 const vm_map_address_t pmap_ledger_ptr_array_end = phystokv(avail_start);
727 pmap_ledger_ptr_array_count = ((pmap_ledger_ptr_array_end - pmap_ledger_ptr_array_begin) / sizeof(*pmap_ledger_ptr_array));
728
729 pmap_ledger_refcnt = (os_refcnt_t*)phystokv(avail_start);
730 avail_start += round_page(pmap_ledger_ptr_array_count * sizeof(*pmap_ledger_refcnt));
731 #endif /* XNU_MONITOR */
732
733 /**
734 * Setup the pmap per-cpu data structures (includes the PPL stacks, and PPL
735 * register save area). The pmap per-cpu data is managed separately from the
736 * general machine-specific per-cpu data on PPL systems so it can be made
737 * only writable by the PPL.
738 */
739 pmap_cpu_data_array_init();
740 }
741
742 /**
743 * Helper function for pmap_page_reclaim (hereby shortened to "ppr") which scans
744 * the list of userspace page table pages for one(s) that can be reclaimed. To
745 * be eligible, a page table must not have any wired PTEs, must contain at least
746 * one valid PTE, can't be nested, and the pmap that owns that page table must
747 * not already be locked.
748 *
749 * @note This should only be called from pmap_page_reclaim().
750 *
751 * @note If an eligible page table was found, then the pmap which contains that
752 * page table will be locked exclusively.
753 *
754 * @note On systems where multiple page tables exist within one page, all page
755 * tables within a page have to be eligible for that page to be considered
756 * reclaimable.
757 *
758 * @param ptdpp Output parameter which will contain a pointer to the page table
759 * descriptor for the page table(s) that can be reclaimed (if any
760 * were found). If no page table was found, this will be set to
761 * NULL.
762 *
763 * @return True if an eligible table was found, false otherwise. In the case
764 * that a page table was found, ptdpp will be a pointer to the page
765 * table descriptor for the table(s) that can be reclaimed. Otherwise
766 * it'll be set to NULL.
767 */
768 MARK_AS_PMAP_TEXT static bool
ppr_find_eligible_pt_page(pt_desc_t ** ptdpp)769 ppr_find_eligible_pt_page(pt_desc_t **ptdpp)
770 {
771 assert(ptdpp != NULL);
772
773 pmap_simple_lock(&pt_pages_lock);
774 pt_desc_t *ptdp = (pt_desc_t *)queue_first(&pt_page_list);
775
776 while (!queue_end(&pt_page_list, (queue_entry_t)ptdp)) {
777 /* Skip this pmap if it's nested or already locked. */
778 if ((ptdp->pmap->type != PMAP_TYPE_USER) ||
779 (!pmap_try_lock(ptdp->pmap, PMAP_LOCK_EXCLUSIVE))) {
780 ptdp = (pt_desc_t *)queue_next((queue_t)ptdp);
781 continue;
782 }
783
784 assert(ptdp->pmap != kernel_pmap);
785
786 unsigned refcnt_acc = 0;
787 unsigned wiredcnt_acc = 0;
788 const pt_attr_t * const pt_attr = pmap_get_pt_attr(ptdp->pmap);
789
790 /**
791 * On systems where the VM page size differs from the hardware
792 * page size, then multiple page tables can exist within one VM page.
793 */
794 for (unsigned i = 0; i < (PAGE_SIZE / pt_attr_page_size(pt_attr)); i++) {
795 /* Do not attempt to free a page that contains an L2 table. */
796 if (ptdp->ptd_info[i].refcnt == PT_DESC_REFCOUNT) {
797 refcnt_acc = 0;
798 break;
799 }
800
801 refcnt_acc += ptdp->ptd_info[i].refcnt;
802 wiredcnt_acc += ptdp->ptd_info[i].wiredcnt;
803 }
804
805 /**
806 * If we've found a page with no wired entries, but valid PTEs then
807 * choose it for reclamation.
808 */
809 if ((wiredcnt_acc == 0) && (refcnt_acc != 0)) {
810 *ptdpp = ptdp;
811 pmap_simple_unlock(&pt_pages_lock);
812
813 /**
814 * Leave ptdp->pmap locked here. We're about to reclaim a page table
815 * from it, so we don't want anyone else messing with it while we do
816 * that.
817 */
818 return true;
819 }
820
821 /**
822 * This page table/PTD wasn't eligible, unlock its pmap and move to the
823 * next one in the queue.
824 */
825 pmap_unlock(ptdp->pmap, PMAP_LOCK_EXCLUSIVE);
826 ptdp = (pt_desc_t *)queue_next((queue_t)ptdp);
827 }
828
829 pmap_simple_unlock(&pt_pages_lock);
830 *ptdpp = NULL;
831
832 return false;
833 }
834
835 /**
836 * Helper function for pmap_page_reclaim (hereby shortened to "ppr") which frees
837 * every page table within a page so that that page can get reclaimed.
838 *
839 * @note This should only be called from pmap_page_reclaim() and is only meant
840 * to delete page tables deemed eligible for reclaiming by
841 * ppr_find_eligible_pt_page().
842 *
843 * @param ptdp The page table descriptor whose page table(s) will get freed.
844 */
845 MARK_AS_PMAP_TEXT static void
ppr_remove_pt_page(pt_desc_t * ptdp)846 ppr_remove_pt_page(pt_desc_t *ptdp)
847 {
848 assert(ptdp != NULL);
849
850 bool need_strong_sync = false;
851 tt_entry_t *ttep = TT_ENTRY_NULL;
852 pt_entry_t *ptep = PT_ENTRY_NULL;
853 pt_entry_t *begin_pte = PT_ENTRY_NULL;
854 pt_entry_t *end_pte = PT_ENTRY_NULL;
855 pmap_t pmap = ptdp->pmap;
856
857 /**
858 * The pmap exclusive lock should have gotten locked when the eligible page
859 * table was found in ppr_find_eligible_pt_page().
860 */
861 pmap_assert_locked(pmap, PMAP_LOCK_EXCLUSIVE);
862
863 const pt_attr_t * const pt_attr = pmap_get_pt_attr(pmap);
864 const uint64_t hw_page_size = pt_attr_page_size(pt_attr);
865
866 /**
867 * On some systems, one page table descriptor can represent multiple page
868 * tables. In that case, remove every table within the wanted page so we
869 * can reclaim it.
870 */
871 for (unsigned i = 0; i < (PAGE_SIZE / hw_page_size); i++) {
872 const vm_map_address_t va = ptdp->va[i];
873
874 /**
875 * If the VA is bogus, this may represent an unallocated region or one
876 * which is in transition (already being freed or expanded). Don't try
877 * to remove mappings here.
878 */
879 if (va == (vm_offset_t)-1) {
880 continue;
881 }
882
883 /* Get the twig table entry that points to the table to reclaim. */
884 ttep = pmap_tte(pmap, va);
885
886 /* If the twig entry is either invalid or a block mapping, skip it. */
887 if ((ttep == TT_ENTRY_NULL) ||
888 ((*ttep & ARM_TTE_TYPE_MASK) != ARM_TTE_TYPE_TABLE)) {
889 continue;
890 }
891
892 ptep = (pt_entry_t *)ttetokv(*ttep);
893 begin_pte = &ptep[pte_index(pt_attr, va)];
894 end_pte = begin_pte + (hw_page_size / sizeof(pt_entry_t));
895
896 /**
897 * Remove all mappings in the page table being reclaimed.
898 *
899 * Use PMAP_OPTIONS_REMOVE to clear any "compressed" markers and
900 * update the "compressed" counter in the ledger. This means that
901 * we lose accounting for any compressed pages in this range but the
902 * alternative is to not be able to account for their future
903 * decompression, which could cause the counter to drift more and
904 * more.
905 */
906 pmap_remove_range_options(
907 pmap, va, begin_pte, end_pte, NULL, &need_strong_sync, PMAP_OPTIONS_REMOVE);
908
909 /**
910 * Free the page table now that all of its mappings have been removed.
911 * Once all page tables within a page have been deallocated, then the
912 * page that contains the table(s) will be freed and made available for
913 * reuse.
914 */
915 const vm_offset_t va_end = va + (size_t)pt_attr_leaf_table_size(pt_attr);
916 pmap_tte_deallocate(pmap, va, va_end, need_strong_sync, ttep, pt_attr_twig_level(pt_attr));
917 pmap_lock(pmap, PMAP_LOCK_EXCLUSIVE); /* pmap_tte_deallocate() dropped the lock */
918 }
919
920 /**
921 * We're done modifying page tables, so undo the lock that was grabbed when
922 * we found the table(s) to reclaim in ppr_find_eligible_pt_page().
923 */
924 pmap_unlock(pmap, PMAP_LOCK_EXCLUSIVE);
925 }
926
927 /**
928 * Attempt to return a page by freeing an active page-table page. To be eligible
929 * for reclaiming, a page-table page must be assigned to a non-kernel pmap, it
930 * must not have any wired PTEs and must contain at least one valid PTE.
931 *
932 * @note This function is potentially invoked when PMAP_PAGE_RECLAIM_NOWAIT is
933 * passed as an option to pmap_pages_alloc_zeroed().
934 *
935 * @note Invocations of this function are only meant to occur in critical paths
936 * that absolutely can't take the latency hit of waiting for the VM or
937 * jumping out of the PPL to allocate more pages. Reclaiming a page table
938 * page can cause a performance hit when one of the removed mappings is
939 * next accessed (forcing the VM to fault and re-insert the mapping).
940 *
941 * @return The physical address of the page that was allocated, or zero if no
942 * suitable page was found on the page-table list.
943 */
944 MARK_AS_PMAP_TEXT static pmap_paddr_t
pmap_page_reclaim(void)945 pmap_page_reclaim(void)
946 {
947 pmap_simple_lock(&pmap_page_reclaim_lock);
948 pmap_pages_request_count++;
949 pmap_pages_request_acum++;
950
951 /* This loop will never break out, the function will just return. */
952 while (1) {
953 /**
954 * Attempt to allocate a page from the page free list reserved for this
955 * function. This free list is managed in tandem with pmap_pages_free()
956 * which will add a page to this list for each call to
957 * pmap_page_reclaim(). Most likely that page will come from a reclaimed
958 * userspace page table, but if there aren't any page tables to reclaim,
959 * then whatever the next freed page is will show up on this list for
960 * the next invocation of pmap_page_reclaim() to use.
961 */
962 if (pmap_page_reclaim_list != PAGE_FREE_ENTRY_NULL) {
963 page_free_entry_t *page_entry = pmap_page_reclaim_list;
964 pmap_page_reclaim_list = pmap_page_reclaim_list->next;
965 pmap_simple_unlock(&pmap_page_reclaim_lock);
966
967 return ml_static_vtop((vm_offset_t)page_entry);
968 }
969
970 /* Drop the lock to allow pmap_pages_free() to add pages to the list. */
971 pmap_simple_unlock(&pmap_page_reclaim_lock);
972
973 /* Attempt to find an elegible page table page to reclaim. */
974 pt_desc_t *ptdp = NULL;
975 bool found_page = ppr_find_eligible_pt_page(&ptdp);
976
977 if (!found_page) {
978 /**
979 * No eligible page table was found. pmap_pages_free() will still
980 * add the next freed page to the reclaim free list, so the next
981 * invocation of this function should have better luck.
982 */
983 return (pmap_paddr_t)0;
984 }
985
986 /**
987 * If we found a page table to reclaim, then ptdp should point to the
988 * descriptor for that table. Go ahead and remove it.
989 */
990 ppr_remove_pt_page(ptdp);
991
992 /**
993 * Now that a page has hopefully been freed (and added to the reclaim
994 * page list), the next iteration of the loop will re-check the reclaim
995 * free list.
996 */
997 pmap_simple_lock(&pmap_page_reclaim_lock);
998 }
999 }
1000
1001 #if XNU_MONITOR
1002 /**
1003 * Helper function for returning a PPL page back to the PPL page free list.
1004 *
1005 * @param pa Physical address of the page to add to the PPL page free list.
1006 * This address must be aligned to the VM page size.
1007 */
1008 MARK_AS_PMAP_TEXT static void
pmap_give_free_ppl_page(pmap_paddr_t pa)1009 pmap_give_free_ppl_page(pmap_paddr_t pa)
1010 {
1011 if ((pa & PAGE_MASK) != 0) {
1012 panic("%s: Unaligned address passed in, pa=0x%llx",
1013 __func__, pa);
1014 }
1015
1016 page_free_entry_t *page_entry = (page_free_entry_t *)phystokv(pa);
1017 pmap_simple_lock(&pmap_ppl_free_page_lock);
1018
1019 /* Prepend the passed in page to the PPL page free list. */
1020 page_entry->next = pmap_ppl_free_page_list;
1021 pmap_ppl_free_page_list = page_entry;
1022 pmap_ppl_free_page_count++;
1023
1024 pmap_simple_unlock(&pmap_ppl_free_page_lock);
1025 }
1026
1027 /**
1028 * Helper function for getting a PPL page from the PPL page free list.
1029 *
1030 * @return The physical address of the page taken from the PPL page free list,
1031 * or zero if there are no pages left in the free list.
1032 */
1033 MARK_AS_PMAP_TEXT static pmap_paddr_t
pmap_get_free_ppl_page(void)1034 pmap_get_free_ppl_page(void)
1035 {
1036 pmap_paddr_t pa = 0;
1037
1038 pmap_simple_lock(&pmap_ppl_free_page_lock);
1039
1040 if (pmap_ppl_free_page_list != PAGE_FREE_ENTRY_NULL) {
1041 /**
1042 * Pop a page off the front of the list. The second item in the list
1043 * will become the new head.
1044 */
1045 page_free_entry_t *page_entry = pmap_ppl_free_page_list;
1046 pmap_ppl_free_page_list = pmap_ppl_free_page_list->next;
1047 pa = kvtophys_nofail((vm_offset_t)page_entry);
1048 pmap_ppl_free_page_count--;
1049 } else {
1050 pa = 0L;
1051 }
1052
1053 pmap_simple_unlock(&pmap_ppl_free_page_lock);
1054 assert((pa & PAGE_MASK) == 0);
1055
1056 return pa;
1057 }
1058
1059 /**
1060 * Claim a page on behalf of the PPL by marking it as PPL-owned and only
1061 * allowing the PPL to write to it. Also can potentially add the page to the
1062 * PPL page free list (see initially_free parameter).
1063 *
1064 * @note The page cannot have any mappings outside of the physical aperture.
1065 *
1066 * @param pa The physical address of the page to mark as PPL-owned.
1067 * @param initially_free Should the page be added to the PPL page free list.
1068 * This is typically "true" if a brand new page was just
1069 * allocated for the PPL's usage, and "false" if this is a
1070 * page already being used by other agents (e.g., IOMMUs).
1071 */
1072 MARK_AS_PMAP_TEXT void
pmap_mark_page_as_ppl_page_internal(pmap_paddr_t pa,bool initially_free)1073 pmap_mark_page_as_ppl_page_internal(pmap_paddr_t pa, bool initially_free)
1074 {
1075 pp_attr_t attr = 0;
1076
1077 if (!pa_valid(pa)) {
1078 panic("%s: Non-kernel-managed (maybe I/O) address passed in, pa=0x%llx",
1079 __func__, pa);
1080 }
1081
1082 const unsigned int pai = pa_index(pa);
1083 pvh_lock(pai);
1084
1085 /* A page that the PPL already owns can't be given to the PPL. */
1086 if (ppattr_pa_test_monitor(pa)) {
1087 panic("%s: page already belongs to PPL, pa=0x%llx", __func__, pa);
1088 }
1089
1090 /* The page cannot be mapped outside of the physical aperture. */
1091 if (!pmap_verify_free((ppnum_t)atop(pa))) {
1092 panic("%s: page still has mappings, pa=0x%llx", __func__, pa);
1093 }
1094
1095 do {
1096 attr = pp_attr_table[pai];
1097 if (attr & PP_ATTR_NO_MONITOR) {
1098 panic("%s: page excluded from PPL, pa=0x%llx", __func__, pa);
1099 }
1100 } while (!OSCompareAndSwap16(attr, attr | PP_ATTR_MONITOR, &pp_attr_table[pai]));
1101
1102 /* Ensure only the PPL has write access to the physical aperture mapping. */
1103 pmap_set_xprr_perm(pai, XPRR_KERN_RW_PERM, XPRR_PPL_RW_PERM);
1104
1105 pvh_unlock(pai);
1106
1107 if (initially_free) {
1108 pmap_give_free_ppl_page(pa);
1109 }
1110 }
1111
1112 /**
1113 * Helper function for converting a PPL page back into a kernel-writable page.
1114 * This removes the PPL-ownership for that page and updates the physical
1115 * aperture mapping of that page so it's kernel-writable again.
1116 *
1117 * @param pa The physical address of the PPL page to be made kernel-writable.
1118 */
1119 MARK_AS_PMAP_TEXT void
pmap_mark_page_as_kernel_page(pmap_paddr_t pa)1120 pmap_mark_page_as_kernel_page(pmap_paddr_t pa)
1121 {
1122 const unsigned int pai = pa_index(pa);
1123 pvh_lock(pai);
1124
1125 if (!ppattr_pa_test_monitor(pa)) {
1126 panic("%s: page is not a PPL page, pa=%p", __func__, (void *)pa);
1127 }
1128
1129 ppattr_pa_clear_monitor(pa);
1130
1131 /* Ensure the kernel has write access to the physical aperture mapping. */
1132 pmap_set_xprr_perm(pai, XPRR_PPL_RW_PERM, XPRR_KERN_RW_PERM);
1133
1134 pvh_unlock(pai);
1135 }
1136
1137 /**
1138 * PPL Helper function for giving a single page on the PPL page free list back
1139 * to the kernel.
1140 *
1141 * @note This function implements the logic that HAS to run within the PPL for
1142 * the pmap_release_ppl_pages_to_kernel() call. This helper function
1143 * shouldn't be called directly.
1144 *
1145 * @note A minimum amount of pages (set by PMAP_MIN_FREE_PPL_PAGES) will always
1146 * be kept on the PPL page free list to ensure that core operations can
1147 * occur without having to refill the free list.
1148 *
1149 * @return The physical address of the page that's been returned to the kernel,
1150 * or zero if no page was returned.
1151 */
1152 MARK_AS_PMAP_TEXT pmap_paddr_t
pmap_release_ppl_pages_to_kernel_internal(void)1153 pmap_release_ppl_pages_to_kernel_internal(void)
1154 {
1155 pmap_paddr_t pa = 0;
1156
1157 if (pmap_ppl_free_page_count <= PMAP_MIN_FREE_PPL_PAGES) {
1158 return 0;
1159 }
1160
1161 pa = pmap_get_free_ppl_page();
1162
1163 if (!pa) {
1164 return 0;
1165 }
1166
1167 pmap_mark_page_as_kernel_page(pa);
1168
1169 return pa;
1170 }
1171 #endif /* XNU_MONITOR */
1172
1173 /**
1174 * Add a queue of VM pages to the pmap's VM object. This informs the VM that
1175 * these pages are being used by the pmap and shouldn't be reused.
1176 *
1177 * This also means that the pmap_object can be used as a convenient way to loop
1178 * through every page currently being used by the pmap. For instance, this queue
1179 * of pages is exposed to the debugger through the Low Globals, where it's used
1180 * to ensure that all pmap data is saved in an active core dump.
1181 *
1182 * @param mem The head of the queue of VM pages to add to the pmap's VM object.
1183 */
1184 void
pmap_enqueue_pages(vm_page_t mem)1185 pmap_enqueue_pages(vm_page_t mem)
1186 {
1187 vm_page_t m_prev;
1188 vm_object_lock(pmap_object);
1189 while (mem != VM_PAGE_NULL) {
1190 const vm_object_offset_t offset =
1191 (vm_object_offset_t) ((ptoa(VM_PAGE_GET_PHYS_PAGE(mem))) - gPhysBase);
1192
1193 vm_page_insert_wired(mem, pmap_object, offset, VM_KERN_MEMORY_PTE);
1194 m_prev = mem;
1195 mem = NEXT_PAGE(m_prev);
1196 *(NEXT_PAGE_PTR(m_prev)) = VM_PAGE_NULL;
1197 }
1198 vm_object_unlock(pmap_object);
1199 }
1200
1201 #if !XNU_MONITOR
1202 static inline boolean_t
pmap_is_preemptible(void)1203 pmap_is_preemptible(void)
1204 {
1205 return preemption_enabled() || (startup_phase < STARTUP_SUB_EARLY_BOOT);
1206 }
1207 #endif
1208
1209 /**
1210 * Allocate a page for usage within the pmap and zero it out. If running on a
1211 * PPL-enabled system, this will allocate pages from the PPL page free list.
1212 * Otherwise pages are grabbed directly from the VM.
1213 *
1214 * @note On PPL-enabled systems, this function can ONLY be called from within
1215 * the PPL. If a page needs to be allocated from outside of the PPL on
1216 * these systems, then use pmap_alloc_page_for_kern().
1217 *
1218 * @param pa Output parameter to store the physical address of the allocated
1219 * page if one was able to be allocated (NULL otherwise).
1220 * @param size The amount of memory to allocate. This has to be PAGE_SIZE on
1221 * PPL-enabled systems. On other systems it can be either PAGE_SIZE
1222 * or 2*PAGE_SIZE, in which case the two pages are allocated
1223 * physically contiguous.
1224 * @param options The following options can be specified:
1225 * - PMAP_PAGES_ALLOCATE_NOWAIT: If the VM or PPL page free list don't have
1226 * any free pages available then don't wait for one, just return
1227 * immediately without allocating a page. PPL-enabled systems must ALWAYS
1228 * pass this flag since allocating memory from within the PPL can't spin
1229 * or block due to preemption being disabled (would be a perf hit).
1230 *
1231 * - PMAP_PAGE_RECLAIM_NOWAIT: If memory failed to get allocated the normal
1232 * way (either by the PPL page free list on PPL-enabled systems, or
1233 * through the VM on other systems), then fall back to attempting to
1234 * reclaim a userspace page table. This should only be specified in paths
1235 * that absolutely can't take the latency hit of waiting for the VM or
1236 * jumping out of the PPL to allocate more pages.
1237 *
1238 * @return KERN_SUCCESS if a page was successfully allocated, or
1239 * KERN_RESOURCE_SHORTAGE if a page failed to get allocated. This can
1240 * also be returned on non-PPL devices if preemption is disabled after
1241 * early boot since allocating memory from the VM requires grabbing a
1242 * mutex.
1243 */
1244 MARK_AS_PMAP_TEXT kern_return_t
pmap_pages_alloc_zeroed(pmap_paddr_t * pa,unsigned size,unsigned options)1245 pmap_pages_alloc_zeroed(pmap_paddr_t *pa, unsigned size, unsigned options)
1246 {
1247 assert(pa != NULL);
1248
1249 #if XNU_MONITOR
1250 ASSERT_NOT_HIBERNATING();
1251
1252 /* The PPL page free list always operates on PAGE_SIZE chunks of memory. */
1253 if (size != PAGE_SIZE) {
1254 panic("%s: size != PAGE_SIZE, pa=%p, size=%u, options=%u",
1255 __func__, pa, size, options);
1256 }
1257
1258 /* Allocating memory in the PPL can't wait since preemption is disabled. */
1259 assert(options & PMAP_PAGES_ALLOCATE_NOWAIT);
1260
1261 *pa = pmap_get_free_ppl_page();
1262
1263 if ((*pa == 0) && (options & PMAP_PAGE_RECLAIM_NOWAIT)) {
1264 *pa = pmap_page_reclaim();
1265 }
1266
1267 if (*pa == 0) {
1268 return KERN_RESOURCE_SHORTAGE;
1269 } else {
1270 bzero((void*)phystokv(*pa), size);
1271 return KERN_SUCCESS;
1272 }
1273 #else /* XNU_MONITOR */
1274 vm_page_t mem = VM_PAGE_NULL;
1275 thread_t self = current_thread();
1276
1277 /**
1278 * It's not possible to allocate memory from the VM in a preemption disabled
1279 * environment except during early boot (since the VM needs to grab a mutex).
1280 * In those cases just return a resource shortage error and let the caller
1281 * deal with it.
1282 */
1283 if (!pmap_is_preemptible()) {
1284 return KERN_RESOURCE_SHORTAGE;
1285 }
1286
1287 /**
1288 * We qualify for allocating reserved memory so set TH_OPT_VMPRIV to inform
1289 * the VM of this.
1290 *
1291 * This field should only be modified by the local thread itself, so no lock
1292 * needs to be taken.
1293 */
1294 uint16_t thread_options = self->options;
1295 self->options |= TH_OPT_VMPRIV;
1296
1297 if (__probable(size == PAGE_SIZE)) {
1298 /**
1299 * If we're only allocating a single page, just grab one off the VM's
1300 * global page free list.
1301 */
1302 while ((mem = vm_page_grab()) == VM_PAGE_NULL) {
1303 if (options & PMAP_PAGES_ALLOCATE_NOWAIT) {
1304 break;
1305 }
1306
1307 VM_PAGE_WAIT();
1308 }
1309
1310 if (mem != VM_PAGE_NULL) {
1311 vm_page_lock_queues();
1312 vm_page_wire(mem, VM_KERN_MEMORY_PTE, TRUE);
1313 vm_page_unlock_queues();
1314 }
1315 } else if (size == (2 * PAGE_SIZE)) {
1316 /**
1317 * Allocate two physically contiguous pages. Any random two pages
1318 * obtained from the VM's global page free list aren't guaranteed to be
1319 * contiguous so we need to use the cpm_allocate() API.
1320 */
1321 while (cpm_allocate(size, &mem, 0, 1, TRUE, 0) != KERN_SUCCESS) {
1322 if (options & PMAP_PAGES_ALLOCATE_NOWAIT) {
1323 break;
1324 }
1325
1326 VM_PAGE_WAIT();
1327 }
1328 } else {
1329 panic("%s: invalid size %u", __func__, size);
1330 }
1331
1332 self->options = thread_options;
1333
1334 /**
1335 * If the normal method of allocating pages failed, then potentially fall
1336 * back to attempting to reclaim a userspace page table.
1337 */
1338 if ((mem == VM_PAGE_NULL) && (options & PMAP_PAGE_RECLAIM_NOWAIT)) {
1339 assert(size == PAGE_SIZE);
1340 *pa = pmap_page_reclaim();
1341 if (*pa != 0) {
1342 bzero((void*)phystokv(*pa), size);
1343 return KERN_SUCCESS;
1344 }
1345 }
1346
1347 if (mem == VM_PAGE_NULL) {
1348 return KERN_RESOURCE_SHORTAGE;
1349 }
1350
1351 *pa = (pmap_paddr_t)ptoa(VM_PAGE_GET_PHYS_PAGE(mem));
1352
1353 /* Add the allocated VM page(s) to the pmap's VM object. */
1354 pmap_enqueue_pages(mem);
1355
1356 /* Pages are considered "in use" by the pmap until returned to the VM. */
1357 OSAddAtomic(size >> PAGE_SHIFT, &inuse_pmap_pages_count);
1358 OSAddAtomic64(size >> PAGE_SHIFT, &alloc_pmap_pages_count);
1359
1360 bzero((void*)phystokv(*pa), size);
1361 return KERN_SUCCESS;
1362 #endif /* XNU_MONITOR */
1363 }
1364
1365 #if XNU_MONITOR
1366 /**
1367 * Allocate a page from the VM. If no pages are available, this function can
1368 * potentially spin until a page is available (see the `options` parameter).
1369 *
1370 * @note This function CANNOT be called from the PPL since it calls into the VM.
1371 * If the PPL needs memory, then it'll need to exit the PPL before
1372 * allocating more (usually by returning KERN_RESOURCE_SHORTAGE, and then
1373 * calling pmap_alloc_page_for_ppl() from outside of the PPL).
1374 *
1375 * @param options The following options can be specified:
1376 * - PMAP_PAGES_ALLOCATE_NOWAIT: If the VM doesn't have any free pages
1377 * available then don't wait for one, just return immediately without
1378 * allocating a page.
1379 *
1380 * @return The physical address of the page, if one was allocated. Zero,
1381 * otherwise.
1382 */
1383 pmap_paddr_t
pmap_alloc_page_for_kern(unsigned int options)1384 pmap_alloc_page_for_kern(unsigned int options)
1385 {
1386 pmap_paddr_t pa = 0;
1387 vm_page_t mem = VM_PAGE_NULL;
1388
1389 while ((mem = vm_page_grab()) == VM_PAGE_NULL) {
1390 if (options & PMAP_PAGES_ALLOCATE_NOWAIT) {
1391 return 0;
1392 }
1393 VM_PAGE_WAIT();
1394 }
1395
1396 /* Automatically wire any pages used by the pmap. */
1397 vm_page_lock_queues();
1398 vm_page_wire(mem, VM_KERN_MEMORY_PTE, TRUE);
1399 vm_page_unlock_queues();
1400
1401 pa = (pmap_paddr_t)ptoa(VM_PAGE_GET_PHYS_PAGE(mem));
1402
1403 if (__improbable(pa == 0)) {
1404 panic("%s: physical address is 0", __func__);
1405 }
1406
1407 /**
1408 * Add the acquired VM page to the pmap's VM object to notify the VM that
1409 * this page is being used.
1410 */
1411 pmap_enqueue_pages(mem);
1412
1413 /* Pages are considered "in use" by the pmap until returned to the VM. */
1414 OSAddAtomic(1, &inuse_pmap_pages_count);
1415 OSAddAtomic64(1, &alloc_pmap_pages_count);
1416
1417 return pa;
1418 }
1419
1420 /**
1421 * Allocate a page from the VM, mark it as being PPL-owned, and add it to the
1422 * PPL page free list.
1423 *
1424 * @note This function CANNOT be called from the PPL since it calls into the VM.
1425 * If the PPL needs memory, then it'll need to exit the PPL before calling
1426 * this function (usually by returning KERN_RESOURCE_SHORTAGE).
1427 *
1428 * @param options The following options can be specified:
1429 * - PMAP_PAGES_ALLOCATE_NOWAIT: If the VM doesn't have any free pages
1430 * available then don't wait for one, just return immediately without
1431 * allocating a page.
1432 */
1433 void
pmap_alloc_page_for_ppl(unsigned int options)1434 pmap_alloc_page_for_ppl(unsigned int options)
1435 {
1436 thread_t self = current_thread();
1437
1438 /**
1439 * We qualify for allocating reserved memory so set TH_OPT_VMPRIV to inform
1440 * the VM of this.
1441 *
1442 * This field should only be modified by the local thread itself, so no lock
1443 * needs to be taken.
1444 */
1445 uint16_t thread_options = self->options;
1446 self->options |= TH_OPT_VMPRIV;
1447 pmap_paddr_t pa = pmap_alloc_page_for_kern(options);
1448 self->options = thread_options;
1449
1450 if (pa != 0) {
1451 pmap_mark_page_as_ppl_page(pa);
1452 }
1453 }
1454 #endif /* XNU_MONITOR */
1455
1456 /**
1457 * Free memory previously allocated through pmap_pages_alloc_zeroed() or
1458 * pmap_alloc_page_for_kern().
1459 *
1460 * On PPL-enabled systems, this just adds the page back to the PPL page free
1461 * list. On other systems, this returns the page(s) back to the VM.
1462 *
1463 * @param pa Physical address of the page(s) to free.
1464 * @param size The size in bytes of the memory region being freed (must be
1465 * PAGE_SIZE on PPL-enabled systems).
1466 */
1467 void
pmap_pages_free(pmap_paddr_t pa,__assert_only unsigned size)1468 pmap_pages_free(pmap_paddr_t pa, __assert_only unsigned size)
1469 {
1470 /**
1471 * If the pmap is starved for memory to the point that pmap_page_reclaim()
1472 * starts getting invoked to allocate memory, then let's take the page being
1473 * freed and add it directly to pmap_page_reclaim()'s dedicated free list.
1474 * In that case, the page being freed is most likely a userspace page table
1475 * that was reclaimed.
1476 */
1477 if (__improbable(pmap_pages_request_count != 0)) {
1478 pmap_simple_lock(&pmap_page_reclaim_lock);
1479
1480 if (pmap_pages_request_count != 0) {
1481 pmap_pages_request_count--;
1482
1483 /* Prepend the freed page to the pmap_page_reclaim() free list. */
1484 page_free_entry_t *page_entry = (page_free_entry_t *)phystokv(pa);
1485 page_entry->next = pmap_page_reclaim_list;
1486 pmap_page_reclaim_list = page_entry;
1487 pmap_simple_unlock(&pmap_page_reclaim_lock);
1488
1489 return;
1490 }
1491 pmap_simple_unlock(&pmap_page_reclaim_lock);
1492 }
1493
1494 #if XNU_MONITOR
1495 /* The PPL page free list always operates on PAGE_SIZE chunks of memory. */
1496 assert(size == PAGE_SIZE);
1497
1498 /* On PPL-enabled systems, just add the page back to the PPL page free list. */
1499 pmap_give_free_ppl_page(pa);
1500 #else /* XNU_MONITOR */
1501 vm_page_t mem = VM_PAGE_NULL;
1502 const pmap_paddr_t pa_max = pa + size;
1503
1504 /* Pages are considered "in use" until given back to the VM. */
1505 OSAddAtomic(-(size >> PAGE_SHIFT), &inuse_pmap_pages_count);
1506
1507 for (; pa < pa_max; pa += PAGE_SIZE) {
1508 vm_object_lock(pmap_object);
1509
1510 /**
1511 * Remove the page from the pmap's VM object and return it back to the
1512 * VM's global free list of pages.
1513 */
1514 mem = vm_page_lookup(pmap_object, (pa - gPhysBase));
1515 assert(mem != VM_PAGE_NULL);
1516 assert(VM_PAGE_WIRED(mem));
1517 vm_page_lock_queues();
1518 vm_page_free(mem);
1519 vm_page_unlock_queues();
1520 vm_object_unlock(pmap_object);
1521 }
1522 #endif /* XNU_MONITOR */
1523 }
1524
1525 /**
1526 * Called by the VM to reclaim pages that we can reclaim quickly and cheaply.
1527 * This will take pages in the pmap's VM object and add them back to the VM's
1528 * global list of free pages.
1529 *
1530 * @return The number of pages returned to the VM.
1531 */
1532 uint64_t
pmap_release_pages_fast(void)1533 pmap_release_pages_fast(void)
1534 {
1535 #if XNU_MONITOR
1536 return pmap_release_ppl_pages_to_kernel();
1537 #else /* XNU_MONITOR */
1538 return 0;
1539 #endif
1540 }
1541
1542 /**
1543 * Allocates a batch (list) of pv_entry_t's from the global PV free array.
1544 *
1545 * @return A pointer to the head of the newly-allocated batch, or PV_ENTRY_NULL
1546 * if empty.
1547 */
1548 MARK_AS_PMAP_TEXT static pv_entry_t *
pv_free_array_get_batch(void)1549 pv_free_array_get_batch(void)
1550 {
1551 pv_entry_t *new_batch = PV_ENTRY_NULL;
1552
1553 pmap_simple_lock(&pv_free_array_lock);
1554 if (pv_free_array_n_elems() > 0) {
1555 /**
1556 * The global PV array acts as a ring buffer where each entry points to
1557 * a linked list of PVEs of length PV_BATCH_SIZE. Get the next free
1558 * batch.
1559 */
1560 const size_t index = pv_free_read_idx++ & (PV_FREE_ARRAY_SIZE - 1);
1561 pv_free_list_t *free_list = &pv_free_ring[index];
1562
1563 assert((free_list->count == PV_BATCH_SIZE) && (free_list->list != PV_ENTRY_NULL));
1564 new_batch = free_list->list;
1565 }
1566 pmap_simple_unlock(&pv_free_array_lock);
1567
1568 return new_batch;
1569 }
1570
1571 /**
1572 * Frees a batch (list) of pv_entry_t's into the global PV free array.
1573 *
1574 * @param batch_head Pointer to the first entry in the batch to be returned to
1575 * the array. This must be a linked list of pv_entry_t's of
1576 * length PV_BATCH_SIZE.
1577 *
1578 * @return KERN_SUCCESS, or KERN_FAILURE if the global array is full.
1579 */
1580 MARK_AS_PMAP_TEXT static kern_return_t
pv_free_array_give_batch(pv_entry_t * batch_head)1581 pv_free_array_give_batch(pv_entry_t *batch_head)
1582 {
1583 assert(batch_head != NULL);
1584
1585 pmap_simple_lock(&pv_free_array_lock);
1586 if (pv_free_array_n_elems() == (PV_FREE_ARRAY_SIZE - 1)) {
1587 pmap_simple_unlock(&pv_free_array_lock);
1588 return KERN_FAILURE;
1589 }
1590
1591 const size_t index = pv_free_write_idx++ & (PV_FREE_ARRAY_SIZE - 1);
1592 pv_free_list_t *free_list = &pv_free_ring[index];
1593 free_list->list = batch_head;
1594 free_list->count = PV_BATCH_SIZE;
1595 pmap_simple_unlock(&pv_free_array_lock);
1596
1597 return KERN_SUCCESS;
1598 }
1599
1600 /**
1601 * Helper function for allocating a single PVE from an arbitrary free list.
1602 *
1603 * @param free_list The free list to allocate a node from.
1604 * @param pvepp Output parameter that will get updated with a pointer to the
1605 * allocated node if the free list isn't empty, or a pointer to
1606 * NULL if the list is empty.
1607 */
1608 MARK_AS_PMAP_TEXT static void
pv_free_list_alloc(pv_free_list_t * free_list,pv_entry_t ** pvepp)1609 pv_free_list_alloc(pv_free_list_t *free_list, pv_entry_t **pvepp)
1610 {
1611 assert(pvepp != NULL);
1612 assert(((free_list->list != NULL) && (free_list->count > 0)) ||
1613 ((free_list->list == NULL) && (free_list->count == 0)));
1614
1615 if ((*pvepp = free_list->list) != NULL) {
1616 pv_entry_t *pvep = *pvepp;
1617 free_list->list = pvep->pve_next;
1618 pvep->pve_next = PV_ENTRY_NULL;
1619 free_list->count--;
1620 }
1621 }
1622
1623 /**
1624 * Allocates a PVE from the kernel-dedicated list.
1625 *
1626 * @note This is only called when the global free list is empty, so don't bother
1627 * trying to allocate more nodes from that list.
1628 *
1629 * @param pvepp Output parameter that will get updated with a pointer to the
1630 * allocated node if the free list isn't empty, or a pointer to
1631 * NULL if the list is empty. This pointer can't already be
1632 * pointing to a valid entry before allocation.
1633 */
1634 MARK_AS_PMAP_TEXT static void
pv_list_kern_alloc(pv_entry_t ** pvepp)1635 pv_list_kern_alloc(pv_entry_t **pvepp)
1636 {
1637 assert((pvepp != NULL) && (*pvepp == PV_ENTRY_NULL));
1638 pmap_simple_lock(&pv_kern_free_list_lock);
1639 if (pv_kern_free.count > 0) {
1640 pmap_kern_reserve_alloc_stat++;
1641 }
1642 pv_free_list_alloc(&pv_kern_free, pvepp);
1643 pmap_simple_unlock(&pv_kern_free_list_lock);
1644 }
1645
1646 /**
1647 * Returns a list of PVEs to the kernel-dedicated free list.
1648 *
1649 * @param pve_head Head of the list to be returned.
1650 * @param pve_tail Tail of the list to be returned.
1651 * @param pv_cnt Number of elements in the list to be returned.
1652 */
1653 MARK_AS_PMAP_TEXT static void
pv_list_kern_free(pv_entry_t * pve_head,pv_entry_t * pve_tail,int pv_cnt)1654 pv_list_kern_free(pv_entry_t *pve_head, pv_entry_t *pve_tail, int pv_cnt)
1655 {
1656 assert((pve_head != PV_ENTRY_NULL) && (pve_tail != PV_ENTRY_NULL));
1657
1658 pmap_simple_lock(&pv_kern_free_list_lock);
1659 pve_tail->pve_next = pv_kern_free.list;
1660 pv_kern_free.list = pve_head;
1661 pv_kern_free.count += pv_cnt;
1662 pmap_simple_unlock(&pv_kern_free_list_lock);
1663 }
1664
1665 /**
1666 * Attempts to allocate from the per-cpu free list of PVEs, and if that fails,
1667 * then replenish the per-cpu free list with a batch of PVEs from the global
1668 * PVE free list.
1669 *
1670 * @param pvepp Output parameter that will get updated with a pointer to the
1671 * allocated node if the free lists aren't empty, or a pointer to
1672 * NULL if both the per-cpu and global lists are empty. This
1673 * pointer can't already be pointing to a valid entry before
1674 * allocation.
1675 */
1676 MARK_AS_PMAP_TEXT static void
pv_list_alloc(pv_entry_t ** pvepp)1677 pv_list_alloc(pv_entry_t **pvepp)
1678 {
1679 assert((pvepp != NULL) && (*pvepp == PV_ENTRY_NULL));
1680
1681 #if !XNU_MONITOR
1682 /**
1683 * Preemption is always disabled in the PPL so it only needs to get disabled
1684 * on non-PPL systems. This needs to be disabled while working with per-cpu
1685 * data to prevent getting rescheduled onto a different CPU.
1686 */
1687 mp_disable_preemption();
1688 #endif /* !XNU_MONITOR */
1689
1690 pmap_cpu_data_t *pmap_cpu_data = pmap_get_cpu_data();
1691 pv_free_list_alloc(&pmap_cpu_data->pv_free, pvepp);
1692
1693 if (*pvepp != PV_ENTRY_NULL) {
1694 goto pv_list_alloc_done;
1695 }
1696
1697 #if !XNU_MONITOR
1698 if (pv_kern_free.count < pv_kern_low_water_mark) {
1699 /**
1700 * If the kernel reserved pool is low, let non-kernel mappings wait for
1701 * a page from the VM.
1702 */
1703 goto pv_list_alloc_done;
1704 }
1705 #endif /* !XNU_MONITOR */
1706
1707 /**
1708 * Attempt to replenish the local list off the global one, and return the
1709 * first element. If the global list is empty, then the allocation failed.
1710 */
1711 pv_entry_t *new_batch = pv_free_array_get_batch();
1712
1713 if (new_batch != PV_ENTRY_NULL) {
1714 pmap_cpu_data->pv_free.count = PV_BATCH_SIZE - 1;
1715 pmap_cpu_data->pv_free.list = new_batch->pve_next;
1716 assert(pmap_cpu_data->pv_free.list != NULL);
1717
1718 new_batch->pve_next = PV_ENTRY_NULL;
1719 *pvepp = new_batch;
1720 }
1721
1722 pv_list_alloc_done:
1723 #if !XNU_MONITOR
1724 mp_enable_preemption();
1725 #endif /* !XNU_MONITOR */
1726
1727 return;
1728 }
1729
1730 /**
1731 * Adds a list of PVEs to the per-CPU PVE free list. May spill out some entries
1732 * to the global or the kernel PVE free lists if the per-CPU list contains too
1733 * many PVEs.
1734 *
1735 * @param pve_head Head of the list to be returned.
1736 * @param pve_tail Tail of the list to be returned.
1737 * @param pv_cnt Number of elements in the list to be returned.
1738 */
1739 MARK_AS_PMAP_TEXT void
pv_list_free(pv_entry_t * pve_head,pv_entry_t * pve_tail,int pv_cnt)1740 pv_list_free(pv_entry_t *pve_head, pv_entry_t *pve_tail, int pv_cnt)
1741 {
1742 assert((pve_head != PV_ENTRY_NULL) && (pve_tail != PV_ENTRY_NULL));
1743
1744 #if !XNU_MONITOR
1745 /**
1746 * Preemption is always disabled in the PPL so it only needs to get disabled
1747 * on non-PPL systems. This needs to be disabled while working with per-cpu
1748 * data to prevent getting rescheduled onto a different CPU.
1749 */
1750 mp_disable_preemption();
1751 #endif /* !XNU_MONITOR */
1752
1753 pmap_cpu_data_t *pmap_cpu_data = pmap_get_cpu_data();
1754
1755 /**
1756 * How many more PVEs need to be added to the last allocated batch to get it
1757 * back up to a PV_BATCH_SIZE number of objects.
1758 */
1759 const uint32_t available = PV_BATCH_SIZE - (pmap_cpu_data->pv_free.count % PV_BATCH_SIZE);
1760
1761 /**
1762 * The common case is that the number of PVEs to be freed fit in the current
1763 * PV_BATCH_SIZE boundary. If that is the case, quickly prepend the whole
1764 * list and return.
1765 */
1766 if (__probable((pv_cnt <= available) &&
1767 ((pmap_cpu_data->pv_free.count % PV_BATCH_SIZE != 0) || (pmap_cpu_data->pv_free.count == 0)))) {
1768 pve_tail->pve_next = pmap_cpu_data->pv_free.list;
1769 pmap_cpu_data->pv_free.list = pve_head;
1770 pmap_cpu_data->pv_free.count += pv_cnt;
1771 goto pv_list_free_done;
1772 }
1773
1774 /**
1775 * In the degenerate case, we need to process PVEs one by one, to make sure
1776 * we spill out to the global list, or update the spill marker as
1777 * appropriate.
1778 */
1779 while (pv_cnt) {
1780 /**
1781 * Take the node off the top of the passed in list and prepend it to the
1782 * per-cpu list.
1783 */
1784 pv_entry_t *pv_next = pve_head->pve_next;
1785 pve_head->pve_next = pmap_cpu_data->pv_free.list;
1786 pmap_cpu_data->pv_free.list = pve_head;
1787 pve_head = pv_next;
1788 pmap_cpu_data->pv_free.count++;
1789 pv_cnt--;
1790
1791 if (__improbable(pmap_cpu_data->pv_free.count == (PV_BATCH_SIZE + 1))) {
1792 /**
1793 * A full batch of entries have been freed to the per-cpu list.
1794 * Update the spill marker which is used to remember the end of a
1795 * batch (remember, we prepend nodes) to eventually return back to
1796 * the global list (we try to only keep one PV_BATCH_SIZE worth of
1797 * nodes in any single per-cpu list).
1798 */
1799 pmap_cpu_data->pv_free_spill_marker = pmap_cpu_data->pv_free.list;
1800 } else if (__improbable(pmap_cpu_data->pv_free.count == (PV_BATCH_SIZE * 2) + 1)) {
1801 /* Spill out excess PVEs to the global PVE array */
1802 pv_entry_t *spill_head = pmap_cpu_data->pv_free.list->pve_next;
1803 pv_entry_t *spill_tail = pmap_cpu_data->pv_free_spill_marker;
1804 pmap_cpu_data->pv_free.list->pve_next = pmap_cpu_data->pv_free_spill_marker->pve_next;
1805 spill_tail->pve_next = PV_ENTRY_NULL;
1806 pmap_cpu_data->pv_free.count -= PV_BATCH_SIZE;
1807 pmap_cpu_data->pv_free_spill_marker = pmap_cpu_data->pv_free.list;
1808
1809 if (__improbable(pv_free_array_give_batch(spill_head) != KERN_SUCCESS)) {
1810 /**
1811 * This is extremely unlikely to happen, as it would imply that
1812 * we have (PV_FREE_ARRAY_SIZE * PV_BATCH_SIZE) PVEs sitting in
1813 * the global array. Just in case, push the excess down to the
1814 * kernel PVE free list.
1815 */
1816 pv_list_kern_free(spill_head, spill_tail, PV_BATCH_SIZE);
1817 }
1818 }
1819 }
1820
1821 pv_list_free_done:
1822 #if !XNU_MONITOR
1823 mp_enable_preemption();
1824 #endif /* !XNU_MONITOR */
1825
1826 return;
1827 }
1828
1829 /**
1830 * Adds a single page to the PVE allocation subsystem.
1831 *
1832 * @note This function operates under the assumption that a PV_BATCH_SIZE amount
1833 * of PVEs can fit within a single page. One page is always allocated for
1834 * one batch, so if there's empty space in the page after the batch of
1835 * PVEs, it'll go unused (so it's best to keep the batch size at an amount
1836 * that utilizes a whole page).
1837 *
1838 * @param alloc_flags Allocation flags passed to pmap_pages_alloc_zeroed(). See
1839 * the definition of that function for a detailed description
1840 * of the available flags.
1841 *
1842 * @return KERN_SUCCESS, or the value returned by pmap_pages_alloc_zeroed() upon
1843 * failure.
1844 */
1845 MARK_AS_PMAP_TEXT static kern_return_t
pve_feed_page(unsigned alloc_flags)1846 pve_feed_page(unsigned alloc_flags)
1847 {
1848 kern_return_t kr = KERN_FAILURE;
1849
1850 pv_entry_t *pve_head = PV_ENTRY_NULL;
1851 pv_entry_t *pve_tail = PV_ENTRY_NULL;
1852 pmap_paddr_t pa = 0;
1853
1854 kr = pmap_pages_alloc_zeroed(&pa, PAGE_SIZE, alloc_flags);
1855
1856 if (kr != KERN_SUCCESS) {
1857 return kr;
1858 }
1859
1860 /* Update statistics globals. See the variables' definitions for more info. */
1861 pv_page_count++;
1862 pmap_reserve_replenish_stat += PV_BATCH_SIZE;
1863
1864 /* Prepare a new list by linking all of the entries in advance. */
1865 pve_head = (pv_entry_t *)phystokv(pa);
1866 pve_tail = &pve_head[PV_BATCH_SIZE - 1];
1867
1868 for (int i = 0; i < PV_BATCH_SIZE; i++) {
1869 pve_head[i].pve_next = &pve_head[i + 1];
1870 }
1871 pve_head[PV_BATCH_SIZE - 1].pve_next = PV_ENTRY_NULL;
1872
1873 /**
1874 * Add the new list to the kernel PVE free list if we are running low on
1875 * kernel-dedicated entries or the global free array is full.
1876 */
1877 if ((pv_kern_free.count < pv_kern_low_water_mark) ||
1878 (pv_free_array_give_batch(pve_head) != KERN_SUCCESS)) {
1879 pv_list_kern_free(pve_head, pve_tail, PV_BATCH_SIZE);
1880 }
1881
1882 return KERN_SUCCESS;
1883 }
1884
1885 /**
1886 * Allocate a PV node from one of many different free lists (per-cpu, global, or
1887 * kernel-specific).
1888 *
1889 * @note This function is very tightly coupled with pmap_enter_pv(). If
1890 * modifying this code, please ensure that pmap_enter_pv() doesn't break.
1891 *
1892 * @note The pmap lock must already be held if the new mapping is a CPU mapping.
1893 *
1894 * @note The PVH lock for the physical page that is getting a new mapping
1895 * registered must already be held.
1896 *
1897 * @param pmap The pmap that owns the new mapping, or NULL if this is tracking
1898 * an IOMMU translation.
1899 * @param pai The physical address index of the page that's getting a new
1900 * mapping.
1901 * @param lock_mode Which state the pmap lock is being held in if the mapping is
1902 * owned by a pmap, otherwise this is a don't care.
1903 * @param options PMAP_OPTIONS_* family of options passed from the caller.
1904 * @param pvepp Output parameter that will get updated with a pointer to the
1905 * allocated node if none of the free lists are empty, or a pointer
1906 * to NULL otherwise. This pointer can't already be pointing to a
1907 * valid entry before allocation.
1908 *
1909 * @return These are the possible return values:
1910 * PV_ALLOC_SUCCESS: A PVE object was successfully allocated.
1911 * PV_ALLOC_FAILURE: No objects were available for allocation, and
1912 * allocating a new page failed. On PPL-enabled systems,
1913 * a fresh page needs to be added to the PPL page list
1914 * before retrying this operaton.
1915 * PV_ALLOC_RETRY: No objects were available on the free lists, so a new
1916 * page of PVE objects needed to be allocated. To do that,
1917 * the pmap and PVH locks were dropped. The caller may have
1918 * depended on these locks for consistency, so return and
1919 * let the caller retry the PVE allocation with the locks
1920 * held. Note that the locks have already been re-acquired
1921 * before this function exits.
1922 */
1923 MARK_AS_PMAP_TEXT pv_alloc_return_t
pv_alloc(pmap_t pmap,unsigned int pai,pmap_lock_mode_t lock_mode,unsigned int options,pv_entry_t ** pvepp)1924 pv_alloc(
1925 pmap_t pmap,
1926 unsigned int pai,
1927 pmap_lock_mode_t lock_mode,
1928 unsigned int options,
1929 pv_entry_t **pvepp)
1930 {
1931 assert((pvepp != NULL) && (*pvepp == PV_ENTRY_NULL));
1932
1933 if (pmap != NULL) {
1934 pmap_assert_locked(pmap, lock_mode);
1935 }
1936 pvh_assert_locked(pai);
1937
1938 pv_list_alloc(pvepp);
1939 if (PV_ENTRY_NULL != *pvepp) {
1940 return PV_ALLOC_SUCCESS;
1941 }
1942
1943 #if XNU_MONITOR
1944 /* PPL can't block so this flag is always required. */
1945 unsigned alloc_flags = PMAP_PAGES_ALLOCATE_NOWAIT;
1946 #else /* XNU_MONITOR */
1947 unsigned alloc_flags = 0;
1948 #endif /* XNU_MONITOR */
1949
1950 /**
1951 * We got here because both the per-CPU and the global lists are empty. If
1952 * this allocation is for the kernel pmap or an IOMMU kernel driver, we try
1953 * to get an entry from the kernel list next.
1954 */
1955 if ((pmap == NULL) || (kernel_pmap == pmap)) {
1956 pv_list_kern_alloc(pvepp);
1957 if (PV_ENTRY_NULL != *pvepp) {
1958 return PV_ALLOC_SUCCESS;
1959 }
1960 /**
1961 * If the pmap is NULL, this is an allocation outside the normal pmap path,
1962 * most likely an IOMMU allocation. We therefore don't know what other locks
1963 * this path may hold or timing constraints it may have, so we should avoid
1964 * a potentially expensive call to pmap_page_reclaim() on this path.
1965 */
1966 if (pmap == NULL) {
1967 alloc_flags = PMAP_PAGES_ALLOCATE_NOWAIT;
1968 } else {
1969 alloc_flags = PMAP_PAGES_ALLOCATE_NOWAIT | PMAP_PAGE_RECLAIM_NOWAIT;
1970 }
1971 }
1972
1973 /**
1974 * Make sure we have PMAP_PAGES_ALLOCATE_NOWAIT set in alloc_flags when the
1975 * input options argument has PMAP_OPTIONS_NOWAIT set.
1976 */
1977 alloc_flags |= (options & PMAP_OPTIONS_NOWAIT) ? PMAP_PAGES_ALLOCATE_NOWAIT : 0;
1978
1979 /**
1980 * We ran out of PV entries all across the board, or this allocation is not
1981 * for the kernel. Let's make sure that the kernel list is not too full
1982 * (very unlikely), in which case we can rebalance here.
1983 */
1984 if (__improbable(pv_kern_free.count > (PV_BATCH_SIZE * 2))) {
1985 pmap_simple_lock(&pv_kern_free_list_lock);
1986 /* Re-check, now that the lock is held. */
1987 if (pv_kern_free.count > (PV_BATCH_SIZE * 2)) {
1988 pv_entry_t *pve_head = pv_kern_free.list;
1989 pv_entry_t *pve_tail = pve_head;
1990
1991 for (int i = 0; i < (PV_BATCH_SIZE - 1); i++) {
1992 pve_tail = pve_tail->pve_next;
1993 }
1994
1995 pv_kern_free.list = pve_tail->pve_next;
1996 pv_kern_free.count -= PV_BATCH_SIZE;
1997 pve_tail->pve_next = PV_ENTRY_NULL;
1998 pmap_simple_unlock(&pv_kern_free_list_lock);
1999
2000 /* Return back every node except the first one to the free lists. */
2001 pv_list_free(pve_head->pve_next, pve_tail, PV_BATCH_SIZE - 1);
2002 pve_head->pve_next = PV_ENTRY_NULL;
2003 *pvepp = pve_head;
2004 return PV_ALLOC_SUCCESS;
2005 }
2006 pmap_simple_unlock(&pv_kern_free_list_lock);
2007 }
2008
2009 /**
2010 * If all else fails, try to get a new pmap page so that the allocation
2011 * succeeds once the caller retries it.
2012 */
2013 kern_return_t kr = KERN_FAILURE;
2014 pv_alloc_return_t pv_status = PV_ALLOC_FAIL;
2015
2016 /* Drop the lock during page allocation since that can take a while. */
2017 pvh_unlock(pai);
2018 if (pmap != NULL) {
2019 pmap_unlock(pmap, lock_mode);
2020 }
2021
2022 if ((kr = pve_feed_page(alloc_flags)) == KERN_SUCCESS) {
2023 /**
2024 * Since the lock was dropped, even though we successfully allocated a
2025 * new page to be used for PVE nodes, the code that relies on this
2026 * function might have depended on the lock being held for consistency,
2027 * so return out early and let them retry the allocation with the lock
2028 * re-held.
2029 */
2030 pv_status = PV_ALLOC_RETRY;
2031 } else {
2032 pv_status = PV_ALLOC_FAIL;
2033 }
2034
2035 if (pmap != NULL) {
2036 pmap_lock(pmap, lock_mode);
2037 }
2038 pvh_lock(pai);
2039
2040 /* Ensure that no node was created if we're not returning successfully. */
2041 assert(*pvepp == PV_ENTRY_NULL);
2042
2043 return pv_status;
2044 }
2045
2046 /**
2047 * Utility function for freeing a single PVE object back to the free lists.
2048 *
2049 * @param pvep Pointer to the PVE object to free.
2050 */
2051 MARK_AS_PMAP_TEXT void
pv_free(pv_entry_t * pvep)2052 pv_free(pv_entry_t *pvep)
2053 {
2054 assert(pvep != PV_ENTRY_NULL);
2055
2056 pv_list_free(pvep, pvep, 1);
2057 }
2058
2059 /**
2060 * This function provides a mechanism for the device tree to override the
2061 * default PV allocation amounts and the watermark level which determines how
2062 * many PVE objects are kept in the kernel-dedicated free list.
2063 */
2064 MARK_AS_PMAP_TEXT void
pmap_compute_pv_targets(void)2065 pmap_compute_pv_targets(void)
2066 {
2067 DTEntry entry = NULL;
2068 void const *prop = NULL;
2069 int err = 0;
2070 unsigned int prop_size = 0;
2071
2072 err = SecureDTLookupEntry(NULL, "/defaults", &entry);
2073 assert(err == kSuccess);
2074
2075 if (kSuccess == SecureDTGetProperty(entry, "pmap-pv-count", &prop, &prop_size)) {
2076 if (prop_size != sizeof(pv_alloc_initial_target)) {
2077 panic("pmap-pv-count property is not a 32-bit integer");
2078 }
2079 pv_alloc_initial_target = *((uint32_t const *)prop);
2080 }
2081
2082 if (kSuccess == SecureDTGetProperty(entry, "pmap-kern-pv-count", &prop, &prop_size)) {
2083 if (prop_size != sizeof(pv_kern_alloc_initial_target)) {
2084 panic("pmap-kern-pv-count property is not a 32-bit integer");
2085 }
2086 pv_kern_alloc_initial_target = *((uint32_t const *)prop);
2087 }
2088
2089 if (kSuccess == SecureDTGetProperty(entry, "pmap-kern-pv-min", &prop, &prop_size)) {
2090 if (prop_size != sizeof(pv_kern_low_water_mark)) {
2091 panic("pmap-kern-pv-min property is not a 32-bit integer");
2092 }
2093 pv_kern_low_water_mark = *((uint32_t const *)prop);
2094 }
2095 }
2096
2097 /**
2098 * This would normally be used to adjust the amount of PVE objects available in
2099 * the system, but we do that dynamically at runtime anyway so this is unneeded.
2100 */
2101 void
mapping_adjust(void)2102 mapping_adjust(void)
2103 {
2104 /* Not implemented for arm/arm64. */
2105 }
2106
2107 /**
2108 * Creates a target number of free pv_entry_t objects for the kernel free list
2109 * and the general free list.
2110 *
2111 * @note This function is called once during early boot, in kernel_bootstrap().
2112 *
2113 * @return KERN_SUCCESS if the objects were successfully allocated, or the
2114 * return value from pve_feed_page() on failure (could be caused by not
2115 * being able to allocate a page).
2116 */
2117 MARK_AS_PMAP_TEXT kern_return_t
mapping_free_prime_internal(void)2118 mapping_free_prime_internal(void)
2119 {
2120 kern_return_t kr = KERN_FAILURE;
2121
2122 #if XNU_MONITOR
2123 /* PPL can't block so this flag is always required. */
2124 unsigned alloc_flags = PMAP_PAGES_ALLOCATE_NOWAIT;
2125 #else /* XNU_MONITOR */
2126 unsigned alloc_flags = 0;
2127 #endif /* XNU_MONITOR */
2128
2129 /*
2130 * We do not need to hold the pv_free_array lock to calculate the number of
2131 * elements in it because no other core is running at this point.
2132 */
2133 while (((pv_free_array_n_elems() * PV_BATCH_SIZE) < pv_alloc_initial_target) ||
2134 (pv_kern_free.count < pv_kern_alloc_initial_target)) {
2135 if ((kr = pve_feed_page(alloc_flags)) != KERN_SUCCESS) {
2136 return kr;
2137 }
2138 }
2139
2140 return KERN_SUCCESS;
2141 }
2142
2143 /**
2144 * Helper function for pmap_enter_pv (hereby shortened to "pepv") which converts
2145 * a PVH entry from PVH_TYPE_PTEP to PVH_TYPE_PVEP which will transform the
2146 * entry into a linked list of mappings.
2147 *
2148 * @note This should only be called from pmap_enter_pv().
2149 *
2150 * @note The PVH lock for the passed in page must already be held and the type
2151 * must be PVH_TYPE_PTEP (wouldn't make sense to call this otherwise).
2152 *
2153 * @param pmap Either the pmap that owns the mapping being registered in
2154 * pmap_enter_pv(), or NULL if this is an IOMMU mapping.
2155 * @param pai The physical address index of the page that's getting a second
2156 * mapping and needs to be converted from PVH_TYPE_PTEP to
2157 * PVH_TYPE_PVEP.
2158 * @param lock_mode Which state the pmap lock is being held in if the mapping is
2159 * owned by a pmap, otherwise this is a don't care.
2160 * @param options PMAP_OPTIONS_* family of options.
2161 *
2162 * @return PV_ALLOC_SUCCESS if the entry at `pai` was successfully converted
2163 * into PVH_TYPE_PVEP, or the return value of pv_alloc() otherwise. See
2164 * pv_alloc()'s function header for a detailed explanation of the
2165 * possible return values.
2166 */
2167 MARK_AS_PMAP_TEXT static pv_alloc_return_t
pepv_convert_ptep_to_pvep(pmap_t pmap,unsigned int pai,pmap_lock_mode_t lock_mode,unsigned int options)2168 pepv_convert_ptep_to_pvep(
2169 pmap_t pmap,
2170 unsigned int pai,
2171 pmap_lock_mode_t lock_mode,
2172 unsigned int options)
2173 {
2174 pvh_assert_locked(pai);
2175
2176 pv_entry_t **pvh = pai_to_pvh(pai);
2177 assert(pvh_test_type(pvh, PVH_TYPE_PTEP));
2178
2179 pv_entry_t *pvep = PV_ENTRY_NULL;
2180 pv_alloc_return_t ret = pv_alloc(pmap, pai, lock_mode, options, &pvep);
2181 if (ret != PV_ALLOC_SUCCESS) {
2182 return ret;
2183 }
2184
2185 /* If we've gotten this far then a node should've been allocated. */
2186 assert(pvep != PV_ENTRY_NULL);
2187
2188 /* The new PVE should have the same PTE pointer as the previous PVH entry. */
2189 pve_init(pvep);
2190 pve_set_ptep(pvep, 0, pvh_ptep(pvh));
2191
2192 assert(!pve_get_internal(pvep, 0));
2193 assert(!pve_get_altacct(pvep, 0));
2194 if (ppattr_is_internal(pai)) {
2195 /**
2196 * Transfer "internal" status from pp_attr to this pve. See the comment
2197 * above PP_ATTR_INTERNAL for more information on this.
2198 */
2199 ppattr_clear_internal(pai);
2200 pve_set_internal(pvep, 0);
2201 }
2202 if (ppattr_is_altacct(pai)) {
2203 /**
2204 * Transfer "altacct" status from pp_attr to this pve. See the comment
2205 * above PP_ATTR_ALTACCT for more information on this.
2206 */
2207 ppattr_clear_altacct(pai);
2208 pve_set_altacct(pvep, 0);
2209 }
2210
2211 pvh_update_head(pvh, pvep, PVH_TYPE_PVEP);
2212
2213 return PV_ALLOC_SUCCESS;
2214 }
2215
2216 /**
2217 * Register a new mapping into the pv_head_table. This is the main data
2218 * structure used for performing a reverse physical to virtual translation and
2219 * finding all mappings to a physical page. Whenever a new page table mapping is
2220 * created (regardless of whether it's for a CPU or an IOMMU), it should be
2221 * registered with a call to this function.
2222 *
2223 * @note The pmap lock must already be held if the new mapping is a CPU mapping.
2224 *
2225 * @note The PVH lock for the physical page that is getting a new mapping
2226 * registered must already be held.
2227 *
2228 * @note This function cannot be called during the hibernation process because
2229 * it modifies critical pmap data structures that need to be dumped into
2230 * the hibernation image in a consistent state.
2231 *
2232 * @param pmap The pmap that owns the new mapping, or NULL if this is tracking
2233 * an IOMMU translation.
2234 * @param ptep The new mapping to register.
2235 * @param pai The physical address index of the physical page being mapped by
2236 * `ptep`.
2237 * @param options Flags that can potentially be set on a per-page basis:
2238 * PMAP_OPTIONS_INTERNAL: If this is the first CPU mapping, then
2239 * mark the page as being "internal". See the definition of
2240 * PP_ATTR_INTERNAL for more info.
2241 * PMAP_OPTIONS_REUSABLE: If this is the first CPU mapping, and
2242 * this page is also marked internal, then mark the page as
2243 * being "reusable". See the definition of PP_ATTR_REUSABLE
2244 * for more info.
2245 * @param lock_mode Which state the pmap lock is being held in if the mapping is
2246 * owned by a pmap, otherwise this is a don't care.
2247 * @param new_pvepp An output parameter that is updated with a pointer to the
2248 * PVE object where the PTEP was allocated into. In the event
2249 * of failure, or if the pointer passed in is NULL,
2250 * it's not modified.
2251 * @param new_pve_ptep_idx An output parameter that is updated with the index
2252 * into the PVE object where the PTEP was allocated into.
2253 * In the event of failure, or if new_pvepp in is NULL,
2254 * it's not modified.
2255 *
2256 * @return PV_ALLOC_SUCCESS if the entry at `pai` was successfully updated with
2257 * the new mapping, or the return value of pv_alloc() otherwise. See
2258 * pv_alloc()'s function header for a detailed explanation of the
2259 * possible return values.
2260 */
2261 MARK_AS_PMAP_TEXT pv_alloc_return_t
pmap_enter_pv(pmap_t pmap,pt_entry_t * ptep,int pai,unsigned int options,pmap_lock_mode_t lock_mode,pv_entry_t ** new_pvepp,int * new_pve_ptep_idx)2262 pmap_enter_pv(
2263 pmap_t pmap,
2264 pt_entry_t *ptep,
2265 int pai,
2266 unsigned int options,
2267 pmap_lock_mode_t lock_mode,
2268 pv_entry_t **new_pvepp,
2269 int *new_pve_ptep_idx)
2270 {
2271 assert(ptep != PT_ENTRY_NULL);
2272
2273 pv_entry_t **pvh = pai_to_pvh(pai);
2274 bool first_cpu_mapping = false;
2275
2276 ASSERT_NOT_HIBERNATING();
2277 pvh_assert_locked(pai);
2278
2279 if (pmap != NULL) {
2280 pmap_assert_locked(pmap, lock_mode);
2281 }
2282
2283 vm_offset_t pvh_flags = pvh_get_flags(pvh);
2284
2285 #if XNU_MONITOR
2286 if (__improbable(pvh_flags & PVH_FLAG_LOCKDOWN_MASK)) {
2287 panic("%d is locked down (%#lx), cannot enter", pai, pvh_flags);
2288 }
2289 #endif /* XNU_MONITOR */
2290
2291
2292 #ifdef PVH_FLAG_CPU
2293 /**
2294 * An IOMMU mapping may already be present for a page that hasn't yet had a
2295 * CPU mapping established, so we use PVH_FLAG_CPU to determine if this is
2296 * the first CPU mapping. We base internal/reusable accounting on the
2297 * options specified for the first CPU mapping. PVH_FLAG_CPU, and thus this
2298 * accounting, will then persist as long as there are *any* mappings of the
2299 * page. The accounting for a page should not need to change until the page
2300 * is recycled by the VM layer, and we assert that there are no mappings
2301 * when a page is recycled. An IOMMU mapping of a freed/recycled page is
2302 * considered a security violation & potential DMA corruption path.
2303 */
2304 first_cpu_mapping = ((pmap != NULL) && !(pvh_flags & PVH_FLAG_CPU));
2305 if (first_cpu_mapping) {
2306 pvh_flags |= PVH_FLAG_CPU;
2307 }
2308 #else /* PVH_FLAG_CPU */
2309 first_cpu_mapping = pvh_test_type(pvh, PVH_TYPE_NULL);
2310 #endif /* PVH_FLAG_CPU */
2311
2312 /**
2313 * Internal/reusable flags are based on the first CPU mapping made to a
2314 * page. These will persist until all mappings to the page are removed.
2315 */
2316 if (first_cpu_mapping) {
2317 if ((options & PMAP_OPTIONS_INTERNAL) &&
2318 (options & PMAP_OPTIONS_REUSABLE)) {
2319 ppattr_set_reusable(pai);
2320 } else {
2321 ppattr_clear_reusable(pai);
2322 }
2323 }
2324
2325 /* Visit the definitions for the PVH_TYPEs to learn more about each one. */
2326 if (pvh_test_type(pvh, PVH_TYPE_NULL)) {
2327 /* If this is the first mapping, upgrade the type to store a single PTEP. */
2328 pvh_update_head(pvh, ptep, PVH_TYPE_PTEP);
2329 } else {
2330 pv_alloc_return_t ret = PV_ALLOC_FAIL;
2331
2332 if (pvh_test_type(pvh, PVH_TYPE_PTEP)) {
2333 /**
2334 * There was already a single mapping to the page. Convert the PVH
2335 * entry from PVH_TYPE_PTEP to PVH_TYPE_PVEP so that multiple
2336 * mappings can be tracked. If PVEs cannot hold more than a single
2337 * mapping, a second PVE will be added farther down.
2338 *
2339 * Also, ensure that the PVH flags (which can possibly contain
2340 * PVH_FLAG_CPU) are set before potentially returning or dropping
2341 * the locks. We use that flag to lock in the internal/reusable
2342 * attributes and we don't want another mapping to jump in while the
2343 * locks are dropped, think it's the first CPU mapping, and decide
2344 * to clobber those attributes.
2345 */
2346 pvh_set_flags(pvh, pvh_flags);
2347 if ((ret = pepv_convert_ptep_to_pvep(pmap, pai, lock_mode, options)) != PV_ALLOC_SUCCESS) {
2348 return ret;
2349 }
2350
2351 /**
2352 * At this point, the PVH flags have been clobbered due to updating
2353 * PTEP->PVEP, but that's ok because the locks are being held and
2354 * the flags will get set again below before pv_alloc() is called
2355 * and the locks are potentially dropped again.
2356 */
2357 } else if (!pvh_test_type(pvh, PVH_TYPE_PVEP)) {
2358 panic("%s: unexpected PV head %p, ptep=%p pmap=%p pvh=%p",
2359 __func__, *pvh, ptep, pmap, pvh);
2360 }
2361
2362 /**
2363 * Check if we have room for one more mapping in this PVE
2364 */
2365 pv_entry_t *pvep = pvh_pve_list(pvh);
2366 assert(pvep != PV_ENTRY_NULL);
2367
2368 int pve_ptep_idx = pve_find_ptep_index(pvep, PT_ENTRY_NULL);
2369
2370 if (pve_ptep_idx == -1) {
2371 /**
2372 * Set up the pv_entry for this new mapping and then add it to the list
2373 * for this physical page.
2374 */
2375 pve_ptep_idx = 0;
2376 pvh_set_flags(pvh, pvh_flags);
2377 pvep = PV_ENTRY_NULL;
2378 if ((ret = pv_alloc(pmap, pai, lock_mode, options, &pvep)) != PV_ALLOC_SUCCESS) {
2379 return ret;
2380 }
2381
2382 /* If we've gotten this far then a node should've been allocated. */
2383 assert(pvep != PV_ENTRY_NULL);
2384 pve_init(pvep);
2385 pve_add(pvh, pvep);
2386 }
2387
2388 pve_set_ptep(pvep, pve_ptep_idx, ptep);
2389
2390 /*
2391 * The PTEP was successfully entered into the PVE object.
2392 * If the caller requests it, set new_pvepp and new_pve_ptep_idx
2393 * appropriately.
2394 */
2395 if (new_pvepp != NULL) {
2396 *new_pvepp = pvep;
2397 *new_pve_ptep_idx = pve_ptep_idx;
2398 }
2399 }
2400
2401 pvh_set_flags(pvh, pvh_flags);
2402
2403 return PV_ALLOC_SUCCESS;
2404 }
2405
2406 /**
2407 * Remove a mapping that was registered with the pv_head_table. This needs to be
2408 * done for every mapping that was previously registered using pmap_enter_pv()
2409 * when the mapping is removed.
2410 *
2411 * @note The PVH lock for the physical page that is getting a new mapping
2412 * registered must already be held.
2413 *
2414 * @note This function cannot be called during the hibernation process because
2415 * it modifies critical pmap data structures that need to be dumped into
2416 * the hibernation image in a consistent state.
2417 *
2418 * @param pmap The pmap that owns the new mapping, or NULL if this is tracking
2419 * an IOMMU translation.
2420 * @param ptep The mapping that's getting removed.
2421 * @param pai The physical address index of the physical page being mapped by
2422 * `ptep`.
2423 * @param flush_tlb_async On some systems, removing the last mapping to a page
2424 * that used to be mapped executable will require
2425 * updating the physical aperture mapping of the page.
2426 * This parameter specifies whether the TLB invalidate
2427 * should be synchronized or not if that update occurs.
2428 * @param is_internal_p The internal bit of the PTE that was removed.
2429 * @param is_altacct_p The altacct bit of the PTE that was removed.
2430 */
2431 void
pmap_remove_pv(pmap_t pmap,pt_entry_t * ptep,int pai,bool flush_tlb_async __unused,bool * is_internal_p,bool * is_altacct_p)2432 pmap_remove_pv(
2433 pmap_t pmap,
2434 pt_entry_t *ptep,
2435 int pai,
2436 bool flush_tlb_async __unused,
2437 bool *is_internal_p,
2438 bool *is_altacct_p)
2439 {
2440 ASSERT_NOT_HIBERNATING();
2441 pvh_assert_locked(pai);
2442
2443 bool is_internal = false;
2444 bool is_altacct = false;
2445 pv_entry_t **pvh = pai_to_pvh(pai);
2446 const vm_offset_t pvh_flags = pvh_get_flags(pvh);
2447
2448 #if XNU_MONITOR
2449 if (__improbable(pvh_flags & PVH_FLAG_LOCKDOWN_MASK)) {
2450 panic("%s: PVH entry at pai %d is locked down (%#lx), cannot remove",
2451 __func__, pai, pvh_flags);
2452 }
2453 #endif /* XNU_MONITOR */
2454
2455
2456 if (pvh_test_type(pvh, PVH_TYPE_PTEP)) {
2457 if (__improbable((ptep != pvh_ptep(pvh)))) {
2458 /**
2459 * The only mapping that exists for this page isn't the one we're
2460 * unmapping, weird.
2461 */
2462 panic("%s: ptep=%p does not match pvh=%p (%p), pai=0x%x",
2463 __func__, ptep, pvh, pvh_ptep(pvh), pai);
2464 }
2465
2466 pvh_update_head(pvh, PV_ENTRY_NULL, PVH_TYPE_NULL);
2467 is_internal = ppattr_is_internal(pai);
2468 is_altacct = ppattr_is_altacct(pai);
2469 } else if (pvh_test_type(pvh, PVH_TYPE_PVEP)) {
2470 pv_entry_t **pvepp = pvh;
2471 pv_entry_t *pvep = pvh_pve_list(pvh);
2472 assert(pvep != PV_ENTRY_NULL);
2473 int pve_pte_idx = 0;
2474 /* Find the PVE that represents the mapping we're removing. */
2475 while ((pvep != PV_ENTRY_NULL) && ((pve_pte_idx = pve_find_ptep_index(pvep, ptep)) == -1)) {
2476 pvepp = pve_next_ptr(pvep);
2477 pvep = pve_next(pvep);
2478 }
2479
2480 if (__improbable((pvep == PV_ENTRY_NULL))) {
2481 panic("%s: ptep=%p (pai=0x%x) not in pvh=%p", __func__, ptep, pai, pvh);
2482 }
2483
2484 is_internal = pve_get_internal(pvep, pve_pte_idx);
2485 is_altacct = pve_get_altacct(pvep, pve_pte_idx);
2486 pve_set_ptep(pvep, pve_pte_idx, PT_ENTRY_NULL);
2487
2488 #if MACH_ASSERT
2489 /**
2490 * Ensure that the mapping didn't accidentally have multiple PVEs
2491 * associated with it (there should only be one PVE per mapping). This
2492 * checking only occurs on configurations that can accept the perf hit
2493 * that walking the PVE chain on every unmap entails.
2494 *
2495 * This is skipped for IOMMU mappings because some IOMMUs don't use
2496 * normal page tables (e.g., NVMe) to map pages, so the `ptep` field in
2497 * the associated PVE won't actually point to a real page table (see the
2498 * definition of PVH_FLAG_IOMMU_TABLE for more info). Because of that,
2499 * it's perfectly possible for duplicate IOMMU PVEs to exist.
2500 */
2501 if ((pmap != NULL) && (kern_feature_override(KF_PMAPV_OVRD) == FALSE)) {
2502 pv_entry_t *check_pvep = pvep;
2503
2504 do {
2505 if (pve_find_ptep_index(check_pvep, ptep) != -1) {
2506 panic_plain("%s: duplicate pve entry ptep=%p pmap=%p, pvh=%p, "
2507 "pvep=%p, pai=0x%x", __func__, ptep, pmap, pvh, pvep, pai);
2508 }
2509 } while ((check_pvep = pve_next(check_pvep)) != PV_ENTRY_NULL);
2510 }
2511 #endif /* MACH_ASSERT */
2512
2513 const bool pve_is_first = (pvepp == pvh);
2514 const bool pve_is_last = (pve_next(pvep) == PV_ENTRY_NULL);
2515 const int other_pte_idx = !pve_pte_idx;
2516
2517 if (pve_is_empty(pvep)) {
2518 /*
2519 * This PVE doesn't contain any mappings. We can get rid of it.
2520 */
2521 pve_remove(pvh, pvepp, pvep);
2522 pv_free(pvep);
2523 } else if (!pve_is_first) {
2524 /*
2525 * This PVE contains a single mapping. See if we can coalesce it with the one
2526 * at the top of the list.
2527 */
2528 pv_entry_t *head_pvep = pvh_pve_list(pvh);
2529 int head_pve_pte_empty_idx;
2530 if ((head_pve_pte_empty_idx = pve_find_ptep_index(head_pvep, PT_ENTRY_NULL)) != -1) {
2531 pve_set_ptep(head_pvep, head_pve_pte_empty_idx, pve_get_ptep(pvep, other_pte_idx));
2532 if (pve_get_internal(pvep, other_pte_idx)) {
2533 pve_set_internal(head_pvep, head_pve_pte_empty_idx);
2534 }
2535 if (pve_get_altacct(pvep, other_pte_idx)) {
2536 pve_set_altacct(head_pvep, head_pve_pte_empty_idx);
2537 }
2538 pve_remove(pvh, pvepp, pvep);
2539 pv_free(pvep);
2540 } else {
2541 /*
2542 * We could not coalesce it. Move it to the start of the list, so that it
2543 * can be coalesced against in the future.
2544 */
2545 *pvepp = pve_next(pvep);
2546 pve_add(pvh, pvep);
2547 }
2548 } else if (pve_is_first && pve_is_last) {
2549 /*
2550 * This PVE contains a single mapping, and it's the last mapping for this PAI.
2551 * Collapse this list back into the head, turning it into a PVH_TYPE_PTEP entry.
2552 */
2553 pve_remove(pvh, pvepp, pvep);
2554 pvh_update_head(pvh, pve_get_ptep(pvep, other_pte_idx), PVH_TYPE_PTEP);
2555 if (pve_get_internal(pvep, other_pte_idx)) {
2556 ppattr_set_internal(pai);
2557 }
2558 if (pve_get_altacct(pvep, other_pte_idx)) {
2559 ppattr_set_altacct(pai);
2560 }
2561 pv_free(pvep);
2562 }
2563
2564 /**
2565 * Removing a PVE entry can clobber the PVH flags if the head itself is
2566 * updated (when removing the first PVE in the list) so let's re-set the
2567 * flags back to what they should be.
2568 */
2569 if (!pvh_test_type(pvh, PVH_TYPE_NULL)) {
2570 pvh_set_flags(pvh, pvh_flags);
2571 }
2572 } else {
2573 panic("%s: unexpected PV head %p, ptep=%p pmap=%p pvh=%p pai=0x%x",
2574 __func__, *pvh, ptep, pmap, pvh, pai);
2575 }
2576
2577 #ifdef PVH_FLAG_EXEC
2578 /**
2579 * If we're on a system that has extra protections around executable pages,
2580 * then removing the last mapping to an executable page means we need to
2581 * give write-access back to the physical aperture mapping of this page
2582 * (write access is removed when a page is executable for security reasons).
2583 */
2584 if ((pvh_flags & PVH_FLAG_EXEC) && pvh_test_type(pvh, PVH_TYPE_NULL)) {
2585 pmap_set_ptov_ap(pai, AP_RWNA, flush_tlb_async);
2586 }
2587 #endif /* PVH_FLAG_EXEC */
2588
2589 *is_internal_p = is_internal;
2590 *is_altacct_p = is_altacct;
2591 }
2592
2593 /**
2594 * Bootstrap the initial Page Table Descriptor (PTD) node free list.
2595 *
2596 * @note It's not safe to allocate PTD nodes until after this function is
2597 * invoked.
2598 *
2599 * @note The maximum number of PTD objects that can reside within one page
2600 * (`ptd_per_page`) must have already been calculated before calling this
2601 * function.
2602 *
2603 * @param ptdp Pointer to the virtually-contiguous memory used for the initial
2604 * free list.
2605 * @param num_pages The number of virtually-contiguous pages pointed to by
2606 * `ptdp` that will be used to prime the PTD allocator.
2607 */
2608 MARK_AS_PMAP_TEXT void
ptd_bootstrap(pt_desc_t * ptdp,unsigned int num_pages)2609 ptd_bootstrap(pt_desc_t *ptdp, unsigned int num_pages)
2610 {
2611 assert(ptd_per_page > 0);
2612 assert((ptdp != NULL) && (((uintptr_t)ptdp & PAGE_MASK) == 0) && (num_pages > 0));
2613
2614 queue_init(&pt_page_list);
2615
2616 /**
2617 * Region represented by ptdp should be cleared by pmap_bootstrap().
2618 *
2619 * Only part of each page is being used for PTD objects (the rest is used
2620 * for each PTD's associated ptd_info_t object) so link together the last
2621 * PTD element of each page to the first element of the previous page.
2622 */
2623 for (int i = 0; i < num_pages; i++) {
2624 *((void**)(&ptdp[ptd_per_page - 1])) = (void*)ptd_free_list;
2625 ptd_free_list = ptdp;
2626 ptdp = (void *)(((uint8_t *)ptdp) + PAGE_SIZE);
2627 }
2628
2629 ptd_free_count = num_pages * ptd_per_page;
2630 simple_lock_init(&ptd_free_list_lock, 0);
2631 }
2632
2633 /**
2634 * Allocate a page table descriptor (PTD) object from the PTD free list, but
2635 * don't add it to the list of reclaimable userspace page table pages just yet
2636 * and don't associate the PTD with a specific pmap (that's what "unlinked"
2637 * means here).
2638 *
2639 * @note Until a page table's descriptor object is added to the page table list,
2640 * that table won't be eligible for reclaiming by pmap_page_reclaim().
2641 *
2642 * @return The page table descriptor object if the allocation was successful, or
2643 * NULL otherwise (which indicates that a page failed to be allocated
2644 * for new nodes).
2645 */
2646 MARK_AS_PMAP_TEXT pt_desc_t*
ptd_alloc_unlinked(void)2647 ptd_alloc_unlinked(void)
2648 {
2649 pt_desc_t *ptdp = PTD_ENTRY_NULL;
2650
2651 pmap_simple_lock(&ptd_free_list_lock);
2652
2653 assert(ptd_per_page != 0);
2654
2655 /**
2656 * Ensure that we either have a free list with nodes available, or a
2657 * completely empty list to allocate and prepend new nodes to.
2658 */
2659 assert(((ptd_free_list != NULL) && (ptd_free_count > 0)) ||
2660 ((ptd_free_list == NULL) && (ptd_free_count == 0)));
2661
2662 if (__improbable(ptd_free_count == 0)) {
2663 pmap_paddr_t pa = 0;
2664
2665 /* Drop the lock while allocating pages since that can take a while. */
2666 pmap_simple_unlock(&ptd_free_list_lock);
2667
2668 if (pmap_pages_alloc_zeroed(&pa, PAGE_SIZE, PMAP_PAGES_ALLOCATE_NOWAIT) != KERN_SUCCESS) {
2669 return NULL;
2670 }
2671 ptdp = (pt_desc_t *)phystokv(pa);
2672
2673 pmap_simple_lock(&ptd_free_list_lock);
2674
2675 /**
2676 * Since the lock was dropped while allocating, it's possible another
2677 * CPU already allocated a page. To be safe, prepend the current free
2678 * list (which may or may not be empty now) to the page of nodes just
2679 * allocated and update the head to point to these new nodes.
2680 */
2681 *((void**)(&ptdp[ptd_per_page - 1])) = (void*)ptd_free_list;
2682 ptd_free_list = ptdp;
2683 ptd_free_count += ptd_per_page;
2684 }
2685
2686 /* There should be available nodes at this point. */
2687 if (__improbable((ptd_free_count == 0) || (ptd_free_list == PTD_ENTRY_NULL))) {
2688 panic_plain("%s: out of PTD entries and for some reason didn't "
2689 "allocate more %d %p", __func__, ptd_free_count, ptd_free_list);
2690 }
2691
2692 /* Grab the top node off of the free list to return later. */
2693 ptdp = ptd_free_list;
2694
2695 /**
2696 * Advance the free list to the next node.
2697 *
2698 * Each free pt_desc_t-sized object in this free list uses the first few
2699 * bytes of the object to point to the next object in the list. When an
2700 * object is deallocated (in ptd_deallocate()) the object is prepended onto
2701 * the free list by setting its first few bytes to point to the current free
2702 * list head. Then the head is updated to point to that object.
2703 *
2704 * When a new page is allocated for PTD nodes, it's left zeroed out. Once we
2705 * use up all of the previously deallocated nodes, the list will point
2706 * somewhere into the last allocated, empty page. We know we're pointing at
2707 * this page because the first few bytes of the object will be NULL. In
2708 * that case just set the head to this empty object.
2709 *
2710 * This empty page can be thought of as a "reserve" of empty nodes for the
2711 * case where more nodes are being allocated than there are nodes being
2712 * deallocated.
2713 */
2714 pt_desc_t *const next_node = (pt_desc_t *)(*(void **)ptd_free_list);
2715
2716 /**
2717 * If the next node in the list is NULL but there are supposed to still be
2718 * nodes left, then we've hit the previously allocated empty page of nodes.
2719 * Go ahead and advance the free list to the next free node in that page.
2720 */
2721 if ((next_node == PTD_ENTRY_NULL) && (ptd_free_count > 1)) {
2722 ptd_free_list = ptd_free_list + 1;
2723 } else {
2724 ptd_free_list = next_node;
2725 }
2726
2727 ptd_free_count--;
2728
2729 pmap_simple_unlock(&ptd_free_list_lock);
2730
2731 ptdp->pt_page.next = NULL;
2732 ptdp->pt_page.prev = NULL;
2733 ptdp->pmap = NULL;
2734
2735 /**
2736 * Calculate and stash the address of the ptd_info_t associated with this
2737 * PTD. This can be done easily because both structures co-exist in the same
2738 * page, with ptd_info_t's starting at a given offset from the start of the
2739 * page.
2740 *
2741 * Each PTD is associated with a ptd_info_t of the same index. For example,
2742 * the 15th PTD will use the 15th ptd_info_t in the same page.
2743 */
2744 const unsigned ptd_index = ((uintptr_t)ptdp & PAGE_MASK) / sizeof(pt_desc_t);
2745 assert(ptd_index < ptd_per_page);
2746
2747 const uintptr_t start_of_page = (uintptr_t)ptdp & ~PAGE_MASK;
2748 ptd_info_t *first_ptd_info = (ptd_info_t *)(start_of_page + ptd_info_offset);
2749 ptdp->ptd_info = &first_ptd_info[ptd_index * PT_INDEX_MAX];
2750
2751 /**
2752 * On systems where the VM page size doesn't match the hardware page size,
2753 * one PTD might have to manage multiple page tables.
2754 */
2755 for (unsigned int i = 0; i < PT_INDEX_MAX; i++) {
2756 ptdp->va[i] = (vm_offset_t)-1;
2757 ptdp->ptd_info[i].refcnt = 0;
2758 ptdp->ptd_info[i].wiredcnt = 0;
2759 }
2760
2761 return ptdp;
2762 }
2763
2764 /**
2765 * Allocate a single page table descriptor (PTD) object, and if it's meant to
2766 * keep track of a userspace page table, then add that descriptor object to the
2767 * list of PTDs that can be reclaimed in pmap_page_reclaim().
2768 *
2769 * @param pmap The pmap object that will be owning the page table(s) that this
2770 * descriptor object represents.
2771 *
2772 * @return The allocated PTD object, or NULL if one failed to get allocated
2773 * (which indicates that memory wasn't able to get allocated).
2774 */
2775 MARK_AS_PMAP_TEXT pt_desc_t*
ptd_alloc(pmap_t pmap)2776 ptd_alloc(pmap_t pmap)
2777 {
2778 pt_desc_t *ptdp = ptd_alloc_unlinked();
2779
2780 if (ptdp == NULL) {
2781 return NULL;
2782 }
2783
2784 ptdp->pmap = pmap;
2785 if (pmap != kernel_pmap) {
2786 /**
2787 * We should never try to reclaim kernel pagetable pages in
2788 * pmap_page_reclaim(), so don't enter them into the list.
2789 */
2790 pmap_simple_lock(&pt_pages_lock);
2791 queue_enter(&pt_page_list, ptdp, pt_desc_t *, pt_page);
2792 pmap_simple_unlock(&pt_pages_lock);
2793 }
2794
2795 pmap_tt_ledger_credit(pmap, sizeof(*ptdp));
2796 return ptdp;
2797 }
2798
2799 /**
2800 * Deallocate a single page table descriptor (PTD) object.
2801 *
2802 * @note Ledger statistics are tracked on a per-pmap basis, so for those pages
2803 * which are not associated with any specific pmap (e.g., IOMMU pages),
2804 * the caller must ensure that the pmap/iommu field in the PTD object is
2805 * NULL before calling this function.
2806 *
2807 * @param ptdp Pointer to the PTD object to deallocate.
2808 */
2809 MARK_AS_PMAP_TEXT void
ptd_deallocate(pt_desc_t * ptdp)2810 ptd_deallocate(pt_desc_t *ptdp)
2811 {
2812 pmap_t pmap = ptdp->pmap;
2813
2814 /**
2815 * If this PTD was put onto the reclaimable page table list, then remove it
2816 * from that list before deallocating.
2817 */
2818 if (ptdp->pt_page.next != NULL) {
2819 pmap_simple_lock(&pt_pages_lock);
2820 queue_remove(&pt_page_list, ptdp, pt_desc_t *, pt_page);
2821 pmap_simple_unlock(&pt_pages_lock);
2822 }
2823
2824 /* Prepend the deallocated node to the free list. */
2825 pmap_simple_lock(&ptd_free_list_lock);
2826 (*(void **)ptdp) = (void *)ptd_free_list;
2827 ptd_free_list = (pt_desc_t *)ptdp;
2828 ptd_free_count++;
2829 pmap_simple_unlock(&ptd_free_list_lock);
2830
2831 /**
2832 * If this PTD was being used to represent an IOMMU page then there won't be
2833 * an associated pmap, and therefore no ledger statistics to update.
2834 */
2835 if (pmap != NULL) {
2836 pmap_tt_ledger_debit(pmap, sizeof(*ptdp));
2837 }
2838 }
2839
2840 /**
2841 * In address spaces where the VM page size is larger than the underlying
2842 * hardware page size, one page table descriptor (PTD) object can represent
2843 * multiple page tables. Some fields (like the reference counts) still need to
2844 * be tracked on a per-page-table basis. Because of this, those values are
2845 * stored in a separate array of ptd_info_t objects within the PTD where there's
2846 * one ptd_info_t for every page table a single PTD can manage.
2847 *
2848 * This function initializes the correct ptd_info_t field within a PTD based on
2849 * the page table it's representing.
2850 *
2851 * @param ptdp Pointer to the PTD object which contains the ptd_info_t field to
2852 * update. Must match up with the `pmap` and `ptep` parameters.
2853 * @param pmap The pmap that owns the page table managed by the passed in PTD.
2854 * @param va Any virtual address that resides within the virtual address space
2855 * being mapped by the page table pointed to by `ptep`.
2856 * @param level The level in the page table hierarchy that the table resides.
2857 * @param ptep A pointer into a page table that the passed in PTD manages. This
2858 * page table must be owned by `pmap` and be the PTE that maps `va`.
2859 */
2860 MARK_AS_PMAP_TEXT void
ptd_info_init(pt_desc_t * ptdp,pmap_t pmap,vm_map_address_t va,unsigned int level,pt_entry_t * ptep)2861 ptd_info_init(
2862 pt_desc_t *ptdp,
2863 pmap_t pmap,
2864 vm_map_address_t va,
2865 unsigned int level,
2866 pt_entry_t *ptep)
2867 {
2868 const pt_attr_t * const pt_attr = pmap_get_pt_attr(pmap);
2869
2870 if (ptdp->pmap != pmap) {
2871 panic("%s: pmap mismatch, ptdp=%p, pmap=%p, va=%p, level=%u, ptep=%p",
2872 __func__, ptdp, pmap, (void*)va, level, ptep);
2873 }
2874
2875 /**
2876 * Root tables are managed separately, and can be accessed through the
2877 * pmap structure itself (there's only one root table per address space).
2878 */
2879 assert(level > pt_attr_root_level(pt_attr));
2880
2881 /**
2882 * Each PTD can represent multiple page tables. Get the correct index to use
2883 * with the per-page-table properties.
2884 */
2885 const unsigned pt_index = ptd_get_index(ptdp, ptep);
2886
2887 /**
2888 * The "va" field represents the first virtual address that this page table
2889 * is translating for. Naturally, this is dependent on the level the page
2890 * table resides at since more VA space is mapped the closer the page
2891 * table's level is to the root.
2892 */
2893 ptdp->va[pt_index] = (vm_offset_t) va & ~pt_attr_ln_offmask(pt_attr, level - 1);
2894
2895 /**
2896 * Reference counts are only tracked on CPU leaf tables because those are
2897 * the only tables that can be opportunistically deallocated.
2898 */
2899 if (level < pt_attr_leaf_level(pt_attr)) {
2900 ptdp->ptd_info[pt_index].refcnt = PT_DESC_REFCOUNT;
2901 }
2902 }
2903
2904 #if XNU_MONITOR
2905
2906 /**
2907 * Validate that a pointer passed into the PPL is indeed an actual ledger object
2908 * that was allocated from within the PPL.
2909 *
2910 * If this is truly a real PPL-allocated ledger object then the object will have
2911 * an index into the ledger pointer array located right after it. That index
2912 * into the ledger pointer array should contain the exact same pointer that
2913 * we're validating. This works because the ledger array is PPL-owned data, so
2914 * even if the index was fabricated to try and point to a different ledger
2915 * object, the pointer inside the array won't match up with the passed in
2916 * pointer and validation will fail.
2917 *
2918 * @note This validation does not need to occur on non-PPL systems because on
2919 * those systems the ledger objects are allocated using a zone allocator.
2920 *
2921 * @param ledger Pointer to the supposed ledger object that we need to validate.
2922 *
2923 * @return The index into the ledger pointer array used to validate the passed
2924 * in ledger pointer. If the pointer failed to validate, then the system
2925 * will panic.
2926 */
2927 MARK_AS_PMAP_TEXT uint64_t
pmap_ledger_validate(const volatile void * ledger)2928 pmap_ledger_validate(const volatile void *ledger)
2929 {
2930 assert(ledger != NULL);
2931
2932 uint64_t array_index = ((const volatile pmap_ledger_t*)ledger)->array_index;
2933
2934 if (__improbable(array_index >= pmap_ledger_ptr_array_count)) {
2935 panic("%s: ledger %p array index invalid, index was %#llx", __func__,
2936 ledger, array_index);
2937 }
2938
2939 if (__improbable(pmap_ledger_ptr_array[array_index] != ledger)) {
2940 panic("%s: ledger pointer mismatch, %p != %p", __func__, ledger,
2941 pmap_ledger_ptr_array[array_index]);
2942 }
2943
2944 return array_index;
2945 }
2946
2947 /**
2948 * The size of the ledgers being allocated by the PPL need to be large enough
2949 * to handle ledgers produced by the task_ledgers ledger template. That template
2950 * is dynamically created at runtime so this function is used to verify that the
2951 * real size of a ledger based on the task_ledgers template matches up with the
2952 * amount of space the PPL calculated is required for a single ledger.
2953 *
2954 * @note See the definition of PMAP_LEDGER_DATA_BYTES for more information.
2955 *
2956 * @note This function needs to be called before any ledgers can be allocated.
2957 *
2958 * @param size The actual size that each pmap ledger should be. This is
2959 * calculated based on the task_ledgers template which should match
2960 * up with PMAP_LEDGER_DATA_BYTES.
2961 */
2962 MARK_AS_PMAP_TEXT void
pmap_ledger_verify_size_internal(size_t size)2963 pmap_ledger_verify_size_internal(size_t size)
2964 {
2965 pmap_simple_lock(&pmap_ledger_lock);
2966
2967 if (pmap_ledger_size_verified) {
2968 panic("%s: ledger size already verified, size=%lu", __func__, size);
2969 }
2970
2971 if ((size == 0) || (size > sizeof(pmap_ledger_data_t)) ||
2972 ((sizeof(pmap_ledger_data_t) - size) % sizeof(struct ledger_entry))) {
2973 panic("%s: size mismatch, expected %lu, size=%lu", __func__,
2974 PMAP_LEDGER_DATA_BYTES, size);
2975 }
2976
2977 pmap_ledger_size_verified = true;
2978
2979 pmap_simple_unlock(&pmap_ledger_lock);
2980 }
2981
2982 /**
2983 * Allocate a ledger object from the pmap ledger free list and associate it with
2984 * the ledger pointer array so it can be validated when passed into the PPL.
2985 *
2986 * @return Pointer to the successfully allocated ledger object, or NULL if we're
2987 * out of PPL pages.
2988 */
2989 MARK_AS_PMAP_TEXT ledger_t
pmap_ledger_alloc_internal(void)2990 pmap_ledger_alloc_internal(void)
2991 {
2992 /**
2993 * Ensure that we've double checked the size of the ledger objects we're
2994 * allocating before we allocate anything.
2995 */
2996 if (!pmap_ledger_size_verified) {
2997 panic_plain("%s: Attempted to allocate a pmap ledger before verifying "
2998 "the ledger size", __func__);
2999 }
3000
3001 pmap_simple_lock(&pmap_ledger_lock);
3002 if (pmap_ledger_free_list == NULL) {
3003 /* The free list is empty, so allocate a page's worth of objects. */
3004 const pmap_paddr_t paddr = pmap_get_free_ppl_page();
3005
3006 if (paddr == 0) {
3007 pmap_simple_unlock(&pmap_ledger_lock);
3008 return NULL;
3009 }
3010
3011 const vm_map_address_t vstart = phystokv(paddr);
3012 const uint32_t ledgers_per_page = PAGE_SIZE / sizeof(pmap_ledger_t);
3013 const vm_map_address_t vend = vstart + (ledgers_per_page * sizeof(pmap_ledger_t));
3014 assert(vend > vstart);
3015
3016 /**
3017 * Loop through every pmap ledger object within the recently allocated
3018 * page and add it to both the ledger free list and the ledger pointer
3019 * array (which will be used to validate these objects in the future).
3020 */
3021 for (vm_map_address_t vaddr = vstart; vaddr < vend; vaddr += sizeof(pmap_ledger_t)) {
3022 /* Get the next free entry in the ledger pointer array. */
3023 const uint64_t index = pmap_ledger_ptr_array_free_index++;
3024
3025 if (index >= pmap_ledger_ptr_array_count) {
3026 panic("%s: pmap_ledger_ptr_array is full, index=%llu",
3027 __func__, index);
3028 }
3029
3030 pmap_ledger_t *free_ledger = (pmap_ledger_t*)vaddr;
3031
3032 /**
3033 * This association between the just allocated ledger and the
3034 * pointer array is what allows this object to be validated in the
3035 * future that it's indeed a ledger allocated by this code.
3036 */
3037 pmap_ledger_ptr_array[index] = free_ledger;
3038 free_ledger->array_index = index;
3039
3040 /* Prepend this new ledger object to the free list. */
3041 free_ledger->next = pmap_ledger_free_list;
3042 pmap_ledger_free_list = free_ledger;
3043 }
3044
3045 /**
3046 * In an effort to reduce the amount of ledger code that needs to be
3047 * called from within the PPL, the ledger objects themselves are made
3048 * kernel writable. This way, all of the initialization and checking of
3049 * the ledgers can occur outside of the PPL.
3050 *
3051 * The only modification to these ledger objects that should occur from
3052 * within the PPL is when debiting/crediting the ledgers. And those
3053 * operations should only occur on validated ledger objects that are
3054 * validated using the ledger pointer array (which is wholly contained
3055 * in PPL-owned memory).
3056 */
3057 pa_set_range_xprr_perm(paddr, paddr + PAGE_SIZE, XPRR_PPL_RW_PERM, XPRR_KERN_RW_PERM);
3058 }
3059
3060 ledger_t new_ledger = (ledger_t)pmap_ledger_free_list;
3061 pmap_ledger_free_list = pmap_ledger_free_list->next;
3062
3063 /**
3064 * Double check that the array index of the recently allocated object wasn't
3065 * tampered with while the object was sitting on the free list.
3066 */
3067 const uint64_t array_index = pmap_ledger_validate(new_ledger);
3068 os_ref_init(&pmap_ledger_refcnt[array_index], NULL);
3069
3070 pmap_simple_unlock(&pmap_ledger_lock);
3071
3072 return new_ledger;
3073 }
3074
3075 /**
3076 * Free a ledger that was previously allocated by the PPL.
3077 *
3078 * @param ledger The ledger to put back onto the pmap ledger free list.
3079 */
3080 MARK_AS_PMAP_TEXT void
pmap_ledger_free_internal(ledger_t ledger)3081 pmap_ledger_free_internal(ledger_t ledger)
3082 {
3083 /**
3084 * A pmap_ledger_t wholly contains a ledger_t as its first member, but also
3085 * includes an index into the ledger pointer array used for validation
3086 * purposes.
3087 */
3088 pmap_ledger_t *free_ledger = (pmap_ledger_t*)ledger;
3089
3090 pmap_simple_lock(&pmap_ledger_lock);
3091
3092 /* Ensure that what we're putting onto the free list is a real ledger. */
3093 const uint64_t array_index = pmap_ledger_validate(ledger);
3094
3095 /* Ensure no pmap objects are still using this ledger. */
3096 if (os_ref_release(&pmap_ledger_refcnt[array_index]) != 0) {
3097 panic("%s: ledger still referenced, ledger=%p", __func__, ledger);
3098 }
3099
3100 /* Prepend the ledger to the free list. */
3101 free_ledger->next = pmap_ledger_free_list;
3102 pmap_ledger_free_list = free_ledger;
3103
3104 pmap_simple_unlock(&pmap_ledger_lock);
3105 }
3106
3107 /**
3108 * Bump the reference count on a ledger object to denote that is currently in
3109 * use by a pmap object.
3110 *
3111 * @param ledger The ledger whose refcnt to increment.
3112 */
3113 MARK_AS_PMAP_TEXT void
pmap_ledger_retain(ledger_t ledger)3114 pmap_ledger_retain(ledger_t ledger)
3115 {
3116 pmap_simple_lock(&pmap_ledger_lock);
3117 const uint64_t array_index = pmap_ledger_validate(ledger);
3118 os_ref_retain(&pmap_ledger_refcnt[array_index]);
3119 pmap_simple_unlock(&pmap_ledger_lock);
3120 }
3121
3122 /**
3123 * Decrement the reference count on a ledger object to denote that a pmap object
3124 * that used to use it now isn't.
3125 *
3126 * @param ledger The ledger whose refcnt to decrement.
3127 */
3128 MARK_AS_PMAP_TEXT void
pmap_ledger_release(ledger_t ledger)3129 pmap_ledger_release(ledger_t ledger)
3130 {
3131 pmap_simple_lock(&pmap_ledger_lock);
3132 const uint64_t array_index = pmap_ledger_validate(ledger);
3133 os_ref_release_live(&pmap_ledger_refcnt[array_index]);
3134 pmap_simple_unlock(&pmap_ledger_lock);
3135 }
3136
3137 /**
3138 * This function is used to check a ledger that was recently updated (usually
3139 * from within the PPL) and potentially take actions based on the new ledger
3140 * balances (e.g., set an AST).
3141 *
3142 * @note On non-PPL systems this checking occurs automatically every time a
3143 * ledger is credited/debited. Due to that, this function only needs to
3144 * get called on PPL-enabled systems.
3145 *
3146 * @note This function can ONLY be called from *outside* of the PPL due to its
3147 * usage of current_thread(). The TPIDR register is kernel-modifiable, and
3148 * hence can't be trusted. This also means we don't need to pull all of
3149 * the logic used to check ledger balances into the PPL.
3150 *
3151 * @param pmap The pmap whose ledger should be checked.
3152 */
3153 void
pmap_ledger_check_balance(pmap_t pmap)3154 pmap_ledger_check_balance(pmap_t pmap)
3155 {
3156 /* This function should only be called from outside of the PPL. */
3157 assert((pmap != NULL) && !pmap_in_ppl());
3158
3159 ledger_t ledger = pmap->ledger;
3160
3161 if (ledger == NULL) {
3162 return;
3163 }
3164
3165 thread_t cur_thread = current_thread();
3166 ledger_check_new_balance(cur_thread, ledger, task_ledgers.alternate_accounting);
3167 ledger_check_new_balance(cur_thread, ledger, task_ledgers.alternate_accounting_compressed);
3168 ledger_check_new_balance(cur_thread, ledger, task_ledgers.internal);
3169 ledger_check_new_balance(cur_thread, ledger, task_ledgers.internal_compressed);
3170 ledger_check_new_balance(cur_thread, ledger, task_ledgers.page_table);
3171 ledger_check_new_balance(cur_thread, ledger, task_ledgers.phys_footprint);
3172 ledger_check_new_balance(cur_thread, ledger, task_ledgers.phys_mem);
3173 ledger_check_new_balance(cur_thread, ledger, task_ledgers.tkm_private);
3174 ledger_check_new_balance(cur_thread, ledger, task_ledgers.wired_mem);
3175 }
3176
3177 #endif /* XNU_MONITOR */
3178
3179 /**
3180 * Credit a specific ledger entry within the passed in pmap's ledger object.
3181 *
3182 * @note On PPL-enabled systems this operation will not automatically check the
3183 * ledger balances after updating. A call to pmap_ledger_check_balance()
3184 * will need to occur outside of the PPL to handle this.
3185 *
3186 * @param pmap The pmap whose ledger should be updated.
3187 * @param entry The specifc ledger entry to update. This needs to be one of the
3188 * task_ledger entries.
3189 * @param amount The amount to credit from the ledger.
3190 *
3191 * @return The return value from the credit operation.
3192 */
3193 kern_return_t
pmap_ledger_credit(pmap_t pmap,int entry,ledger_amount_t amount)3194 pmap_ledger_credit(pmap_t pmap, int entry, ledger_amount_t amount)
3195 {
3196 assert(pmap != NULL);
3197
3198 #if XNU_MONITOR
3199 /**
3200 * On PPL-enabled systems the "nocheck" variant MUST be called to ensure
3201 * that the ledger balance doesn't automatically get checked after being
3202 * updated.
3203 *
3204 * That checking process is unsafe to perform within the PPL due to its
3205 * reliance on current_thread().
3206 */
3207 return ledger_credit_nocheck(pmap->ledger, entry, amount);
3208 #else /* XNU_MONITOR */
3209 return ledger_credit(pmap->ledger, entry, amount);
3210 #endif /* XNU_MONITOR */
3211 }
3212
3213 /**
3214 * Debit a specific ledger entry within the passed in pmap's ledger object.
3215 *
3216 * @note On PPL-enabled systems this operation will not automatically check the
3217 * ledger balances after updating. A call to pmap_ledger_check_balance()
3218 * will need to occur outside of the PPL to handle this.
3219 *
3220 * @param pmap The pmap whose ledger should be updated.
3221 * @param entry The specifc ledger entry to update. This needs to be one of the
3222 * task_ledger entries.
3223 * @param amount The amount to debit from the ledger.
3224 *
3225 * @return The return value from the debit operation.
3226 */
3227 kern_return_t
pmap_ledger_debit(pmap_t pmap,int entry,ledger_amount_t amount)3228 pmap_ledger_debit(pmap_t pmap, int entry, ledger_amount_t amount)
3229 {
3230 assert(pmap != NULL);
3231
3232 #if XNU_MONITOR
3233 /**
3234 * On PPL-enabled systems the "nocheck" variant MUST be called to ensure
3235 * that the ledger balance doesn't automatically get checked after being
3236 * updated.
3237 *
3238 * That checking process is unsafe to perform within the PPL due to its
3239 * reliance on current_thread().
3240 */
3241 return ledger_debit_nocheck(pmap->ledger, entry, amount);
3242 #else /* XNU_MONITOR */
3243 return ledger_debit(pmap->ledger, entry, amount);
3244 #endif /* XNU_MONITOR */
3245 }
3246
3247 #if XNU_MONITOR
3248
3249 /**
3250 * Allocate a pmap object from the pmap object free list and associate it with
3251 * the pmap pointer array so it can be validated when passed into the PPL.
3252 *
3253 * @param pmap Output parameter that holds the newly allocated pmap object if
3254 * the operation was successful, or NULL otherwise. The return value
3255 * must be checked to know what this parameter should return.
3256 *
3257 * @return KERN_SUCCESS if the allocation was successful, KERN_RESOURCE_SHORTAGE
3258 * if out of free PPL pages, or KERN_NO_SPACE if more pmap objects were
3259 * trying to be allocated than the pmap pointer array could manage. On
3260 * KERN_SUCCESS, the `pmap` output parameter will point to the newly
3261 * allocated object.
3262 */
3263 MARK_AS_PMAP_TEXT kern_return_t
pmap_alloc_pmap(pmap_t * pmap)3264 pmap_alloc_pmap(pmap_t *pmap)
3265 {
3266 pmap_t new_pmap = PMAP_NULL;
3267 kern_return_t kr = KERN_SUCCESS;
3268
3269 pmap_simple_lock(&pmap_free_list_lock);
3270
3271 if (pmap_free_list == NULL) {
3272 /* If the pmap pointer array is full, then no more objects can be allocated. */
3273 if (__improbable(pmap_ptr_array_free_index == pmap_ptr_array_count)) {
3274 kr = KERN_NO_SPACE;
3275 goto pmap_alloc_cleanup;
3276 }
3277
3278 /* The free list is empty, so allocate a page's worth of objects. */
3279 const pmap_paddr_t paddr = pmap_get_free_ppl_page();
3280
3281 if (paddr == 0) {
3282 kr = KERN_RESOURCE_SHORTAGE;
3283 goto pmap_alloc_cleanup;
3284 }
3285
3286 const vm_map_address_t vstart = phystokv(paddr);
3287 const uint32_t pmaps_per_page = PAGE_SIZE / sizeof(pmap_list_entry_t);
3288 const vm_map_address_t vend = vstart + (pmaps_per_page * sizeof(pmap_list_entry_t));
3289 assert(vend > vstart);
3290
3291 /**
3292 * Loop through every pmap object within the recently allocated page and
3293 * add it to both the pmap free list and the pmap pointer array (which
3294 * will be used to validate these objects in the future).
3295 */
3296 for (vm_map_address_t vaddr = vstart; vaddr < vend; vaddr += sizeof(pmap_list_entry_t)) {
3297 /* Get the next free entry in the pmap pointer array. */
3298 const unsigned long index = pmap_ptr_array_free_index++;
3299
3300 if (__improbable(index >= pmap_ptr_array_count)) {
3301 panic("%s: pmap array index %lu >= limit %lu; corruption?",
3302 __func__, index, pmap_ptr_array_count);
3303 }
3304 pmap_list_entry_t *free_pmap = (pmap_list_entry_t*)vaddr;
3305 os_atomic_init(&free_pmap->pmap.ref_count, 0);
3306
3307 /**
3308 * This association between the just allocated pmap object and the
3309 * pointer array is what allows this object to be validated in the
3310 * future that it's indeed a pmap object allocated by this code.
3311 */
3312 pmap_ptr_array[index] = free_pmap;
3313 free_pmap->array_index = index;
3314
3315 /* Prepend this new pmap object to the free list. */
3316 free_pmap->next = pmap_free_list;
3317 pmap_free_list = free_pmap;
3318
3319 /* Check if we've reached the maximum number of pmap objects. */
3320 if (__improbable(pmap_ptr_array_free_index == pmap_ptr_array_count)) {
3321 break;
3322 }
3323 }
3324 }
3325
3326 new_pmap = &pmap_free_list->pmap;
3327 pmap_free_list = pmap_free_list->next;
3328
3329 pmap_alloc_cleanup:
3330 pmap_simple_unlock(&pmap_free_list_lock);
3331 *pmap = new_pmap;
3332 return kr;
3333 }
3334
3335 /**
3336 * Free a pmap object that was previously allocated by the PPL.
3337 *
3338 * @note This should only be called on pmap objects that have already been
3339 * validated to be real pmap objects.
3340 *
3341 * @param pmap The pmap object to put back onto the pmap free.
3342 */
3343 MARK_AS_PMAP_TEXT void
pmap_free_pmap(pmap_t pmap)3344 pmap_free_pmap(pmap_t pmap)
3345 {
3346 /**
3347 * A pmap_list_entry_t wholly contains a struct pmap as its first member,
3348 * but also includes an index into the pmap pointer array used for
3349 * validation purposes.
3350 */
3351 pmap_list_entry_t *free_pmap = (pmap_list_entry_t*)pmap;
3352 if (__improbable(free_pmap->array_index >= pmap_ptr_array_count)) {
3353 panic("%s: pmap %p has index %lu >= limit %lu", __func__, pmap,
3354 free_pmap->array_index, pmap_ptr_array_count);
3355 }
3356
3357 pmap_simple_lock(&pmap_free_list_lock);
3358
3359 /* Prepend the pmap object to the free list. */
3360 free_pmap->next = pmap_free_list;
3361 pmap_free_list = free_pmap;
3362
3363 pmap_simple_unlock(&pmap_free_list_lock);
3364 }
3365
3366 #endif /* XNU_MONITOR */
3367
3368 #if XNU_MONITOR
3369
3370 /**
3371 * Helper function to validate that the pointer passed into this method is truly
3372 * a userspace pmap object that was allocated through the pmap_alloc_pmap() API.
3373 * This function will panic if the validation fails.
3374 *
3375 * @param pmap The pointer to validate.
3376 * @param func The stringized function name of the caller that will be printed
3377 * in the case that the validation fails.
3378 */
3379 static void
validate_user_pmap(const volatile struct pmap * pmap,const char * func)3380 validate_user_pmap(const volatile struct pmap *pmap, const char *func)
3381 {
3382 /**
3383 * Ensure the array index isn't corrupted. This could happen if an attacker
3384 * is trying to pass off random memory as a pmap object.
3385 */
3386 const unsigned long array_index = ((const volatile pmap_list_entry_t*)pmap)->array_index;
3387 if (__improbable(array_index >= pmap_ptr_array_count)) {
3388 panic("%s: pmap array index %lu >= limit %lu", func, array_index, pmap_ptr_array_count);
3389 }
3390
3391 /**
3392 * If the array index is valid, then ensure that the passed in object
3393 * matches up with the object in the pmap pointer array for this index. Even
3394 * if an attacker passed in random memory with a valid index, there's no way
3395 * the pmap pointer array will ever point to anything but the objects
3396 * allocated by the pmap free list (it's PPL-owned memory).
3397 */
3398 if (__improbable(pmap_ptr_array[array_index] != (const volatile pmap_list_entry_t*)pmap)) {
3399 panic("%s: pmap %p does not match array element %p at index %lu", func, pmap,
3400 pmap_ptr_array[array_index], array_index);
3401 }
3402
3403 /**
3404 * Ensure that this isn't just an object sitting on the free list waiting to
3405 * be allocated. This also helps protect against a race between validating
3406 * and deleting a pmap object.
3407 */
3408 if (__improbable(os_atomic_load(&pmap->ref_count, seq_cst) <= 0)) {
3409 panic("%s: pmap %p is not in use", func, pmap);
3410 }
3411 }
3412
3413 #endif /* XNU_MONITOR */
3414
3415 /**
3416 * Validate that the pointer passed into this method is a valid pmap object and
3417 * is safe to read from and base PPL decisions off of. This function will panic
3418 * if the validation fails.
3419 *
3420 * @note On non-PPL systems this only checks that the pmap object isn't NULL.
3421 *
3422 * @note This validation should only be used on objects that won't be written to
3423 * for the duration of the PPL call. If the object is going to be modified
3424 * then you must use validate_pmap_mutable().
3425 *
3426 * @param pmap The pointer to validate.
3427 * @param func The stringized function name of the caller that will be printed
3428 * in the case that the validation fails.
3429 */
3430 void
validate_pmap_internal(const volatile struct pmap * pmap,const char * func)3431 validate_pmap_internal(const volatile struct pmap *pmap, const char *func)
3432 {
3433 #if !XNU_MONITOR
3434 #pragma unused(pmap, func)
3435 assert(pmap != NULL);
3436 #else /* !XNU_MONITOR */
3437 if (pmap != kernel_pmap) {
3438 validate_user_pmap(pmap, func);
3439 }
3440 #endif /* !XNU_MONITOR */
3441 }
3442
3443 /**
3444 * Validate that the pointer passed into this method is a valid pmap object and
3445 * is safe to both read and write to from within the PPL. This function will
3446 * panic if the validation fails.
3447 *
3448 * @note On non-PPL systems this only checks that the pmap object isn't NULL.
3449 *
3450 * @note If you're only going to be reading from the pmap object for the
3451 * duration of the PPL call, it'll be faster to use the immutable version
3452 * of this validation: validate_pmap().
3453 *
3454 * @param pmap The pointer to validate.
3455 * @param func The stringized function name of the caller that will be printed
3456 * in the case that the validation fails.
3457 */
3458 void
validate_pmap_mutable_internal(const volatile struct pmap * pmap,const char * func)3459 validate_pmap_mutable_internal(const volatile struct pmap *pmap, const char *func)
3460 {
3461 #if !XNU_MONITOR
3462 #pragma unused(pmap, func)
3463 assert(pmap != NULL);
3464 #else /* !XNU_MONITOR */
3465 if (pmap != kernel_pmap) {
3466 /**
3467 * Every time a pmap object is validated to be mutable, we mark it down
3468 * as an "inflight" pmap on this CPU. The inflight pmap for this CPU
3469 * will be set to NULL automatically when the PPL is exited. The
3470 * pmap_destroy() path will ensure that no "inflight" pmaps (on any CPU)
3471 * are ever destroyed so as to prevent racy use-after-free attacks.
3472 */
3473 pmap_cpu_data_t *cpu_data = pmap_get_cpu_data();
3474
3475 /**
3476 * As a sanity check (since the inflight pmap should be cleared when
3477 * exiting the PPL), ensure that the previous inflight pmap is NULL, or
3478 * is the same as the one being validated here (which allows for
3479 * validating the same object twice).
3480 */
3481 __assert_only const volatile struct pmap *prev_inflight_pmap =
3482 os_atomic_load(&cpu_data->inflight_pmap, relaxed);
3483 assert((prev_inflight_pmap == NULL) || (prev_inflight_pmap == pmap));
3484
3485 /**
3486 * The release barrier here is intended to pair with the seq_cst load of
3487 * ref_count in validate_user_pmap() to ensure that if a pmap is
3488 * concurrently destroyed, either this path will observe that it was
3489 * destroyed after marking it in-flight and panic, or pmap_destroy will
3490 * observe the pmap as in-flight after decrementing ref_count and panic.
3491 */
3492 os_atomic_store(&cpu_data->inflight_pmap, pmap, release);
3493
3494 validate_user_pmap(pmap, func);
3495 }
3496 #endif /* !XNU_MONITOR */
3497 }
3498
3499 /**
3500 * Validate that the passed in pmap pointer is a pmap object that was allocated
3501 * by the pmap and not just random memory. On PPL-enabled systems, the
3502 * allocation is done through the pmap_alloc_pmap() API. On all other systems
3503 * it's allocated through a zone allocator.
3504 *
3505 * This function will panic if the validation fails.
3506 *
3507 * @param pmap The object to validate.
3508 */
3509 void
pmap_require(pmap_t pmap)3510 pmap_require(pmap_t pmap)
3511 {
3512 #if XNU_MONITOR
3513 validate_pmap(pmap);
3514 #else /* XNU_MONITOR */
3515 if (pmap != kernel_pmap) {
3516 zone_id_require(ZONE_ID_PMAP, sizeof(struct pmap), pmap);
3517 }
3518 #endif /* XNU_MONITOR */
3519 }
3520
3521 /**
3522 * Parse the device tree and determine how many pmap-io-ranges there are and
3523 * how much memory is needed to store all of that data.
3524 *
3525 * @note See the definition of pmap_io_range_t for more information on what a
3526 * "pmap-io-range" actually represents.
3527 *
3528 * @return The number of bytes needed to store metadata for all PPL-owned I/O
3529 * regions.
3530 */
3531 vm_size_t
pmap_compute_io_rgns(void)3532 pmap_compute_io_rgns(void)
3533 {
3534 DTEntry entry = NULL;
3535 __assert_only int err = SecureDTLookupEntry(NULL, "/defaults", &entry);
3536 assert(err == kSuccess);
3537
3538 void const *prop = NULL;
3539 unsigned int prop_size = 0;
3540 if (kSuccess != SecureDTGetProperty(entry, "pmap-io-ranges", &prop, &prop_size)) {
3541 return 0;
3542 }
3543
3544 /**
3545 * The device tree node for pmap-io-ranges maps directly onto an array of
3546 * pmap_io_range_t structures.
3547 */
3548 pmap_io_range_t const *ranges = prop;
3549
3550 /* Determine the number of regions and validate the fields. */
3551 for (unsigned int i = 0; i < (prop_size / sizeof(*ranges)); ++i) {
3552 if (ranges[i].addr & PAGE_MASK) {
3553 panic("%s: %u addr 0x%llx is not page-aligned",
3554 __func__, i, ranges[i].addr);
3555 }
3556
3557 if (ranges[i].len & PAGE_MASK) {
3558 panic("%s: %u length 0x%llx is not page-aligned",
3559 __func__, i, ranges[i].len);
3560 }
3561
3562 uint64_t rgn_end = 0;
3563 if (os_add_overflow(ranges[i].addr, ranges[i].len, &rgn_end)) {
3564 panic("%s: %u addr 0x%llx length 0x%llx wraps around",
3565 __func__, i, ranges[i].addr, ranges[i].len);
3566 }
3567
3568 if (((ranges[i].addr <= gPhysBase) && (rgn_end > gPhysBase)) ||
3569 ((ranges[i].addr < avail_end) && (rgn_end >= avail_end)) ||
3570 ((ranges[i].addr > gPhysBase) && (rgn_end < avail_end))) {
3571 panic("%s: %u addr 0x%llx length 0x%llx overlaps physical memory",
3572 __func__, i, ranges[i].addr, ranges[i].len);
3573 }
3574
3575 ++num_io_rgns;
3576 }
3577
3578 return num_io_rgns * sizeof(*ranges);
3579 }
3580
3581 /**
3582 * Helper function used when sorting and searching PPL I/O ranges.
3583 *
3584 * @param a The first PPL I/O range to compare.
3585 * @param b The second PPL I/O range to compare.
3586 *
3587 * @return < 0 for a < b
3588 * 0 for a == b
3589 * > 0 for a > b
3590 */
3591 static int
cmp_io_rgns(const void * a,const void * b)3592 cmp_io_rgns(const void *a, const void *b)
3593 {
3594 const pmap_io_range_t *range_a = a;
3595 const pmap_io_range_t *range_b = b;
3596
3597 if ((range_b->addr + range_b->len) <= range_a->addr) {
3598 return 1;
3599 } else if ((range_a->addr + range_a->len) <= range_b->addr) {
3600 return -1;
3601 } else {
3602 return 0;
3603 }
3604 }
3605
3606 /**
3607 * Now that enough memory has been allocated to store all of the pmap-io-ranges
3608 * device tree nodes in memory, go ahead and do that copy and then sort the
3609 * resulting array by address for quicker lookup later.
3610 *
3611 * @note This function assumes that the amount of memory required to store the
3612 * entire pmap-io-ranges device tree node has already been calculated (via
3613 * pmap_compute_io_rgns()) and allocated in io_attr_table.
3614 *
3615 * @note This function will leave io_attr_table sorted by address to allow for
3616 * performing a binary search when doing future range lookups.
3617 */
3618 void
pmap_load_io_rgns(void)3619 pmap_load_io_rgns(void)
3620 {
3621 if (num_io_rgns == 0) {
3622 return;
3623 }
3624
3625 DTEntry entry = NULL;
3626 int err = SecureDTLookupEntry(NULL, "/defaults", &entry);
3627 assert(err == kSuccess);
3628
3629 void const *prop = NULL;
3630 unsigned int prop_size;
3631 err = SecureDTGetProperty(entry, "pmap-io-ranges", &prop, &prop_size);
3632 assert(err == kSuccess);
3633
3634 pmap_io_range_t const *ranges = prop;
3635 for (unsigned int i = 0; i < (prop_size / sizeof(*ranges)); ++i) {
3636 io_attr_table[i] = ranges[i];
3637 }
3638
3639 qsort(io_attr_table, num_io_rgns, sizeof(*ranges), cmp_io_rgns);
3640 }
3641
3642 /**
3643 * Find and return the PPL I/O range that contains the passed in physical
3644 * address.
3645 *
3646 * @note This function performs a binary search on the already sorted
3647 * io_attr_table, so it should be reasonably fast.
3648 *
3649 * @param paddr The physical address to query a specific I/O range for.
3650 *
3651 * @return A pointer to the pmap_io_range_t structure if one of the ranges
3652 * contains the passed in physical address. Otherwise, NULL.
3653 */
3654 pmap_io_range_t*
pmap_find_io_attr(pmap_paddr_t paddr)3655 pmap_find_io_attr(pmap_paddr_t paddr)
3656 {
3657 unsigned int begin = 0;
3658 unsigned int end = num_io_rgns - 1;
3659
3660 /**
3661 * If there are no I/O ranges, or the wanted address is below the lowest
3662 * range or above the highest range, then there's no point in searching
3663 * since it won't be here.
3664 */
3665 if ((num_io_rgns == 0) || (paddr < io_attr_table[begin].addr) ||
3666 (paddr >= (io_attr_table[end].addr + io_attr_table[end].len))) {
3667 return NULL;
3668 }
3669
3670 /**
3671 * A dummy I/O range to compare against when searching for a range that
3672 * includes `paddr`.
3673 */
3674 const pmap_io_range_t wanted_range = {
3675 .addr = paddr & ~PAGE_MASK,
3676 .len = PAGE_SIZE
3677 };
3678
3679 /* Perform a binary search to find the wanted I/O range. */
3680 for (;;) {
3681 const unsigned int middle = (begin + end) / 2;
3682 const int cmp = cmp_io_rgns(&wanted_range, &io_attr_table[middle]);
3683
3684 if (cmp == 0) {
3685 /* Success! Found the wanted I/O range. */
3686 return &io_attr_table[middle];
3687 } else if (begin == end) {
3688 /* We've checked every range and didn't find a match. */
3689 break;
3690 } else if (cmp > 0) {
3691 /* The wanted range is above the middle. */
3692 begin = middle + 1;
3693 } else {
3694 /* The wanted range is below the middle. */
3695 end = middle;
3696 }
3697 }
3698
3699 return NULL;
3700 }
3701
3702 #if HAS_GUARDED_IO_FILTER
3703 /**
3704 * Parse the device tree and determine how many pmap-io-filters there are and
3705 * how much memory is needed to store all of that data.
3706 *
3707 * @note See the definition of pmap_io_filter_entry_t for more information on what a
3708 * "pmap-io-filter" actually represents.
3709 *
3710 * @return The number of bytes needed to store metadata for all I/O filter
3711 * entries.
3712 */
3713 vm_size_t
pmap_compute_io_filters(void)3714 pmap_compute_io_filters(void)
3715 {
3716 DTEntry entry = NULL;
3717 __assert_only int err = SecureDTLookupEntry(NULL, "/defaults", &entry);
3718 assert(err == kSuccess);
3719
3720 void const *prop = NULL;
3721 unsigned int prop_size = 0;
3722 if (kSuccess != SecureDTGetProperty(entry, "pmap-io-filters", &prop, &prop_size)) {
3723 return 0;
3724 }
3725
3726 pmap_io_filter_entry_t const *entries = prop;
3727
3728 /* Determine the number of entries. */
3729 for (unsigned int i = 0; i < (prop_size / sizeof(*entries)); ++i) {
3730 if (entries[i].offset + entries[i].length > ARM_PGMASK) {
3731 panic("%s: io filter entry %u offset 0x%hx length 0x%hx crosses page boundary",
3732 __func__, i, entries[i].offset, entries[i].length);
3733 }
3734
3735 ++num_io_filter_entries;
3736 }
3737
3738 return num_io_filter_entries * sizeof(*entries);
3739 }
3740
3741 /**
3742 * Compares two I/O filter entries by signature.
3743 *
3744 * @note The numerical comparison of signatures does not carry any meaning
3745 * but it does give us a way to order and binary search the entries.
3746 *
3747 * @param a The first I/O filter entry to compare.
3748 * @param b The second I/O filter entry to compare.
3749 *
3750 * @return < 0 for a < b
3751 * 0 for a == b
3752 * > 0 for a > b
3753 */
3754 static int
cmp_io_filter_entries_by_signature(const void * a,const void * b)3755 cmp_io_filter_entries_by_signature(const void *a, const void *b)
3756 {
3757 const pmap_io_filter_entry_t *entry_a = a;
3758 const pmap_io_filter_entry_t *entry_b = b;
3759
3760 if (entry_b->signature < entry_a->signature) {
3761 return 1;
3762 } else if (entry_a->signature < entry_b->signature) {
3763 return -1;
3764 } else {
3765 return 0;
3766 }
3767 }
3768
3769 /**
3770 * Compares two I/O filter entries by address range.
3771 *
3772 * @note The function returns 0 as long as the ranges overlap. It allows
3773 * the user not only to detect overlaps across a list of entries,
3774 * but also to feed it an address with unit length and a range
3775 * to check for inclusion.
3776 *
3777 * @param a The first I/O filter entry to compare.
3778 * @param b The second I/O filter entry to compare.
3779 *
3780 * @return < 0 for a < b
3781 * 0 for a == b
3782 * > 0 for a > b
3783 */
3784 static int
cmp_io_filter_entries_by_addr(const void * a,const void * b)3785 cmp_io_filter_entries_by_addr(const void *a, const void *b)
3786 {
3787 const pmap_io_filter_entry_t *entry_a = a;
3788 const pmap_io_filter_entry_t *entry_b = b;
3789
3790 if ((entry_b->offset + entry_b->length) <= entry_a->offset) {
3791 return 1;
3792 } else if ((entry_a->offset + entry_a->length) <= entry_b->offset) {
3793 return -1;
3794 } else {
3795 return 0;
3796 }
3797 }
3798
3799 /**
3800 * Compares two I/O filter entries by signature, then by address range.
3801 *
3802 * @param a The first I/O filter entry to compare.
3803 * @param b The second I/O filter entry to compare.
3804 *
3805 * @return < 0 for a < b
3806 * 0 for a == b
3807 * > 0 for a > b
3808 */
3809 static int
cmp_io_filter_entries(const void * a,const void * b)3810 cmp_io_filter_entries(const void *a, const void *b)
3811 {
3812 const int cmp_signature_result = cmp_io_filter_entries_by_signature(a, b);
3813 return (cmp_signature_result != 0) ? cmp_signature_result : cmp_io_filter_entries_by_addr(a, b);
3814 }
3815
3816 /**
3817 * Now that enough memory has been allocated to store all of the pmap-io-filters
3818 * device tree nodes in memory, go ahead and do that copy and then sort the
3819 * resulting array by address for quicker lookup later.
3820 *
3821 * @note This function assumes that the amount of memory required to store the
3822 * entire pmap-io-filters device tree node has already been calculated (via
3823 * pmap_compute_io_filters()) and allocated in io_filter_table.
3824 *
3825 * @note This function will leave io_attr_table sorted by signature and addresss to
3826 * allow for performing a binary search when doing future lookups.
3827 */
3828 void
pmap_load_io_filters(void)3829 pmap_load_io_filters(void)
3830 {
3831 if (num_io_filter_entries == 0) {
3832 return;
3833 }
3834
3835 DTEntry entry = NULL;
3836 int err = SecureDTLookupEntry(NULL, "/defaults", &entry);
3837 assert(err == kSuccess);
3838
3839 void const *prop = NULL;
3840 unsigned int prop_size;
3841 err = SecureDTGetProperty(entry, "pmap-io-filters", &prop, &prop_size);
3842 assert(err == kSuccess);
3843
3844 pmap_io_filter_entry_t const *entries = prop;
3845 for (unsigned int i = 0; i < (prop_size / sizeof(*entries)); ++i) {
3846 io_filter_table[i] = entries[i];
3847 }
3848
3849 qsort(io_filter_table, num_io_filter_entries, sizeof(*entries), cmp_io_filter_entries);
3850
3851 for (unsigned int i = 0; i < num_io_filter_entries - 1; i++) {
3852 if (io_filter_table[i].signature == io_filter_table[i + 1].signature) {
3853 if (io_filter_table[i].offset + io_filter_table[i].length > io_filter_table[i + 1].offset) {
3854 panic("%s: io filter entry %u and %u overlap.",
3855 __func__, i, i + 1);
3856 }
3857 }
3858 }
3859 }
3860
3861 /**
3862 * Find and return the I/O filter entry that contains the passed in physical
3863 * address.
3864 *
3865 * @note This function performs a binary search on the already sorted
3866 * io_filter_table, so it should be reasonably fast.
3867 *
3868 * @param paddr The physical address to query a specific I/O filter for.
3869 * @param width The width of the I/O register at paddr, at most 8 bytes.
3870 * @param io_range_outp If not NULL, this argument is set to the io_attr_table
3871 * entry containing paddr.
3872 *
3873 * @return A pointer to the pmap_io_range_t structure if one of the ranges
3874 * contains the passed in I/O register described by paddr and width.
3875 * Otherwise, NULL.
3876 */
3877 pmap_io_filter_entry_t*
pmap_find_io_filter_entry(pmap_paddr_t paddr,uint64_t width,const pmap_io_range_t ** io_range_outp)3878 pmap_find_io_filter_entry(pmap_paddr_t paddr, uint64_t width, const pmap_io_range_t **io_range_outp)
3879 {
3880 /* Don't bother looking for it when we don't have any entries. */
3881 if (__improbable(num_io_filter_entries == 0)) {
3882 return NULL;
3883 }
3884
3885 if (__improbable(width > 8)) {
3886 return NULL;
3887 }
3888
3889 /* Check if paddr is owned by PPL (Guarded mode SW). */
3890 const pmap_io_range_t *io_range = pmap_find_io_attr(paddr);
3891
3892 /**
3893 * Just return NULL if paddr is not owned by PPL.
3894 */
3895 if (io_range == NULL) {
3896 return NULL;
3897 }
3898
3899 const uint32_t signature = io_range->signature;
3900 unsigned int begin = 0;
3901 unsigned int end = num_io_filter_entries - 1;
3902
3903 /**
3904 * A dummy I/O filter entry to compare against when searching for a range that
3905 * includes `paddr`.
3906 */
3907 const pmap_io_filter_entry_t wanted_filter = {
3908 .signature = signature,
3909 .offset = (uint16_t) ((paddr & ~0b11) & PAGE_MASK),
3910 .length = (uint16_t) width // This downcast is safe because width is validated.
3911 };
3912
3913 /* Perform a binary search to find the wanted filter entry. */
3914 for (;;) {
3915 const unsigned int middle = (begin + end) / 2;
3916 const int cmp = cmp_io_filter_entries(&wanted_filter, &io_filter_table[middle]);
3917
3918 if (cmp == 0) {
3919 /**
3920 * We have found a "match" by the definition of cmp_io_filter_entries,
3921 * meaning the dummy range and the io_filter_entry are overlapping. Make
3922 * sure the dummy range is contained entirely by the entry.
3923 */
3924 const pmap_io_filter_entry_t entry_found = io_filter_table[middle];
3925 if ((wanted_filter.offset >= entry_found.offset) &&
3926 ((wanted_filter.offset + wanted_filter.length) <= (entry_found.offset + entry_found.length))) {
3927 if (io_range) {
3928 *io_range_outp = io_range;
3929 }
3930
3931 return &io_filter_table[middle];
3932 } else {
3933 /**
3934 * Under the assumption that there is no overlapping io_filter_entry,
3935 * if the dummy range is found overlapping but not contained by an
3936 * io_filter_entry, there cannot be another io_filter_entry containing
3937 * the dummy range, so return NULL here.
3938 */
3939 return NULL;
3940 }
3941 } else if (begin == end) {
3942 /* We've checked every range and didn't find a match. */
3943 break;
3944 } else if (cmp > 0) {
3945 /* The wanted range is above the middle. */
3946 begin = middle + 1;
3947 } else {
3948 /* The wanted range is below the middle. */
3949 end = middle;
3950 }
3951 }
3952
3953 return NULL;
3954 }
3955 #endif /* HAS_GUARDED_IO_FILTER */
3956
3957 /**
3958 * Initialize the pmap per-CPU data structure for a single CPU. This is called
3959 * once for each CPU in the system, on the CPU whose per-cpu data needs to be
3960 * initialized.
3961 *
3962 * In reality, many of the per-cpu data fields will have either already been
3963 * initialized or will rely on the fact that the per-cpu data is either zeroed
3964 * out during allocation (on non-PPL systems), or the data itself is a global
3965 * variable which will be zeroed by default (on PPL systems).
3966 *
3967 * @param cpu_number The number of the CPU whose pmap per-cpu data should be
3968 * initialized. This number should correspond to the CPU
3969 * executing this code.
3970 */
3971 MARK_AS_PMAP_TEXT void
pmap_cpu_data_init_internal(unsigned int cpu_number)3972 pmap_cpu_data_init_internal(unsigned int cpu_number)
3973 {
3974 pmap_cpu_data_t *pmap_cpu_data = pmap_get_cpu_data();
3975
3976 #if XNU_MONITOR
3977 /* Verify the per-cpu data is cacheline-aligned. */
3978 assert(((vm_offset_t)pmap_cpu_data & (MAX_L2_CLINE_BYTES - 1)) == 0);
3979
3980 /**
3981 * The CPU number should already have been initialized to
3982 * PMAP_INVALID_CPU_NUM when initializing the boot CPU data.
3983 */
3984 if (pmap_cpu_data->cpu_number != PMAP_INVALID_CPU_NUM) {
3985 panic("%s: pmap_cpu_data->cpu_number=%u, cpu_number=%u",
3986 __func__, pmap_cpu_data->cpu_number, cpu_number);
3987 }
3988 #endif /* XNU_MONITOR */
3989
3990 /**
3991 * At least when operating in the PPL, it's important to duplicate the CPU
3992 * number into a PPL-owned location. If we relied strictly on the CPU number
3993 * located in the general machine-specific per-cpu data, it could be
3994 * modified in a way to affect PPL operation.
3995 */
3996 pmap_cpu_data->cpu_number = cpu_number;
3997 #if __ARM_MIXED_PAGE_SIZE__
3998 pmap_cpu_data->commpage_page_shift = PAGE_SHIFT;
3999 #endif
4000 }
4001
4002 /**
4003 * Initialize the pmap per-cpu data for the bootstrap CPU (the other CPUs should
4004 * just call pmap_cpu_data_init() directly). This code does one of two things
4005 * depending on whether this is a PPL-enabled system.
4006 *
4007 * PPL-enabled: This function will setup the PPL-specific per-cpu data like the
4008 * PPL stacks and register save area. This performs the
4009 * functionality usually done by cpu_data_init() to setup the pmap
4010 * per-cpu data fields. In reality, most fields are not initialized
4011 * and are assumed to be zero thanks to this data being global.
4012 *
4013 * Non-PPL: Just calls pmap_cpu_data_init() to initialize the bootstrap CPU's
4014 * pmap per-cpu data (non-boot CPUs will call that function once they
4015 * come out of reset).
4016 *
4017 * @note This function will carve out physical pages for the PPL stacks and PPL
4018 * register save area from avail_start. It's assumed that avail_start is
4019 * on a page boundary before executing this function on PPL-enabled
4020 * systems.
4021 */
4022 void
pmap_cpu_data_array_init(void)4023 pmap_cpu_data_array_init(void)
4024 {
4025 #if XNU_MONITOR
4026 /**
4027 * Enough virtual address space to cover all PPL stacks for every CPU should
4028 * have already been allocated by arm_vm_init() before pmap_bootstrap() is
4029 * called.
4030 */
4031 assert((pmap_stacks_start != NULL) && (pmap_stacks_end != NULL));
4032 assert(((uintptr_t)pmap_stacks_end - (uintptr_t)pmap_stacks_start) == PPL_STACK_REGION_SIZE);
4033
4034 /**
4035 * Ensure avail_start is aligned to a page boundary before allocating the
4036 * stacks and register save area.
4037 */
4038 assert(avail_start == round_page(avail_start));
4039
4040 /* Each PPL stack contains guard pages before and after. */
4041 vm_offset_t stack_va = (vm_offset_t)pmap_stacks_start + ARM_PGBYTES;
4042
4043 /**
4044 * Globally save off the beginning of the PPL stacks physical space so that
4045 * we can update its physical aperture mappings later in the bootstrap
4046 * process.
4047 */
4048 pmap_stacks_start_pa = avail_start;
4049
4050 /* Map the PPL stacks for each CPU. */
4051 for (unsigned int cpu_num = 0; cpu_num < MAX_CPUS; cpu_num++) {
4052 /**
4053 * The PPL stack size is based off of the VM page size, which may differ
4054 * from the underlying hardware page size.
4055 *
4056 * Map all of the PPL stack into the kernel's address space.
4057 */
4058 for (vm_offset_t cur_va = stack_va; cur_va < (stack_va + PPL_STACK_SIZE); cur_va += ARM_PGBYTES) {
4059 assert(cur_va < (vm_offset_t)pmap_stacks_end);
4060
4061 pt_entry_t *ptep = pmap_pte(kernel_pmap, cur_va);
4062 assert(*ptep == ARM_PTE_EMPTY);
4063
4064 pt_entry_t template = pa_to_pte(avail_start) | ARM_PTE_AF | ARM_PTE_SH(SH_OUTER_MEMORY) |
4065 ARM_PTE_TYPE | ARM_PTE_ATTRINDX(CACHE_ATTRINDX_DEFAULT) | xprr_perm_to_pte(XPRR_PPL_RW_PERM);
4066
4067 #if __ARM_KERNEL_PROTECT__
4068 /**
4069 * On systems with software based spectre/meltdown mitigations,
4070 * kernel mappings are explicitly not made global because the kernel
4071 * is unmapped when executing in EL0 (this ensures that kernel TLB
4072 * entries won't accidentally be valid in EL0).
4073 */
4074 template |= ARM_PTE_NG;
4075 #endif /* __ARM_KERNEL_PROTECT__ */
4076
4077 write_pte(ptep, template);
4078 __builtin_arm_isb(ISB_SY);
4079
4080 avail_start += ARM_PGBYTES;
4081 }
4082
4083 #if KASAN
4084 kasan_map_shadow(stack_va, PPL_STACK_SIZE, false);
4085 #endif /* KASAN */
4086
4087 /**
4088 * Setup non-zero pmap per-cpu data fields. If the default value should
4089 * be zero, then you can assume the field is already set to that.
4090 */
4091 pmap_cpu_data_array[cpu_num].cpu_data.cpu_number = PMAP_INVALID_CPU_NUM;
4092 pmap_cpu_data_array[cpu_num].cpu_data.ppl_state = PPL_STATE_KERNEL;
4093 pmap_cpu_data_array[cpu_num].cpu_data.ppl_stack = (void*)(stack_va + PPL_STACK_SIZE);
4094
4095 /**
4096 * Get the first VA of the next CPU's PPL stack. Need to skip the guard
4097 * page after the stack.
4098 */
4099 stack_va += (PPL_STACK_SIZE + ARM_PGBYTES);
4100 }
4101
4102 pmap_stacks_end_pa = avail_start;
4103
4104 /**
4105 * The PPL register save area location is saved into global variables so
4106 * that they can be made writable if DTrace support is needed. This is
4107 * needed because DTrace will try to update the register state.
4108 */
4109 ppl_cpu_save_area_start = avail_start;
4110 ppl_cpu_save_area_end = ppl_cpu_save_area_start;
4111 pmap_paddr_t ppl_cpu_save_area_cur = ppl_cpu_save_area_start;
4112
4113 /* Carve out space for the PPL register save area for each CPU. */
4114 for (unsigned int cpu_num = 0; cpu_num < MAX_CPUS; cpu_num++) {
4115 /* Allocate enough space to cover at least one arm_context_t object. */
4116 while ((ppl_cpu_save_area_end - ppl_cpu_save_area_cur) < sizeof(arm_context_t)) {
4117 avail_start += PAGE_SIZE;
4118 ppl_cpu_save_area_end = avail_start;
4119 }
4120
4121 pmap_cpu_data_array[cpu_num].cpu_data.save_area = (arm_context_t *)phystokv(ppl_cpu_save_area_cur);
4122 ppl_cpu_save_area_cur += sizeof(arm_context_t);
4123 }
4124
4125 #if HAS_GUARDED_IO_FILTER
4126 /**
4127 * Enough virtual address space to cover all I/O filter stacks for every CPU should
4128 * have already been allocated by arm_vm_init() before pmap_bootstrap() is
4129 * called.
4130 */
4131 assert((iofilter_stacks_start != NULL) && (iofilter_stacks_end != NULL));
4132 assert(((uintptr_t)iofilter_stacks_end - (uintptr_t)iofilter_stacks_start) == IOFILTER_STACK_REGION_SIZE);
4133
4134 /* Each I/O filter stack contains guard pages before and after. */
4135 vm_offset_t iofilter_stack_va = (vm_offset_t)iofilter_stacks_start + ARM_PGBYTES;
4136
4137 /**
4138 * Globally save off the beginning of the I/O filter stacks physical space so that
4139 * we can update its physical aperture mappings later in the bootstrap
4140 * process.
4141 */
4142 iofilter_stacks_start_pa = avail_start;
4143
4144 /* Map the I/O filter stacks for each CPU. */
4145 for (unsigned int cpu_num = 0; cpu_num < MAX_CPUS; cpu_num++) {
4146 /**
4147 * Map all of the I/O filter stack into the kernel's address space.
4148 */
4149 for (vm_offset_t cur_va = iofilter_stack_va; cur_va < (iofilter_stack_va + IOFILTER_STACK_SIZE); cur_va += ARM_PGBYTES) {
4150 assert(cur_va < (vm_offset_t)iofilter_stacks_end);
4151
4152 pt_entry_t *ptep = pmap_pte(kernel_pmap, cur_va);
4153 assert(*ptep == ARM_PTE_EMPTY);
4154
4155 pt_entry_t template = pa_to_pte(avail_start) | ARM_PTE_AF | ARM_PTE_SH(SH_OUTER_MEMORY) |
4156 ARM_PTE_TYPE | ARM_PTE_ATTRINDX(CACHE_ATTRINDX_DEFAULT) | xprr_perm_to_pte(XPRR_PPL_RW_PERM);
4157
4158 #if __ARM_KERNEL_PROTECT__
4159 template |= ARM_PTE_NG;
4160 #endif /* __ARM_KERNEL_PROTECT__ */
4161
4162 write_pte(ptep, template);
4163 __builtin_arm_isb(ISB_SY);
4164
4165 avail_start += ARM_PGBYTES;
4166 }
4167
4168 #if KASAN
4169 kasan_map_shadow(iofilter_stack_va, IOFILTER_STACK_SIZE, false);
4170 #endif /* KASAN */
4171
4172 /**
4173 * Setup non-zero pmap per-cpu data fields. If the default value should
4174 * be zero, then you can assume the field is already set to that.
4175 */
4176 pmap_cpu_data_array[cpu_num].cpu_data.iofilter_stack = (void*)(iofilter_stack_va + IOFILTER_STACK_SIZE);
4177
4178 /**
4179 * Get the first VA of the next CPU's IOFILTER stack. Need to skip the guard
4180 * page after the stack.
4181 */
4182 iofilter_stack_va += (IOFILTER_STACK_SIZE + ARM_PGBYTES);
4183 }
4184
4185 iofilter_stacks_end_pa = avail_start;
4186 #endif /* HAS_GUARDED_IO_FILTER */
4187 #endif /* XNU_MONITOR */
4188
4189 pmap_cpu_data_init();
4190 }
4191
4192 /**
4193 * Retrieve the pmap per-cpu data for the current CPU. On PPL-enabled systems
4194 * this data is managed separately from the general machine-specific per-cpu
4195 * data to handle the requirement that it must only be PPL-writable.
4196 *
4197 * @return The per-cpu pmap data for the current CPU.
4198 */
4199 pmap_cpu_data_t *
pmap_get_cpu_data(void)4200 pmap_get_cpu_data(void)
4201 {
4202 pmap_cpu_data_t *pmap_cpu_data = NULL;
4203
4204 #if XNU_MONITOR
4205 extern pmap_cpu_data_t* ml_get_ppl_cpu_data(void);
4206 pmap_cpu_data = ml_get_ppl_cpu_data();
4207 #else /* XNU_MONITOR */
4208 /**
4209 * On non-PPL systems, the pmap per-cpu data is stored in the general
4210 * machine-specific per-cpu data.
4211 */
4212 pmap_cpu_data = &getCpuDatap()->cpu_pmap_cpu_data;
4213 #endif /* XNU_MONITOR */
4214
4215 return pmap_cpu_data;
4216 }
4217
4218 /**
4219 * Retrieve the pmap per-cpu data for the specified cpu index.
4220 *
4221 * @return The per-cpu pmap data for the CPU
4222 */
4223 pmap_cpu_data_t *
pmap_get_remote_cpu_data(unsigned int cpu)4224 pmap_get_remote_cpu_data(unsigned int cpu)
4225 {
4226 #if XNU_MONITOR
4227 assert(cpu < MAX_CPUS);
4228 return &pmap_cpu_data_array[cpu].cpu_data;
4229 #else
4230 cpu_data_t *cpu_data = cpu_datap((int)cpu);
4231 if (cpu_data == NULL) {
4232 return NULL;
4233 } else {
4234 return &cpu_data->cpu_pmap_cpu_data;
4235 }
4236 #endif
4237 }
4238