]> git.proxmox.com Git - mirror_edk2.git/blob - EmulatorPkg/Unix/lldbefi.py
EmulatorPkg/Unix: Fix various typos
[mirror_edk2.git] / EmulatorPkg / Unix / lldbefi.py
1 #!/usr/bin/python
2
3 #
4 # Copyright 2014 Apple Inc. All rights reserved.
5 #
6 # SPDX-License-Identifier: BSD-2-Clause-Patent
7 #
8
9 import lldb
10 import os
11 import uuid
12 import string
13 import commands
14 import optparse
15 import shlex
16
17 guid_dict = {}
18
19
20 def EFI_GUID_TypeSummary (valobj,internal_dict):
21 """ Type summary for EFI GUID, print C Name if known
22 """
23 # typedef struct {
24 # UINT32 Data1;
25 # UINT16 Data2;
26 # UINT16 Data3;
27 # UINT8 Data4[8];
28 # } EFI_GUID;
29 SBError = lldb.SBError()
30
31 data1_val = valobj.GetChildMemberWithName('Data1')
32 data1 = data1_val.GetValueAsUnsigned(0)
33 data2_val = valobj.GetChildMemberWithName('Data2')
34 data2 = data2_val.GetValueAsUnsigned(0)
35 data3_val = valobj.GetChildMemberWithName('Data3')
36 data3 = data3_val.GetValueAsUnsigned(0)
37 str = "%x-%x-%x-" % (data1, data2, data3)
38
39 data4_val = valobj.GetChildMemberWithName('Data4')
40 for i in range (data4_val.num_children):
41 if i == 2:
42 str +='-'
43 str += "%02x" % data4_val.GetChildAtIndex(i).data.GetUnsignedInt8(SBError, 0)
44
45 return guid_dict.get (str.upper(), '')
46
47
48
49 EFI_STATUS_Dict = {
50 (0x8000000000000000 | 1): "Load Error",
51 (0x8000000000000000 | 2): "Invalid Parameter",
52 (0x8000000000000000 | 3): "Unsupported",
53 (0x8000000000000000 | 4): "Bad Buffer Size",
54 (0x8000000000000000 | 5): "Buffer Too Small",
55 (0x8000000000000000 | 6): "Not Ready",
56 (0x8000000000000000 | 7): "Device Error",
57 (0x8000000000000000 | 8): "Write Protected",
58 (0x8000000000000000 | 9): "Out of Resources",
59 (0x8000000000000000 | 10): "Volume Corrupt",
60 (0x8000000000000000 | 11): "Volume Full",
61 (0x8000000000000000 | 12): "No Media",
62 (0x8000000000000000 | 13): "Media changed",
63 (0x8000000000000000 | 14): "Not Found",
64 (0x8000000000000000 | 15): "Access Denied",
65 (0x8000000000000000 | 16): "No Response",
66 (0x8000000000000000 | 17): "No mapping",
67 (0x8000000000000000 | 18): "Time out",
68 (0x8000000000000000 | 19): "Not started",
69 (0x8000000000000000 | 20): "Already started",
70 (0x8000000000000000 | 21): "Aborted",
71 (0x8000000000000000 | 22): "ICMP Error",
72 (0x8000000000000000 | 23): "TFTP Error",
73 (0x8000000000000000 | 24): "Protocol Error",
74
75 0 : "Success",
76 1 : "Warning Unknown Glyph",
77 2 : "Warning Delete Failure",
78 3 : "Warning Write Failure",
79 4 : "Warning Buffer Too Small",
80
81 (0x80000000 | 1): "Load Error",
82 (0x80000000 | 2): "Invalid Parameter",
83 (0x80000000 | 3): "Unsupported",
84 (0x80000000 | 4): "Bad Buffer Size",
85 (0x80000000 | 5): "Buffer Too Small",
86 (0x80000000 | 6): "Not Ready",
87 (0x80000000 | 7): "Device Error",
88 (0x80000000 | 8): "Write Protected",
89 (0x80000000 | 9): "Out of Resources",
90 (0x80000000 | 10): "Volume Corrupt",
91 (0x80000000 | 11): "Volume Full",
92 (0x80000000 | 12): "No Media",
93 (0x80000000 | 13): "Media changed",
94 (0x80000000 | 14): "Not Found",
95 (0x80000000 | 15): "Access Denied",
96 (0x80000000 | 16): "No Response",
97 (0x80000000 | 17): "No mapping",
98 (0x80000000 | 18): "Time out",
99 (0x80000000 | 19): "Not started",
100 (0x80000000 | 20): "Already started",
101 (0x80000000 | 21): "Aborted",
102 (0x80000000 | 22): "ICMP Error",
103 (0x80000000 | 23): "TFTP Error",
104 (0x80000000 | 24): "Protocol Error",
105 }
106
107 def EFI_STATUS_TypeSummary (valobj,internal_dict):
108 #
109 # Return summary string for EFI_STATUS from dictionary
110 #
111 Status = valobj.GetValueAsUnsigned(0)
112 return EFI_STATUS_Dict.get (Status, '')
113
114
115 def EFI_TPL_TypeSummary (valobj,internal_dict):
116 #
117 # Return TPL values
118 #
119
120 if valobj.TypeIsPointerType():
121 return ""
122
123 Tpl = valobj.GetValueAsUnsigned(0)
124 if Tpl < 4:
125 Str = "%d" % Tpl
126 elif Tpl == 6:
127 Str = "TPL_DRIVER (Obsolete Concept in edk2)"
128 elif Tpl < 8:
129 Str = "TPL_APPLICATION"
130 if Tpl - 4 > 0:
131 Str += " + " + "%d" % (Tpl - 4)
132 elif Tpl < 16:
133 Str = "TPL_CALLBACK"
134 if Tpl - 8 > 0:
135 Str += " + " + "%d" % (Tpl - 4)
136 elif Tpl < 31:
137 Str = "TPL_NOTIFY"
138 if Tpl - 16 > 0:
139 Str += " + " + "%d" % (Tpl - 4)
140 elif Tpl == 31:
141 Str = "TPL_HIGH_LEVEL"
142 else:
143 Str = "Invalid TPL"
144
145 return Str
146
147
148 def CHAR16_TypeSummary (valobj,internal_dict):
149 #
150 # Display EFI CHAR16 'unsigned short' as string
151 #
152 SBError = lldb.SBError()
153 Str = ''
154 if valobj.TypeIsPointerType():
155 if valobj.GetValueAsUnsigned () == 0:
156 return "NULL"
157
158 # CHAR16 * max string size 1024
159 for i in range (1024):
160 Char = valobj.GetPointeeData(i,1).GetUnsignedInt16(SBError, 0)
161 if SBError.fail or Char == 0:
162 break
163 Str += unichr (Char)
164 Str = 'L"' + Str + '"'
165 return Str.encode ('utf-8', 'replace')
166
167 if valobj.num_children == 0:
168 # CHAR16
169 if chr (valobj.unsigned) in string.printable:
170 Str = "L'" + unichr (valobj.unsigned) + "'"
171 return Str.encode ('utf-8', 'replace')
172 else:
173 # CHAR16 []
174 for i in range (valobj.num_children):
175 Char = valobj.GetChildAtIndex(i).data.GetUnsignedInt16(SBError, 0)
176 if Char == 0:
177 break
178 Str += unichr (Char)
179 Str = 'L"' + Str + '"'
180 return Str.encode ('utf-8', 'replace')
181
182 return Str
183
184 def CHAR8_TypeSummary (valobj,internal_dict):
185 #
186 # Display EFI CHAR8 'signed char' as string
187 # unichr() is used as a junk string can produce an error message like this:
188 # UnicodeEncodeError: 'ascii' codec can't encode character u'\x90' in position 1: ordinal not in range(128)
189 #
190 SBError = lldb.SBError()
191 Str = ''
192 if valobj.TypeIsPointerType():
193 if valobj.GetValueAsUnsigned () == 0:
194 return "NULL"
195
196 # CHAR8 * max string size 1024
197 for i in range (1024):
198 Char = valobj.GetPointeeData(i,1).GetUnsignedInt8(SBError, 0)
199 if SBError.fail or Char == 0:
200 break
201 Str += unichr (Char)
202 Str = '"' + Str + '"'
203 return Str.encode ('utf-8', 'replace')
204
205 if valobj.num_children == 0:
206 # CHAR8
207 if chr (valobj.unsigned) in string.printable:
208 Str = '"' + unichr (valobj.unsigned) + '"'
209 return Str.encode ('utf-8', 'replace')
210 else:
211 # CHAR8 []
212 for i in range (valobj.num_children):
213 Char = valobj.GetChildAtIndex(i).data.GetUnsignedInt8(SBError, 0)
214 if Char == 0:
215 break
216 Str += unichr (Char)
217 Str = '"' + Str + '"'
218 return Str.encode ('utf-8', 'replace')
219
220 return Str
221
222 device_path_dict = {
223 (0x01, 0x01): "PCI_DEVICE_PATH",
224 (0x01, 0x02): "PCCARD_DEVICE_PATH",
225 (0x01, 0x03): "MEMMAP_DEVICE_PATH",
226 (0x01, 0x04): "VENDOR_DEVICE_PATH",
227 (0x01, 0x05): "CONTROLLER_DEVICE_PATH",
228 (0x02, 0x01): "ACPI_HID_DEVICE_PATH",
229 (0x02, 0x02): "ACPI_EXTENDED_HID_DEVICE_PATH",
230 (0x02, 0x03): "ACPI_ADR_DEVICE_PATH",
231 (0x03, 0x01): "ATAPI_DEVICE_PATH",
232 (0x03, 0x12): "SATA_DEVICE_PATH",
233 (0x03, 0x02): "SCSI_DEVICE_PATH",
234 (0x03, 0x03): "FIBRECHANNEL_DEVICE_PATH",
235 (0x03, 0x04): "F1394_DEVICE_PATH",
236 (0x03, 0x05): "USB_DEVICE_PATH",
237 (0x03, 0x0f): "USB_CLASS_DEVICE_PATH",
238 (0x03, 0x10): "FW_SBP2_UNIT_LUN_DEVICE_PATH",
239 (0x03, 0x11): "DEVICE_LOGICAL_UNIT_DEVICE_PATH",
240 (0x03, 0x06): "I2O_DEVICE_PATH",
241 (0x03, 0x0b): "MAC_ADDR_DEVICE_PATH",
242 (0x03, 0x0c): "IPv4_DEVICE_PATH",
243 (0x03, 0x09): "INFINIBAND_DEVICE_PATH",
244 (0x03, 0x0e): "UART_DEVICE_PATH",
245 (0x03, 0x0a): "VENDOR_DEVICE_PATH",
246 (0x03, 0x13): "ISCSI_DEVICE_PATH",
247 (0x04, 0x01): "HARDDRIVE_DEVICE_PATH",
248 (0x04, 0x02): "CDROM_DEVICE_PATH",
249 (0x04, 0x03): "VENDOR_DEVICE_PATH",
250 (0x04, 0x04): "FILEPATH_DEVICE_PATH",
251 (0x04, 0x05): "MEDIA_PROTOCOL_DEVICE_PATH",
252 (0x05, 0x01): "BBS_BBS_DEVICE_PATH",
253 (0x7F, 0xFF): "EFI_DEVICE_PATH_PROTOCOL",
254 (0xFF, 0xFF): "EFI_DEVICE_PATH_PROTOCOL",
255 }
256
257 def EFI_DEVICE_PATH_PROTOCOL_TypeSummary (valobj,internal_dict):
258 #
259 #
260 #
261 if valobj.TypeIsPointerType():
262 # EFI_DEVICE_PATH_PROTOCOL *
263 return ""
264
265 Str = ""
266 if valobj.num_children == 3:
267 # EFI_DEVICE_PATH_PROTOCOL
268 Type = valobj.GetChildMemberWithName('Type').unsigned
269 SubType = valobj.GetChildMemberWithName('SubType').unsigned
270 if (Type, SubType) in device_path_dict:
271 TypeStr = device_path_dict[Type, SubType]
272 else:
273 TypeStr = ""
274
275 LenLow = valobj.GetChildMemberWithName('Length').GetChildAtIndex(0).unsigned
276 LenHigh = valobj.GetChildMemberWithName('Length').GetChildAtIndex(1).unsigned
277 Len = LenLow + (LenHigh >> 8)
278
279 Address = long ("%d" % valobj.addr)
280 if (Address == lldb.LLDB_INVALID_ADDRESS):
281 # Need to research this, it seems to be the nested struct case
282 ExprStr = ""
283 elif (Type & 0x7f == 0x7f):
284 ExprStr = "End Device Path" if SubType == 0xff else "End This Instance"
285 else:
286 ExprStr = "expr *(%s *)0x%08x" % (TypeStr, Address)
287
288 Str = " {\n"
289 Str += " (UINT8) Type = 0x%02x // %s\n" % (Type, "END" if (Type & 0x7f == 0x7f) else "")
290 Str += " (UINT8) SubType = 0x%02x // %s\n" % (SubType, ExprStr)
291 Str += " (UINT8 [2]) Length = { // 0x%04x (%d) bytes\n" % (Len, Len)
292 Str += " (UINT8) [0] = 0x%02x\n" % LenLow
293 Str += " (UINT8) [1] = 0x%02x\n" % LenHigh
294 Str += " }\n"
295 if (Type & 0x7f == 0x7f) and (SubType == 0xff):
296 pass
297 elif ExprStr != "":
298 NextNode = Address + Len
299 Str += "// Next node 'expr *(EFI_DEVICE_PATH_PROTOCOL *)0x%08x'\n" % NextNode
300
301 return Str
302
303
304
305 def TypePrintFormating(debugger):
306 #
307 # Set the default print formatting for EFI types in lldb.
308 # seems lldb defaults to decimal.
309 #
310 category = debugger.GetDefaultCategory()
311 FormatBool = lldb.SBTypeFormat(lldb.eFormatBoolean)
312 category.AddTypeFormat(lldb.SBTypeNameSpecifier("BOOLEAN"), FormatBool)
313
314 FormatHex = lldb.SBTypeFormat(lldb.eFormatHex)
315 category.AddTypeFormat(lldb.SBTypeNameSpecifier("UINT64"), FormatHex)
316 category.AddTypeFormat(lldb.SBTypeNameSpecifier("INT64"), FormatHex)
317 category.AddTypeFormat(lldb.SBTypeNameSpecifier("UINT32"), FormatHex)
318 category.AddTypeFormat(lldb.SBTypeNameSpecifier("INT32"), FormatHex)
319 category.AddTypeFormat(lldb.SBTypeNameSpecifier("UINT16"), FormatHex)
320 category.AddTypeFormat(lldb.SBTypeNameSpecifier("INT16"), FormatHex)
321 category.AddTypeFormat(lldb.SBTypeNameSpecifier("UINT8"), FormatHex)
322 category.AddTypeFormat(lldb.SBTypeNameSpecifier("INT8"), FormatHex)
323 category.AddTypeFormat(lldb.SBTypeNameSpecifier("UINTN"), FormatHex)
324 category.AddTypeFormat(lldb.SBTypeNameSpecifier("INTN"), FormatHex)
325 category.AddTypeFormat(lldb.SBTypeNameSpecifier("CHAR8"), FormatHex)
326 category.AddTypeFormat(lldb.SBTypeNameSpecifier("CHAR16"), FormatHex)
327
328 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_PHYSICAL_ADDRESS"), FormatHex)
329 category.AddTypeFormat(lldb.SBTypeNameSpecifier("PHYSICAL_ADDRESS"), FormatHex)
330 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_STATUS"), FormatHex)
331 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_TPL"), FormatHex)
332 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_LBA"), FormatHex)
333 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_BOOT_MODE"), FormatHex)
334 category.AddTypeFormat(lldb.SBTypeNameSpecifier("EFI_FV_FILETYPE"), FormatHex)
335
336 #
337 # Smart type printing for EFI
338 #
339 debugger.HandleCommand("type summary add EFI_GUID --python-function lldbefi.EFI_GUID_TypeSummary")
340 debugger.HandleCommand("type summary add EFI_STATUS --python-function lldbefi.EFI_STATUS_TypeSummary")
341 debugger.HandleCommand("type summary add EFI_TPL --python-function lldbefi.EFI_TPL_TypeSummary")
342 debugger.HandleCommand("type summary add EFI_DEVICE_PATH_PROTOCOL --python-function lldbefi.EFI_DEVICE_PATH_PROTOCOL_TypeSummary")
343
344 debugger.HandleCommand("type summary add CHAR16 --python-function lldbefi.CHAR16_TypeSummary")
345 debugger.HandleCommand('type summary add --regex "CHAR16 \[[0-9]+\]" --python-function lldbefi.CHAR16_TypeSummary')
346 debugger.HandleCommand("type summary add CHAR8 --python-function lldbefi.CHAR8_TypeSummary")
347 debugger.HandleCommand('type summary add --regex "CHAR8 \[[0-9]+\]" --python-function lldbefi.CHAR8_TypeSummary')
348
349 debugger.HandleCommand(
350 'setting set frame-format "frame #${frame.index}: ${frame.pc}'
351 '{ ${module.file.basename}{:${function.name}()${function.pc-offset}}}'
352 '{ at ${line.file.fullpath}:${line.number}}\n"'
353 )
354
355 gEmulatorBreakWorkaroundNeeded = True
356
357 def LoadEmulatorEfiSymbols(frame, bp_loc , internal_dict):
358 #
359 # This is an lldb breakpoint script, and assumes the breakpoint is on a
360 # function with the same prototype as SecGdbScriptBreak(). The
361 # argument names are important as lldb looks them up.
362 #
363 # VOID
364 # SecGdbScriptBreak (
365 # char *FileName,
366 # int FileNameLength,
367 # long unsigned int LoadAddress,
368 # int AddSymbolFlag
369 # )
370 # {
371 # return;
372 # }
373 #
374 # When the emulator loads a PE/COFF image, it calls the stub function with
375 # the filename of the symbol file, the length of the FileName, the
376 # load address and a flag to indicate if this is a load or unload operation
377 #
378 global gEmulatorBreakWorkaroundNeeded
379
380 if gEmulatorBreakWorkaroundNeeded:
381 # turn off lldb debug prints on SIGALRM (EFI timer tick)
382 frame.thread.process.target.debugger.HandleCommand("process handle SIGALRM -n false")
383 gEmulatorBreakWorkaroundNeeded = False
384
385 # Convert C string to Python string
386 Error = lldb.SBError()
387 FileNamePtr = frame.FindVariable ("FileName").GetValueAsUnsigned()
388 FileNameLen = frame.FindVariable ("FileNameLength").GetValueAsUnsigned()
389
390 FileName = frame.thread.process.ReadCStringFromMemory (FileNamePtr, FileNameLen, Error)
391 if not Error.Success():
392 print "!ReadCStringFromMemory() did not find a %d byte C string at %x" % (FileNameLen, FileNamePtr)
393 # make breakpoint command continue
394 return False
395
396 debugger = frame.thread.process.target.debugger
397 if frame.FindVariable ("AddSymbolFlag").GetValueAsUnsigned() == 1:
398 LoadAddress = frame.FindVariable ("LoadAddress").GetValueAsUnsigned() - 0x240
399
400 debugger.HandleCommand ("target modules add %s" % FileName)
401 print "target modules load --slid 0x%x %s" % (LoadAddress, FileName)
402 debugger.HandleCommand ("target modules load --slide 0x%x --file %s" % (LoadAddress, FileName))
403 else:
404 target = debugger.GetSelectedTarget()
405 for SBModule in target.module_iter():
406 ModuleName = SBModule.GetFileSpec().GetDirectory() + '/'
407 ModuleName += SBModule.GetFileSpec().GetFilename()
408 if FileName == ModuleName or FileName == SBModule.GetFileSpec().GetFilename():
409 target.ClearModuleLoadAddress (SBModule)
410 if not target.RemoveModule (SBModule):
411 print "!lldb.target.RemoveModule (%s) FAILED" % SBModule
412
413 # make breakpoint command continue
414 return False
415
416 def GuidToCStructStr (guid, Name=False):
417 #
418 # Convert a 16-byte bytesarray (or bytearray compat object) to C guid string
419 # { 0xB402621F, 0xA940, 0x1E4A, { 0x86, 0x6B, 0x4D, 0xC9, 0x16, 0x2B, 0x34, 0x7C } }
420 #
421 # Name=True means lookup name in GuidNameDict and us it if you find it
422 #
423
424 if not isinstance (guid, bytearray):
425 # convert guid object to UUID, and UUID to bytearray
426 Uuid = uuid.UUID(guid)
427 guid = bytearray (Uuid.bytes_le)
428
429 return "{ 0x%02.2X%02.2X%02.2X%02.2X, 0x%02.2X%02.2X, 0x%02.2X%02.2X, { 0x%02.2X, 0x%02.2X, 0x%02.2X, 0x%02.2X, 0x%02.2X, 0x%02.2X, 0x%02.2X, 0x%02.2X } }" % \
430 (guid[3], guid[2], guid[1], guid[0], guid[5], guid[4], guid[7], guid[6], guid[8], guid[9], guid[10], guid[11], guid[12], guid[13], guid[14], guid[15])
431
432 def ParseGuidString(GuidStr):
433 #
434 # Error check and convert C Guid init to string
435 # ParseGuidString("49152E77-1ADA-4764-B7A2-7AFEFED95E8B")
436 # ParseGuidString("{ 0xBA24B391, 0x73FD, 0xC54C, { 0x9E, 0xAF, 0x0C, 0xA7, 0x8A, 0x35, 0x46, 0xD1 } }")
437 #
438
439 if "{" in GuidStr :
440 # convert C form "{ 0xBA24B391, 0x73FD, 0xC54C, { 0x9E, 0xAF, 0x0C, 0xA7, 0x8A, 0x35, 0x46, 0xD1 } }"
441 # to string form BA24B391-73FD-C54C-9EAF-0CA78A3546D1
442 # make a list of Hex numbers like: ['0xBA24B391', '0x73FD', '0xC54C', '0x9E', '0xAF', '0x0C', '0xA7', '0x8A', '0x35', '0x46', '0xD1']
443 Hex = ''.join(x for x in GuidStr if x not in '{,}').split()
444 Str = "%08X-%04X-%04X-%02.2X%02.2X-%02.2X%02.2X%02.2X%02.2X%02.2X%02.2X" % \
445 (int(Hex[0], 0), int(Hex[1], 0), int(Hex[2], 0), int(Hex[3], 0), int(Hex[4], 0), \
446 int(Hex[5], 0), int(Hex[6], 0), int(Hex[7], 0), int(Hex[8], 0), int(Hex[9], 0), int(Hex[10], 0))
447 elif GuidStr.count('-') == 4:
448 # validate "49152E77-1ADA-4764-B7A2-7AFEFED95E8B" form
449 Check = "%s" % str(uuid.UUID(GuidStr)).upper()
450 if GuidStr.upper() == Check:
451 Str = GuidStr.upper()
452 else:
453 Ste = ""
454 else:
455 Str = ""
456
457 return Str
458
459
460 def create_guid_options():
461 usage = "usage: %prog [data]"
462 description='''lookup EFI_GUID by CName, C struct, or GUID string and print out all three.
463 '''
464 parser = optparse.OptionParser(description=description, prog='guid',usage=usage)
465 return parser
466
467 def efi_guid_command(debugger, command, result, dict):
468 # Use the Shell Lexer to properly parse up command options just like a
469 # shell would
470 command_args = shlex.split(command)
471 parser = create_guid_options()
472 try:
473 (options, args) = parser.parse_args(command_args)
474 if len(args) >= 1:
475 if args[0] == "{":
476 # caller forgot to quote the string"
477 # mark arg[0] a string containing all args[n]
478 args[0] = ' '.join(args)
479 GuidStr = ParseGuidString (args[0])
480 if GuidStr == "":
481 # return Key of GuidNameDict for value args[0]
482 GuidStr = [Key for Key, Value in guid_dict.iteritems() if Value == args[0]][0]
483 GuidStr = GuidStr.upper()
484 except:
485 # if you don't handle exceptions, passing an incorrect argument to the OptionParser will cause LLDB to exit
486 # (courtesy of OptParse dealing with argument errors by throwing SystemExit)
487 result.SetError ("option parsing failed")
488 return
489
490
491 if len(args) >= 1:
492 if GuidStr in guid_dict:
493 print "%s = %s" % (guid_dict[GuidStr], GuidStr)
494 print "%s = %s" % (guid_dict[GuidStr], GuidToCStructStr (GuidStr))
495 else:
496 print GuidStr
497 else:
498 # dump entire dictionary
499 width = max(len(v) for k,v in guid_dict.iteritems())
500 for value in sorted(guid_dict, key=guid_dict.get):
501 print '%-*s %s %s' % (width, guid_dict[value], value, GuidToCStructStr(value))
502
503 return
504
505
506 #
507 ########## Code that runs when this script is imported into LLDB ###########
508 #
509 def __lldb_init_module (debugger, internal_dict):
510 # This initializer is being run from LLDB in the embedded command interpreter
511 # Make the options so we can generate the help text for the new LLDB
512 # command line command prior to registering it with LLDB below
513
514 global guid_dict
515
516 # Source Guid.xref file if we can find it
517 inputfile = os.getcwd()
518 inputfile += os.sep + os.pardir + os.sep + 'FV' + os.sep + 'Guid.xref'
519 with open(inputfile) as f:
520 for line in f:
521 data = line.split(' ')
522 if len(data) >= 2:
523 guid_dict[data[0].upper()] = data[1].strip('\n')
524
525 # init EFI specific type formatters
526 TypePrintFormating (debugger)
527
528
529 # add guid command
530 parser = create_guid_options()
531 efi_guid_command.__doc__ = parser.format_help()
532 debugger.HandleCommand('command script add -f lldbefi.efi_guid_command guid')
533
534
535 Target = debugger.GetTargetAtIndex(0)
536 if Target:
537 Breakpoint = Target.BreakpointCreateByName('SecGdbScriptBreak')
538 if Breakpoint.GetNumLocations() == 1:
539 # Set the emulator breakpoints, if we are in the emulator
540 debugger.HandleCommand("breakpoint command add -s python -F lldbefi.LoadEmulatorEfiSymbols {id}".format(id=Breakpoint.GetID()))
541 print 'Type r to run emulator. SecLldbScriptBreak armed. EFI modules should now get source level debugging in the emulator.'