]> rtime.felk.cvut.cz Git - jailhouse.git/blob - tools/jailhouse-config-create
4ece2a1bc6580d229aac93bc716231feeff3b8ab
[jailhouse.git] / tools / jailhouse-config-create
1 #!/usr/bin/env python
2 #
3 # Jailhouse, a Linux-based partitioning hypervisor
4 #
5 # Copyright (c) Siemens AG, 2014
6 # Copyright (c) Valentine Sinitsyn, 2014
7 #
8 # This work is licensed under the terms of the GNU GPL, version 2.  See
9 # the COPYING file in the top-level directory.
10 #
11 # This script should help to create a basic jailhouse configuration file.
12 # It needs to be executed on the target machine, where it will gather
13 # information about the system. For more advanced scenarios you will have
14 # to change the generated C-code.
15
16 from __future__ import print_function
17 import sys
18 import os
19 import re
20 import argparse
21 import struct
22 import fnmatch
23 from mako.template import Template
24
25 datadir = None
26
27 if datadir:
28     template_default_dir = datadir + "/jailhouse"
29 else:
30     template_default_dir = os.path.abspath(os.path.dirname(sys.argv[0]))
31
32 cpuvendor = None
33
34 # pretend to be part of the jailhouse tool
35 sys.argv[0] = sys.argv[0].replace('-', ' ')
36
37 parser = argparse.ArgumentParser()
38 parser.add_argument('-g', '--generate-collector',
39                     help='generate a script to collect input files on '
40                          'a remote machine',
41                     action='store_true')
42 parser.add_argument('-r', '--root',
43                     help='gather information in ROOT/, the default is "/" '
44                          'which means creating a config for localhost',
45                     default='/',
46                     action='store',
47                     type=str)
48 parser.add_argument('-t', '--template-dir',
49                     help='the directory where the templates are located,'
50                          'the default is "' + template_default_dir + '"',
51                     default=template_default_dir,
52                     action='store',
53                     type=str)
54
55 memargs = [['--mem-inmates', '2M', 'inmate'],
56            ['--mem-hv', '64M', 'hypervisor']]
57
58 for entry in memargs:
59     parser.add_argument(entry[0],
60                         help='the amount of ' + entry[2] +
61                              ' memory, default is "' + entry[1] +
62                              '", format "xxx[K|M|G]"',
63                         default=entry[1],
64                         action='store',
65                         type=str)
66
67 parser.add_argument('file', metavar='FILE',
68                     help='name of file to write out',
69                     type=str)
70
71 options = parser.parse_args()
72
73 inputs = {'files': set(), 'files_opt': set(), 'files_intel': set()}
74
75 ## required files
76 inputs['files'].add('/proc/iomem')
77 inputs['files'].add('/proc/cpuinfo')
78 inputs['files'].add('/proc/cmdline')
79 inputs['files'].add('/proc/ioports')
80 inputs['files'].add('/sys/bus/pci/devices/*/config')
81 inputs['files'].add('/sys/bus/pci/devices/*/class')
82 inputs['files'].add('/sys/devices/system/cpu/cpu*/uevent')
83 inputs['files'].add('/sys/firmware/acpi/tables/MCFG')
84 inputs['files'].add('/sys/firmware/acpi/tables/FACP')
85 ## optional files
86 inputs['files_opt'].add('/sys/class/dmi/id/product_name')
87 inputs['files_opt'].add('/sys/class/dmi/id/sys_vendor')
88 inputs['files_opt'].add('/sys/devices/jailhouse/enabled')
89 ## platform specific files
90 inputs['files_intel'].add('/sys/firmware/acpi/tables/DMAR')
91
92
93 def kmg_multiply(value, kmg):
94     if (kmg == 'K' or kmg == 'k'):
95         return 1024 * value
96     if (kmg == 'M' or kmg == 'm'):
97         return 1024**2 * value
98     if (kmg == 'G' or kmg == 'g'):
99         return 1024**3 * value
100     return value
101
102
103 def kmg_multiply_str(str):
104     m = re.match(r'([0-9a-fA-FxX]+)([KMG]?)', str)
105     if m is not None:
106         return kmg_multiply(int(m.group(1)), m.group(2))
107     raise RuntimeError('kmg_multiply_str can not parse input "' + str + '"')
108
109
110 def check_input_listed(name, optional=False):
111     set = inputs['files_opt']
112     if optional is False:
113         set = inputs['files']
114         global cpuvendor
115         if cpuvendor == 'GenuineIntel':
116             set = set.union(inputs['files_intel'])
117
118     for file in set:
119         if fnmatch.fnmatch(name, file):
120             return True
121     raise RuntimeError('"' + name + '" is not a listed input file')
122
123
124 def input_open(name, mode='r', optional=False):
125     check_input_listed(name, optional)
126     try:
127         f = open(options.root + name, mode)
128     except Exception as e:
129         if optional:
130             return open("/dev/null", mode)
131         raise e
132     return f
133
134
135 def input_readline(name, optional=False):
136     f = input_open(name, optional=optional)
137     line = f.readline()
138     f.close()
139     return line
140
141
142 def input_listdir(dir, wildcards):
143     for w in wildcards:
144         check_input_listed(os.path.join(dir, w))
145     dirs = os.listdir(options.root + dir)
146     dirs.sort()
147     return dirs
148
149
150 class PCICapability:
151     def __init__(self, id, start, len, flags, content, msix_address):
152         self.id = id
153         self.start = start
154         self.len = len
155         self.flags = flags
156         self.content = content
157         self.msix_address = msix_address
158         self.comments = []
159
160     def __eq__(self, other):
161         return self.id == other.id and self.start == other.start and \
162             self.len == other.len and self.flags == other.flags
163
164     RD = '0'
165     RW = 'JAILHOUSE_PCICAPS_WRITE'
166
167     @staticmethod
168     def parse_pcicaps(dir):
169         caps = []
170         f = input_open(os.path.join(dir, 'config'), 'rb')
171         f.seek(0x06)
172         (status,) = struct.unpack('<H', f.read(2))
173         # capability list supported?
174         if (status & (1 << 4)) == 0:
175             f.close()
176             return caps
177         # walk capability list
178         f.seek(0x34)
179         (next,) = struct.unpack('B', f.read(1))
180         while next != 0:
181             cap = next
182             msix_address = 0
183             f.seek(cap)
184             (id, next) = struct.unpack('<BB', f.read(2))
185             if id == 0x01:  # Power Management
186                 # this cap can be handed out completely
187                 len = 8
188                 flags = PCICapability.RW
189             elif id == 0x05:  # MSI
190                 # access will be moderated by hypervisor
191                 len = 10
192                 (msgctl,) = struct.unpack('<H', f.read(2))
193                 if (msgctl & (1 << 7)) != 0:  # 64-bit support
194                     len += 4
195                 if (msgctl & (1 << 8)) != 0:  # per-vector masking support
196                     len += 10
197                 flags = PCICapability.RW
198             elif id == 0x11:  # MSI-X
199                 # access will be moderated by hypervisor
200                 len = 12
201                 (table,) = struct.unpack('<xxI', f.read(6))
202                 f.seek(0x10 + (table & 7) * 4)
203                 (bar,) = struct.unpack('<I', f.read(4))
204                 if (bar & 0x3) != 0:
205                     raise RuntimeError('Invalid MSI-X BAR found')
206                 if (bar & 0x4) != 0:
207                     bar |= struct.unpack('<I', f.read(4))[0] << 32
208                 msix_address = (bar & 0xfffffffffffffff0) + table & 0xfffffff8
209                 flags = PCICapability.RW
210             else:
211                 # unknown/unhandled cap, mark its existence
212                 len = 2
213                 flags = PCICapability.RD
214             f.seek(cap + 2)
215             content = f.read(len - 2)
216             caps.append(PCICapability(id, cap, len, flags, content,
217                                       msix_address))
218         return caps
219
220
221 class PCIDevice:
222     def __init__(self, type, domain, bus, dev, fn, caps):
223         self.type = type
224         self.iommu = None
225         self.domain = domain
226         self.bus = bus
227         self.dev = dev
228         self.fn = fn
229         self.caps = caps
230         self.caps_start = 0
231         self.num_caps = len(caps)
232         self.num_msi_vectors = 0
233         self.msi_64bits = 0
234         self.num_msix_vectors = 0
235         self.msix_region_size = 0
236         self.msix_address = 0
237         for c in caps:
238             if c.id in (0x05, 0x11):
239                 msg_ctrl = struct.unpack('<H', c.content[:2])[0]
240                 if c.id == 0x05:  # MSI
241                     self.num_msi_vectors = 1 << ((msg_ctrl >> 1) & 0x7)
242                     self.msi_64bits = (msg_ctrl >> 7) & 1
243                 else:  # MSI-X
244                     vectors = (msg_ctrl & 0x7ff) + 1
245                     self.num_msix_vectors = vectors
246                     self.msix_region_size = (vectors * 16 + 0xfff) & 0xf000
247                     self.msix_address = c.msix_address
248
249     def __str__(self):
250         return 'PCIDevice: %02x:%02x.%x' % (self.bus, self.dev, self.fn)
251
252     def bdf(self):
253         return self.bus << 8 | self.dev << 3 | self.fn
254
255     @staticmethod
256     def parse_pcidevice_sysfsdir(basedir, dir):
257         dpath = os.path.join(basedir, dir)
258         dclass = input_readline(os.path.join(dpath, 'class'))
259         if re.match(r'0x0604..', dclass):
260             type = 'JAILHOUSE_PCI_TYPE_BRIDGE'
261         else:
262             type = 'JAILHOUSE_PCI_TYPE_DEVICE'
263         a = dir.split(':')
264         domain = int(a[0], 16)
265         bus = int(a[1], 16)
266         df = a[2].split('.')
267         caps = PCICapability.parse_pcicaps(dpath)
268         return PCIDevice(type, domain, bus, int(df[0], 16), int(df[1], 16),
269                          caps)
270
271
272 class MemRegion:
273     def __init__(self, start, stop, typestr, comments=None):
274         self.start = start
275         self.stop = stop
276         self.typestr = typestr
277         if comments is None:
278             self.comments = []
279         else:
280             self.comments = comments
281
282     def __str__(self):
283         return 'MemRegion: %08x-%08x : %s' % \
284             (self.start, self.stop, self.typestr)
285
286     def size(self):
287         # round up to full PAGE_SIZE
288         return int((self.stop - self.start + 0xfff) / 0x1000) * 0x1000
289
290     def flagstr(self, p=''):
291         if (
292             self.typestr == 'System RAM' or
293             self.typestr == 'Kernel' or
294             self.typestr == 'RAM buffer' or
295             self.typestr == 'ACPI DMAR RMRR'
296         ):
297             s = 'JAILHOUSE_MEM_READ | JAILHOUSE_MEM_WRITE |\n'
298             s += p + '\t\tJAILHOUSE_MEM_EXECUTE | JAILHOUSE_MEM_DMA'
299             return s
300         return 'JAILHOUSE_MEM_READ | JAILHOUSE_MEM_WRITE'
301
302
303 class IOMemRegionTree:
304     def __init__(self, region, level, linenum):
305         self.region = region
306         self.linenum = linenum
307         self.level = level
308         self.parent = None
309         self.children = []
310
311     def __str__(self):
312         s = ''
313         if (self.region):
314             s = (' ' * (self.level - 1)) + str(self.region) + ' line %d' \
315                 % (self.linenum)
316             if self.parent and self.parent.region:
317                 s += ' --> ' + self.parent.region.typestr + ' line %d' \
318                     % (self.parent.linenum)
319             s += '\n'
320         for c in self.children:
321             s += str(c)
322         return s
323
324     def regions_split_by_kernel(self):
325         kernel = [x for x in self.children if
326                     x.region.typestr.startswith('Kernel ')]
327
328         if (len(kernel) == 0):
329             return [self.region]
330
331         r = self.region
332         s = r.typestr
333
334         kernel_start = kernel[0].region.start
335         kernel_stop = kernel[len(kernel) - 1].region.stop
336
337         # align this for 16M, but only if we have enough space
338         kernel_stop = (kernel_stop & ~0xFFFFFF) + 0xFFFFFF
339         if (kernel_stop > r.stop):
340             kernel_stop = r.stop
341
342         before_kernel = None
343         after_kernel = None
344
345         # before Kernel if any
346         if (r.start < kernel_start):
347             before_kernel = MemRegion(r.start, kernel_start - 1, s)
348
349         kernel_region = MemRegion(kernel_start, kernel_stop, "Kernel")
350
351         # after Kernel if any
352         if (r.stop > kernel_stop):
353             after_kernel = MemRegion(kernel_stop + 1, r.stop, s)
354
355         return [before_kernel, kernel_region, after_kernel]
356
357     @staticmethod
358     def parse_iomem_line(line):
359         a = line.split(':', 1)
360         level = int(a[0].count(' ') / 2) + 1
361         region = a[0].split('-', 1)
362         a[1] = a[1].strip()
363         return level, MemRegion(int(region[0], 16), int(region[1], 16), a[1])
364
365     @staticmethod
366     def parse_iomem_file():
367         root = IOMemRegionTree(None, 0, -1)
368         f = input_open('/proc/iomem')
369         lastlevel = 0
370         lastnode = root
371         linenum = 0
372         for line in f:
373             (level, r) = IOMemRegionTree.parse_iomem_line(line)
374             t = IOMemRegionTree(r, level, linenum)
375             if (t.level > lastlevel):
376                 t.parent = lastnode
377             if (t.level == lastlevel):
378                 t.parent = lastnode.parent
379             if (t.level < lastlevel):
380                 p = lastnode.parent
381                 while(t.level < p.level):
382                     p = p.parent
383                 t.parent = p.parent
384
385             t.parent.children.append(t)
386             lastnode = t
387             lastlevel = t.level
388             linenum += 1
389         f.close()
390
391         return root
392
393     # recurse down the tree
394     @staticmethod
395     def parse_iomem_tree(tree):
396         regions = []
397
398         for tree in tree.children:
399             r = tree.region
400             s = r.typestr
401
402             # System RAM on the first level will be added completely,
403             # if they don't contain the kernel itself, if they do,
404             # we split them
405             if (tree.level == 1 and s == 'System RAM'):
406                 regions.extend(tree.regions_split_by_kernel())
407                 continue
408
409             # blacklisted on all levels
410             if (
411                 (s.find('PCI MMCONFIG') >= 0) or
412                 (s.find('APIC') >= 0) or  # covers both APIC and IOAPIC
413                 (s.find('dmar') >= 0)
414             ):
415                 continue
416
417             # generally blacklisted, unless we find an HPET right behind it
418             # on the next level
419             if (s == 'reserved'):
420                 for subtree in tree.children:
421                     r2 = subtree.region
422                     if (r2.typestr.find('HPET') >= 0):
423                         regions.append(r2)
424                 continue
425
426             # if the tree continues recurse further down ...
427             if (len(tree.children) > 0):
428                 regions.extend(IOMemRegionTree.parse_iomem_tree(tree))
429                 continue
430
431             # add all remaining leaves
432             regions.append(r)
433
434         return regions
435
436
437 def parse_iomem(pcidevices):
438     regions = IOMemRegionTree.parse_iomem_tree(
439                     IOMemRegionTree.parse_iomem_file())
440
441     # filter the list for MSI-X pages
442     ret = []
443     for r in regions:
444         for d in pcidevices:
445             if d.msix_address >= r.start and d.msix_address <= r.stop:
446                 if d.msix_address > r.start:
447                     head_r = MemRegion(r.start, d.msix_address - 1,
448                                        r.typestr, r.comments)
449                     ret.append(head_r)
450                 if d.msix_address + d.msix_region_size < r.stop:
451                     tail_r = MemRegion(d.msix_address + d.msix_region_size,
452                                        r.stop, r.typestr, r.comments)
453                     ret.append(tail_r)
454                 r = None
455                 break
456         if r:
457             ret.append(r)
458
459     # newer Linux kernels will report the first page as reserved
460     # it is needed for CPU init so include it anyways
461     if (ret[0].typestr == 'System RAM' and ret[0].start == 0x1000):
462         ret[0].start = 0
463
464     return ret
465
466
467 def parse_pcidevices():
468     devices = []
469     caps = []
470     basedir = '/sys/bus/pci/devices'
471     list = input_listdir(basedir, ['*/class', '*/config'])
472     for dir in list:
473         d = PCIDevice.parse_pcidevice_sysfsdir(basedir, dir)
474         if d is not None:
475             if len(d.caps) > 0:
476                 duplicate = False
477                 # look for duplicate capability patterns
478                 for d2 in devices:
479                     if d2.caps == d.caps:
480                         # reused existing capability list, but record all users
481                         d2.caps[0].comments.append(str(d))
482                         d.caps_start = d2.caps_start
483                         duplicate = True
484                         break
485                 if not duplicate:
486                     d.caps[0].comments.append(str(d))
487                     d.caps_start = len(caps)
488                     caps.extend(d.caps)
489             devices.append(d)
490     return (devices, caps)
491
492
493 def parse_kernel_cmdline():
494     line = input_readline('/proc/cmdline')
495     m = re.match(r'.*memmap=([0-9a-fA-FxX]+)([KMG]?)\$'
496                  '([0-9a-fA-FxX]+)([KMG]?).*',
497                  line)
498     if m is not None:
499         size = kmg_multiply(int(m.group(1), 0), m.group(2))
500         start = kmg_multiply(int(m.group(3), 0), m.group(4))
501         return [start, size]
502     return None
503
504
505 def alloc_mem(regions, size):
506     mem = [0x3b000000, size]
507     for r in regions:
508         if (
509             r.typestr == 'System RAM' and
510             r.start <= mem[0] and
511             r.stop + 1 >= mem[0] + mem[1]
512         ):
513             if r.start < mem[0]:
514                 head_r = MemRegion(r.start, mem[0] - 1, r.typestr, r.comments)
515                 regions.insert(regions.index(r), head_r)
516             if r.stop + 1 > mem[0] + mem[1]:
517                 tail_r = MemRegion(mem[0] + mem[1], r.stop, r.typestr,
518                                    r.comments)
519                 regions.insert(regions.index(r), tail_r)
520             regions.remove(r)
521             return mem
522     for r in reversed(regions):
523         if (r.typestr == 'System RAM' and r.size() >= mem[1]):
524             mem[0] = r.start
525             r.start += mem[1]
526             return mem
527     raise RuntimeError('failed to allocate memory')
528
529
530 def count_cpus():
531     list = input_listdir('/sys/devices/system/cpu', ['cpu*/uevent'])
532     count = 0
533     for f in list:
534         if re.match(r'cpu[0-9]+', f):
535             count += 1
536     return count
537
538
539 def parse_dmar_devscope(f):
540     (scope_type, scope_len, bus, dev, fn) = \
541         struct.unpack('<BBxxxBBB', f.read(8))
542     if scope_len != 8:
543         raise RuntimeError('Unsupported DMAR Device Scope Structure')
544     return (scope_type, scope_len, bus, dev, fn)
545
546
547 # parsing of DMAR ACPI Table
548 # see Intel VT-d Spec chapter 8
549 def parse_dmar(pcidevices):
550     f = input_open('/sys/firmware/acpi/tables/DMAR', 'rb')
551     signature = f.read(4)
552     if signature != b'DMAR':
553         raise RuntimeError('DMAR: incorrect input file format %s' % signature)
554     (length,) = struct.unpack('<I', f.read(4))
555     f.seek(48)
556     length -= 48
557     units = []
558     regions = []
559     ioapic_id = 0
560
561     while length > 0:
562         offset = 0
563         (struct_type, struct_len) = struct.unpack('<HH', f.read(4))
564         offset += 4
565         length -= struct_len
566
567         # DMA Remapping Hardware Unit Definition
568         if struct_type == 0:
569             (flags, segment, base) = struct.unpack('<BxHQ', f.read(12))
570             if segment != 0:
571                 raise RuntimeError('We do not support multiple PCI segments')
572             if len(units) >= 8:
573                 raise RuntimeError('Too many DMAR units. '
574                                    'Raise JAILHOUSE_MAX_DMAR_UNITS.')
575             units.append(base)
576             if flags & 1:
577                 for d in pcidevices:
578                     if d.iommu is None:
579                         d.iommu = len(units) - 1
580             offset += 16 - offset
581             while offset < struct_len:
582                 (scope_type, scope_len, bus, dev, fn) =\
583                     parse_dmar_devscope(f)
584                 if scope_type == 1:
585                     for d in pcidevices:
586                         if d.bus == bus and d.dev == dev and d.fn == fn:
587                             d.iommu = len(units) - 1
588                 elif scope_type == 2:
589                     raise RuntimeError('Unsupported DMAR Device Scope type')
590                 elif scope_type == 3:
591                     if ioapic_id != 0:
592                         raise RuntimeError('We do not support more '
593                                            'than 1 IOAPIC')
594                     # encode the DMAR unit number into the device ID
595                     ioapic_id = ((len(units) - 1) << 16) | \
596                         (bus << 8) | (dev << 3) | fn
597                 offset += scope_len
598
599         # Reserved Memory Region Reporting Structure
600         if struct_type == 1:
601             f.seek(8 - offset, os.SEEK_CUR)
602             offset += 8 - offset
603             (base, limit) = struct.unpack('<QQ', f.read(16))
604             offset += 16
605
606             comments = []
607             while offset < struct_len:
608                 (scope_type, scope_len, bus, dev, fn) =\
609                     parse_dmar_devscope(f)
610                 if scope_type == 1:
611                     comments.append('PCI device: %02x:%02x.%x' %
612                                     (bus, dev, fn))
613                 else:
614                     comments.append('DMAR parser could not decode device path')
615                 offset += scope_len
616
617             reg = MemRegion(base, limit, 'ACPI DMAR RMRR', comments)
618             regions.append(reg)
619
620         f.seek(struct_len - offset, os.SEEK_CUR)
621
622     return units, ioapic_id, regions
623
624
625 def parse_ioports():
626     pm_timer_base = None
627     f = input_open('/proc/ioports')
628     for line in f:
629         if line.endswith('ACPI PM_TMR\n'):
630             pm_timer_base = int(line.split('-')[0], 16)
631             break
632     f.close()
633     return pm_timer_base
634
635
636 def parse_facp():
637     tmr_val_ext = 0
638     with input_open('/sys/firmware/acpi/tables/FACP', 'rb') as f:
639         signature = f.read(4)
640         if signature != b'FACP':
641             raise RuntimeError('FACP: incorrect input file format %s' %
642                                signature)
643         f.seek(112)
644         (flags,) = struct.unpack('>I', f.read(4))
645         tmr_val_ext = (flags & 256) >> 8
646     return tmr_val_ext
647
648
649 class MMConfig:
650     def __init__(self, base, end_bus):
651         self.base = base
652         self.end_bus = end_bus
653
654     @staticmethod
655     def parse():
656         f = input_open('/sys/firmware/acpi/tables/MCFG', 'rb')
657         signature = f.read(4)
658         if signature != b'MCFG':
659             raise RuntimeError('MCFG: incorrect input file format %s' %
660                                signature)
661         (length,) = struct.unpack('<I', f.read(4))
662         if length > 60:
663             raise RuntimeError('Multiple MMCONFIG regions found! '
664                                'This is not supported')
665         f.seek(44)
666         (base, segment, start_bus, end_bus) = \
667             struct.unpack('<QHBB', f.read(12))
668         if segment != 0 or start_bus != 0:
669             raise RuntimeError('Invalid MCFG structure found')
670         return MMConfig(base, end_bus)
671
672
673 def get_cpu_vendor():
674     global cpuvendor
675     if cpuvendor is not None:
676         return cpuvendor
677     with input_open('/proc/cpuinfo', 'r') as f:
678         for line in f:
679             if not line.strip():
680                 continue
681             key, value = line.split(':')
682             if key.strip() == 'vendor_id':
683                 cpuvendor = value.strip()
684                 return cpuvendor
685
686
687 if options.generate_collector:
688     f = open(options.file, 'w')
689     filelist = ' '.join(inputs['files'])
690     filelist_opt = ' '.join(inputs['files_opt'])
691     filelist_intel = ' '.join(inputs['files_intel'])
692
693     tmpl = Template(filename=os.path.join(options.template_dir,
694                                           'jailhouse-config-collect.tmpl'))
695     f.write(tmpl.render(filelist=filelist, filelist_opt=filelist_opt,
696             filelist_intel=filelist_intel))
697     f.close()
698     sys.exit(0)
699
700 if ((options.root is '/') and (os.geteuid() is not 0)):
701     print('ERROR: You have to be root to work on "/"!', file=sys.stderr)
702     sys.exit(1)
703
704 jh_enabled = input_readline('/sys/devices/jailhouse/enabled', True).rstrip()
705 if jh_enabled == '1':
706     print('ERROR: Jailhouse was enabled when collecting input files! '
707           'Disable jailhouse and try again.',
708           file=sys.stderr)
709     sys.exit(1)
710
711 (pcidevices, pcicaps) = parse_pcidevices()
712
713 product = [input_readline('/sys/class/dmi/id/sys_vendor',
714                           True).rstrip(),
715            input_readline('/sys/class/dmi/id/product_name',
716                           True).rstrip()
717            ]
718
719 inmatemem = kmg_multiply_str(options.mem_inmates)
720 hvmem = [0, kmg_multiply_str(options.mem_hv)]
721
722 regions = parse_iomem(pcidevices)
723 ourmem = parse_kernel_cmdline()
724 total = hvmem[1] + inmatemem
725
726 mmconfig = MMConfig.parse()
727
728 if get_cpu_vendor() == 'GenuineIntel':
729     (dmar_units, ioapic_id, rmrr_regs) = parse_dmar(pcidevices)
730 else:
731     (dmar_units, ioapic_id, rmrr_regs) = [], 0, []
732 regions += rmrr_regs
733
734 for d in pcidevices:
735     if get_cpu_vendor() == 'AuthenticAMD':
736         d.iommu = 0  # temporary workaround
737     if d.iommu is None:
738         raise RuntimeError('PCI device %02x:%02x.%x outside the scope of an '
739                            'IOMMU' % (d.bus, d.dev, d.fn))
740
741 # kernel does not have memmap region, pick one
742 if ourmem is None:
743     ourmem = alloc_mem(regions, total)
744 elif (total > ourmem[1]):
745     raise RuntimeError('Your memmap reservation is too small you need >="' +
746                        hex(total) + '"')
747
748 hvmem[0] = ourmem[0]
749
750 inmatereg = MemRegion(ourmem[0] + hvmem[1],
751                       ourmem[0] + hvmem[1] + inmatemem - 1,
752                       'JAILHOUSE Inmate Memory')
753 regions.append(inmatereg)
754
755 cpucount = count_cpus()
756
757 pm_timer_base = parse_ioports()
758
759 pm_timer_val_ext = parse_facp()
760
761 f = open(options.file, 'w')
762 tmpl = Template(filename=os.path.join(options.template_dir,
763                                       'root-cell-config.c.tmpl'))
764 f.write(tmpl.render(regions=regions,
765                     ourmem=ourmem,
766                     argstr=' '.join(sys.argv),
767                     hvmem=hvmem,
768                     product=product,
769                     pcidevices=pcidevices,
770                     pcicaps=pcicaps,
771                     cpucount=cpucount,
772                     ioapic_id=ioapic_id,
773                     pm_timer_base=pm_timer_base,
774                     pm_timer_val_ext=pm_timer_val_ext,
775                     mmconfig=mmconfig,
776                     dmar_units=dmar_units))
777
778 f.close()