xref: /xnu-11215.81.4/doc/debugging/debugging.md (revision d4514f0bc1d3f944c22d92e68b646ac3fb40d452) !
1*d4514f0bSApple OSS Distributions# XNU debugging
2*d4514f0bSApple OSS Distributions
3*d4514f0bSApple OSS DistributionsDebugging XNU through kernel core files or with a live device.
4*d4514f0bSApple OSS Distributions
5*d4514f0bSApple OSS Distributions## Overview
6*d4514f0bSApple OSS Distributions
7*d4514f0bSApple OSS DistributionsXNU’s debugging macros are compatible with Python 3.9+. Please be careful about pulling
8*d4514f0bSApple OSS Distributionsin the latest language features. Some users are living on older Xcodes and may not have the newest
9*d4514f0bSApple OSS DistributionsPython installed.
10*d4514f0bSApple OSS Distributions
11*d4514f0bSApple OSS Distributions## General coding tips
12*d4514f0bSApple OSS Distributions
13*d4514f0bSApple OSS Distributions### Imports
14*d4514f0bSApple OSS Distributions
15*d4514f0bSApple OSS DistributionsThe current implementation re-exports a lot of submodules through the XNU main module. This leads to some
16*d4514f0bSApple OSS Distributionssurprising behavior:
17*d4514f0bSApple OSS Distributions
18*d4514f0bSApple OSS Distributions* Name collisions at the top level may override methods with unexpected results.
19*d4514f0bSApple OSS Distributions* New imports may change the order of imports, leading to some surpising side effects.
20*d4514f0bSApple OSS Distributions
21*d4514f0bSApple OSS DistributionsPlease avoid `from xnu import *` where possible and always explicitly import only what is
22*d4514f0bSApple OSS Distributionsrequired from other modules.
23*d4514f0bSApple OSS Distributions
24*d4514f0bSApple OSS Distributions### Checking the type of an object
25*d4514f0bSApple OSS Distributions
26*d4514f0bSApple OSS DistributionsAvoid testing for a `type` explicitly like `type(obj) == type`.
27*d4514f0bSApple OSS DistributionsInstead, always use the inheritance-sensitive `isinstance(obj, type)`.
28*d4514f0bSApple OSS Distributions
29*d4514f0bSApple OSS Distributions### Dealing with binary data
30*d4514f0bSApple OSS Distributions
31*d4514f0bSApple OSS DistributionsIt’s recommended to use **bytearray**, **bytes**, and **memoryviews** instead of a string.
32*d4514f0bSApple OSS DistributionsSome LLDB APIs no longer accept a string in place of binary data in Python 3.
33*d4514f0bSApple OSS Distributions
34*d4514f0bSApple OSS Distributions### Accessing large amounts of binary data (or accessing small amounts frequently)
35*d4514f0bSApple OSS Distributions
36*d4514f0bSApple OSS DistributionsIn case you're planning on accessing large contiguous blocks of memory (e.g. reading a whole 10KB of memory),
37*d4514f0bSApple OSS Distributionsor you're accessing small semi-contiguous chunks (e.g. if you're parsing large structured data), then it might
38*d4514f0bSApple OSS Distributionsbe hugely beneficial performance-wise to make use of the `io.SBProcessRawIO` class. Furthermore, if you're in
39*d4514f0bSApple OSS Distributionsa hurry and just want to read one specific chunk once, then it might be easier to use `LazyTarget.GetProcess().ReadMemory()`
40*d4514f0bSApple OSS Distributionsdirectly.
41*d4514f0bSApple OSS Distributions
42*d4514f0bSApple OSS DistributionsIn other words, avoid the following:
43*d4514f0bSApple OSS Distributions
44*d4514f0bSApple OSS Distributions```
45*d4514f0bSApple OSS Distributionsdata_ptr = kern.GetValueFromAddress(start_addr, 'uint8_t *')
46*d4514f0bSApple OSS Distributionswith open(filepath, 'wb') as f:
47*d4514f0bSApple OSS Distributions    f.write(data_ptr[:4096])
48*d4514f0bSApple OSS Distributions```
49*d4514f0bSApple OSS Distributions
50*d4514f0bSApple OSS DistributionsAnd instead use:
51*d4514f0bSApple OSS Distributions
52*d4514f0bSApple OSS Distributions```
53*d4514f0bSApple OSS Distributionsfrom core.io import SBProcessRawIO
54*d4514f0bSApple OSS Distributionsimport shutil
55*d4514f0bSApple OSS Distributions
56*d4514f0bSApple OSS Distributionsio_access = SBProcessRawIO(LazyTarget.GetProcess(), start_addr, 4096)
57*d4514f0bSApple OSS Distributionswith open(filepath, 'wb') as f:
58*d4514f0bSApple OSS Distributions    shutil.copyfileobj(io_access, f)
59*d4514f0bSApple OSS Distributions```
60*d4514f0bSApple OSS Distributions
61*d4514f0bSApple OSS DistributionsOr, if you're in a hurry:
62*d4514f0bSApple OSS Distributions
63*d4514f0bSApple OSS Distributions```
64*d4514f0bSApple OSS Distributionserr = lldb.SBError()
65*d4514f0bSApple OSS Distributionsmy_data = LazyTarget.GetProcess().ReadMemory(start_addr, length, err)
66*d4514f0bSApple OSS Distributionsif err.Success():
67*d4514f0bSApple OSS Distributions    # Use my precious data
68*d4514f0bSApple OSS Distributions    pass
69*d4514f0bSApple OSS Distributions```
70*d4514f0bSApple OSS Distributions
71*d4514f0bSApple OSS DistributionsFor small semi-contiguous chunks, you can map the whole region and access random chunks from it like so:
72*d4514f0bSApple OSS Distributions
73*d4514f0bSApple OSS Distributions```
74*d4514f0bSApple OSS Distributionsfrom core.io import SBProcessRawIO
75*d4514f0bSApple OSS Distributions
76*d4514f0bSApple OSS Distributionsio_access = SBProcessRawIO(LazyTarget.GetProcess(), start_addr, size)
77*d4514f0bSApple OSS Distributionsio_access.seek(my_struct_offset)
78*d4514f0bSApple OSS Distributionsmy_struct_contents = io_access.read(my_struct_size)
79*d4514f0bSApple OSS Distributions```
80*d4514f0bSApple OSS Distributions
81*d4514f0bSApple OSS DistributionsNot only that, but you can also tack on a BufferedRandom class on top of the SBProcessRawIO instance, which
82*d4514f0bSApple OSS Distributionsprovides you with buffering (aka caching) in case your random small chunk accesses are repeated:
83*d4514f0bSApple OSS Distributions
84*d4514f0bSApple OSS Distributions```
85*d4514f0bSApple OSS Distributionsfrom core.io import SBProcessRawIO
86*d4514f0bSApple OSS Distributionsfrom io import BufferedRandom
87*d4514f0bSApple OSS Distributions
88*d4514f0bSApple OSS Distributionsio_access = SBProcessRawIO(LazyTarget.GetProcess(), start_addr, size)
89*d4514f0bSApple OSS Distributionsbuffered_io = BufferedRandom(io_access)
90*d4514f0bSApple OSS Distributions# And then use buffered_io for your accesses
91*d4514f0bSApple OSS Distributions```
92*d4514f0bSApple OSS Distributions
93*d4514f0bSApple OSS Distributions### Encoding data to strings and back
94*d4514f0bSApple OSS Distributions
95*d4514f0bSApple OSS DistributionsAll strings are now `unicode` and must be converted between binary data and strings explicitly.
96*d4514f0bSApple OSS DistributionsWhen no explicit encoding is selected then UTF-8 is the default.
97*d4514f0bSApple OSS Distributions
98*d4514f0bSApple OSS Distributions```
99*d4514f0bSApple OSS Distributionsmystring = mybytes.decode()
100*d4514f0bSApple OSS Distributionsmybytes = mystring.encode()
101*d4514f0bSApple OSS Distributions```
102*d4514f0bSApple OSS DistributionsIn most cases **utf-8** will work but be careful to be sure that the encoding matches your data.
103*d4514f0bSApple OSS Distributions
104*d4514f0bSApple OSS DistributionsThere are two options to consider when trying to get a string out of the raw data without knowing if
105*d4514f0bSApple OSS Distributionsthey are valid string or not:
106*d4514f0bSApple OSS Distributions
107*d4514f0bSApple OSS Distributions* **lossy conversion** - escapes all non-standard characters in form of ‘\xNNN’
108*d4514f0bSApple OSS Distributions* **lossless conversion** - maps invalid characters to special unicode range so it can reconstruct
109*d4514f0bSApple OSS Distributionsthe string precisely
110*d4514f0bSApple OSS Distributions
111*d4514f0bSApple OSS DistributionsWhich to use depends on the transformation goals. The lossy conversion produces a printable string
112*d4514f0bSApple OSS Distributionswith strange characters in it. The lossless option is meant to be used when a string is only a transport
113*d4514f0bSApple OSS Distributionsmechanism and needs to be converted back to original values later.
114*d4514f0bSApple OSS Distributions
115*d4514f0bSApple OSS DistributionsSwitch the method by using `errors` handler during conversion:
116*d4514f0bSApple OSS Distributions
117*d4514f0bSApple OSS Distributions```
118*d4514f0bSApple OSS Distributions# Lossy escapes invalid chars
119*d4514f0bSApple OSS Distributionsb.decode('utf-8', errors='`backslashreplace'`)
120*d4514f0bSApple OSS Distributions# Lossy removes invalid chars
121*d4514f0bSApple OSS Distributionsb.decode('utf-8', errors='ignore')
122*d4514f0bSApple OSS Distributions# Loss-less but may likely fail to print()
123*d4514f0bSApple OSS Distributionsb.decode('utf-8', errors='surrogateescape')
124*d4514f0bSApple OSS Distributions```
125*d4514f0bSApple OSS Distributions
126*d4514f0bSApple OSS Distributions### Dealing with signed numbers
127*d4514f0bSApple OSS Distributions
128*d4514f0bSApple OSS DistributionsPython's int has unlimited precision. This may be surprising for kernel developers who expect
129*d4514f0bSApple OSS Distributionsthe behavior follows twos complement.
130*d4514f0bSApple OSS Distributions
131*d4514f0bSApple OSS DistributionsAlways use **unsigned()** or **signed()** regardless of what the actual underlying type is
132*d4514f0bSApple OSS Distributionsto ensure that macros use the correct semantics.
133*d4514f0bSApple OSS Distributions
134*d4514f0bSApple OSS Distributions## Testing changes
135*d4514f0bSApple OSS Distributions
136*d4514f0bSApple OSS DistributionsPlease check documentation here: <doc:macro_testing>
137*d4514f0bSApple OSS Distributions
138*d4514f0bSApple OSS Distributions### Coding style
139*d4514f0bSApple OSS Distributions
140*d4514f0bSApple OSS DistributionsUse a static analyzer like **pylint** or **flake8** to check the macro source code:
141*d4514f0bSApple OSS Distributions
142*d4514f0bSApple OSS Distributions```
143*d4514f0bSApple OSS Distributions$ python3 -m pip install --user pylint flake8
144*d4514f0bSApple OSS Distributions
145*d4514f0bSApple OSS Distributions# Run the lint either by setting your path to point to one of the runtimes
146*d4514f0bSApple OSS Distributions# or through python
147*d4514f0bSApple OSS Distributions$ python3 -m pylint <src files/dirs>
148*d4514f0bSApple OSS Distributions$ python3 -m flake8 <src files/dirs>
149*d4514f0bSApple OSS Distributions```
150*d4514f0bSApple OSS Distributions
151*d4514f0bSApple OSS Distributions### Correctness
152*d4514f0bSApple OSS Distributions
153*d4514f0bSApple OSS DistributionsEnsure the macro matches what LLDB returns from the REPL. For example, compare `showproc(xxx)` with `p/x *(proc_t)xxx`.
154*d4514f0bSApple OSS Distributions
155*d4514f0bSApple OSS Distributions```
156*d4514f0bSApple OSS Distributions# 1. Run LLDB with debug options set
157*d4514f0bSApple OSS Distributions$ DEBUG_XNU_LLDBMACROS=1 xcrun -sdk <sdk> lldb -c core <dsympath>/mach_kernel
158*d4514f0bSApple OSS Distributions
159*d4514f0bSApple OSS Distributions# 2. Optionally load modified operating system plugin
160*d4514f0bSApple OSS Distributions(lldb) settings set target.process.python-os-plugin-path <srcpath>/tools/lldbmacros/core/operating_system.py
161*d4514f0bSApple OSS Distributions
162*d4514f0bSApple OSS Distributions# 3. Load modified scripts
163*d4514f0bSApple OSS Distributions(lldb) command script import <srcpath>/tools/lldbmacros/xnu.py
164*d4514f0bSApple OSS Distributions
165*d4514f0bSApple OSS Distributions# 4. Exercise macros
166*d4514f0bSApple OSS Distributions```
167*d4514f0bSApple OSS Distributions
168*d4514f0bSApple OSS DistributionsDepending on the change, test other targets and architectures (for instance, both Astris and KDP).
169*d4514f0bSApple OSS Distributions
170*d4514f0bSApple OSS Distributions### Regression
171*d4514f0bSApple OSS Distributions
172*d4514f0bSApple OSS DistributionsThis is simpler than previous step because the goal is to ensure behavior has not changed.
173*d4514f0bSApple OSS DistributionsYou can speed up few things by using local symbols:
174*d4514f0bSApple OSS Distributions
175*d4514f0bSApple OSS Distributions```
176*d4514f0bSApple OSS Distributions# 1. Get a coredump from a device and kernel UUID
177*d4514f0bSApple OSS Distributions# 2. Grab symbols with dsymForUUID
178*d4514f0bSApple OSS Distributions$ dsymForUUID --nocache --copyExecutable --copyDestination <dsym path>
179*d4514f0bSApple OSS Distributions
180*d4514f0bSApple OSS Distributions# 3. Run lldb with local symbols to avoid dsymForUUID NFS
181*d4514f0bSApple OSS Distributions
182*d4514f0bSApple OSS Distributions$ xcrun -sdk <sdk> lldb -c core <dsym_path>/<kernel image>
183*d4514f0bSApple OSS Distributions```
184*d4514f0bSApple OSS Distributions
185*d4514f0bSApple OSS DistributionsThe actual steps are identical to previous testing. Run of a macro to different file with `-o <outfile>`
186*d4514f0bSApple OSS Distributionsoption. Then run `diff` on the outputs of the baseline and modified code:
187*d4514f0bSApple OSS Distributions
188*d4514f0bSApple OSS Distributions* No environment variables to get baseline
189*d4514f0bSApple OSS Distributions* Modified dSYM as described above
190*d4514f0bSApple OSS Distributions
191*d4514f0bSApple OSS DistributionsIt’s difficult to make this automated:
192*d4514f0bSApple OSS Distributions
193*d4514f0bSApple OSS Distributions* Some macros needs arguments which must be found in a core file.
194*d4514f0bSApple OSS Distributions* Some macros take a long time to run against a target (more than 30 minutes). Instead, a core dump
195*d4514f0bSApple OSS Distributions  should be taken and then inspected afterwards, but this ties up a lab device for the duration of the
196*d4514f0bSApple OSS Distributions  test.
197*d4514f0bSApple OSS Distributions* Even with coredumps, testing the macros takes too long in our automation system and triggers the
198*d4514f0bSApple OSS Distributions  failsafe timeout.
199*d4514f0bSApple OSS Distributions
200*d4514f0bSApple OSS Distributions### Code coverage
201*d4514f0bSApple OSS Distributions
202*d4514f0bSApple OSS DistributionsUse code coverage to check which parts of macros have actually been tested.
203*d4514f0bSApple OSS DistributionsInstall **coverage** lib with:
204*d4514f0bSApple OSS Distributions
205*d4514f0bSApple OSS Distributions```
206*d4514f0bSApple OSS Distributions$ python3 -m pip install --user coverage
207*d4514f0bSApple OSS Distributions```
208*d4514f0bSApple OSS Distributions
209*d4514f0bSApple OSS DistributionsThen collect coverage:.
210*d4514f0bSApple OSS Distributions
211*d4514f0bSApple OSS Distributions```
212*d4514f0bSApple OSS Distributions(lldb) xnudebug coverage /tmp/coverage.cov showallstacks
213*d4514f0bSApple OSS Distributions
214*d4514f0bSApple OSS Distributions...
215*d4514f0bSApple OSS Distributions
216*d4514f0bSApple OSS DistributionsCoverage info saved to: "/tmp/coverage.cov"
217*d4514f0bSApple OSS Distributions```
218*d4514f0bSApple OSS Distributions
219*d4514f0bSApple OSS DistributionsYou can then run `coverage html --data-file=/tmp/coverage.cov` in your terminal
220*d4514f0bSApple OSS Distributionsto generate an HTML report.
221*d4514f0bSApple OSS Distributions
222*d4514f0bSApple OSS Distributions
223*d4514f0bSApple OSS DistributionsCombine coverage from multiple files:
224*d4514f0bSApple OSS Distributions
225*d4514f0bSApple OSS Distributions```
226*d4514f0bSApple OSS Distributions# Point PATH to local python where coverage is installed.
227*d4514f0bSApple OSS Distributions$ export PATH="$HOME/Library/Python/3.8/bin:$PATH"
228*d4514f0bSApple OSS Distributions
229*d4514f0bSApple OSS Distributions# Use --keep to avoid deletion of input files after merge.
230*d4514f0bSApple OSS Distributions$ coverage combine --keep <list of .coverage files or dirs to scan>
231*d4514f0bSApple OSS Distributions
232*d4514f0bSApple OSS Distributions# Get HTML report or use other subcommands to inspect.
233*d4514f0bSApple OSS Distributions$ coverage html
234*d4514f0bSApple OSS Distributions```
235*d4514f0bSApple OSS Distributions
236*d4514f0bSApple OSS DistributionsIt is possible to start coverage collection **before** importing the operating system library and
237*d4514f0bSApple OSS Distributionsloading macros to check code run during bootstrapping.
238*d4514f0bSApple OSS Distributions
239*d4514f0bSApple OSS DistributionsFor this, you'll need to run coverage manually:
240*d4514f0bSApple OSS Distributions# 1. Start LLDB
241*d4514f0bSApple OSS Distributions
242*d4514f0bSApple OSS Distributions# 2. Load and start code coverage recording.
243*d4514f0bSApple OSS Distributions(lldb) script import coverage
244*d4514f0bSApple OSS Distributions(lldb) script cov = coverage.Coverage(data_file=_filepath_)
245*d4514f0bSApple OSS Distributions(lldb) script cov.start()
246*d4514f0bSApple OSS Distributions
247*d4514f0bSApple OSS Distributions# 3. Load macros
248*d4514f0bSApple OSS Distributions
249*d4514f0bSApple OSS Distributions# 4. Collect the coverage.
250*d4514f0bSApple OSS Distributions(lldb) script cov.stop()
251*d4514f0bSApple OSS Distributions(lldb) script cov.save()
252*d4514f0bSApple OSS Distributions
253*d4514f0bSApple OSS Distributions### Performance testing
254*d4514f0bSApple OSS Distributions
255*d4514f0bSApple OSS DistributionsSome macros can run for a long time. Some code may be costly even if it looks simple because objects
256*d4514f0bSApple OSS Distributionsaren’t cached or too many temporary objects are created. Simple profiling is similar to collecting
257*d4514f0bSApple OSS Distributionscode coverage.
258*d4514f0bSApple OSS Distributions
259*d4514f0bSApple OSS DistributionsFirst setup your environment:
260*d4514f0bSApple OSS Distributions
261*d4514f0bSApple OSS Distributions```
262*d4514f0bSApple OSS Distributions# Install gprof2dot
263*d4514f0bSApple OSS Distributions$ python3 -m pip install gprof2dot
264*d4514f0bSApple OSS Distributions# Install graphviz
265*d4514f0bSApple OSS Distributions$ brew install graphviz
266*d4514f0bSApple OSS Distributions```
267*d4514f0bSApple OSS Distributions
268*d4514f0bSApple OSS DistributionsThen to profile commands, follow this sequence:
269*d4514f0bSApple OSS Distributions
270*d4514f0bSApple OSS Distributions```
271*d4514f0bSApple OSS Distributions(lldb) xnudebug profile /tmp/macro.prof showcurrentstacks
272*d4514f0bSApple OSS Distributions[... command outputs ...]
273*d4514f0bSApple OSS Distributions
274*d4514f0bSApple OSS Distributions   Ordered by: cumulative time
275*d4514f0bSApple OSS Distributions   List reduced from 468 to 30 due to restriction <30>
276*d4514f0bSApple OSS Distributions
277*d4514f0bSApple OSS Distributions   ncalls  tottime  percall  cumtime  percall filename:lineno(function)
278*d4514f0bSApple OSS Distributions   [... profiling output ...]
279*d4514f0bSApple OSS Distributions
280*d4514f0bSApple OSS DistributionsProfile info saved to "/tmp/macro.prof"
281*d4514f0bSApple OSS Distributions```
282*d4514f0bSApple OSS Distributions
283*d4514f0bSApple OSS DistributionsThen to visualize callgraphs in context, in a separate shell:
284*d4514f0bSApple OSS Distributions
285*d4514f0bSApple OSS Distributions```
286*d4514f0bSApple OSS Distributions# Now convert the file to a colored SVG call graph
287*d4514f0bSApple OSS Distributions$ python3 -m gprof2dot -f pstats /tmp/macro.prof -o /tmp/call.dot
288*d4514f0bSApple OSS Distributions$ dot -O -T svg /tmp/call.dot
289*d4514f0bSApple OSS Distributions
290*d4514f0bSApple OSS Distributions# and view it in your favourite viewer
291*d4514f0bSApple OSS Distributions$ open /tmp/call.dot.svg
292*d4514f0bSApple OSS Distributions```
293*d4514f0bSApple OSS Distributions
294*d4514f0bSApple OSS Distributions## Debugging your changes
295*d4514f0bSApple OSS Distributions
296*d4514f0bSApple OSS Distributions### Get detailed exception report
297*d4514f0bSApple OSS Distributions
298*d4514f0bSApple OSS DistributionsThe easiest way to debug an exception is to re-run your macro with the `--debug` option.
299*d4514f0bSApple OSS DistributionsThis turns on more detailed output for each stack frame that includes source lines
300*d4514f0bSApple OSS Distributionsand local variables.
301*d4514f0bSApple OSS Distributions
302*d4514f0bSApple OSS Distributions### File a radar
303*d4514f0bSApple OSS Distributions
304*d4514f0bSApple OSS DistributionsTo report an actionable radar, please use re-run your failing macro with `--radar`.
305*d4514f0bSApple OSS DistributionsThis will collect additional logs to an archive located in `/tmp`.
306*d4514f0bSApple OSS Distributions
307*d4514f0bSApple OSS DistributionsUse the link provided to create a new radar.
308*d4514f0bSApple OSS Distributions
309*d4514f0bSApple OSS Distributions### Debugging with pdb
310*d4514f0bSApple OSS Distributions
311*d4514f0bSApple OSS DistributionsYES, It is possible to use a debugger to debug your macro!
312*d4514f0bSApple OSS Distributions
313*d4514f0bSApple OSS DistributionsThe steps are similar to testing techniques described above (use scripting interactive mode). There is no point to
314*d4514f0bSApple OSS Distributionsdocument the debugger itself. Lets focus on how to use it on a real life example. The debugger used here is PDB which
315*d4514f0bSApple OSS Distributionsis part of Python installation so works out of the box.
316*d4514f0bSApple OSS Distributions
317*d4514f0bSApple OSS DistributionsProblem: Something wrong is going on with addkext macro. What now?
318*d4514f0bSApple OSS Distributions
319*d4514f0bSApple OSS Distributions    (lldb) addkext -N com.apple.driver.AppleT8103PCIeC
320*d4514f0bSApple OSS Distributions    Failed to read MachO for address 18446741875027613136 errormessage: seek to offset 2169512 is outside window [0, 1310]
321*d4514f0bSApple OSS Distributions    Failed to read MachO for address 18446741875033537424 errormessage: seek to offset 8093880 is outside window [0, 1536]
322*d4514f0bSApple OSS Distributions    Failed to read MachO for address 18446741875033568304 errormessage: seek to offset 8124208 is outside window [0, 1536]
323*d4514f0bSApple OSS Distributions	...
324*d4514f0bSApple OSS Distributions	Fetching dSYM for 049b9a29-2efc-32c0-8a7f-5f29c12b870c
325*d4514f0bSApple OSS Distributions    Adding dSYM (049b9a29-2efc-32c0-8a7f-5f29c12b870c) for /Library/Caches/com.apple.bni.symbols/bursar.apple.com/dsyms/StarE/AppleEmbeddedPCIE/AppleEmbeddedPCIE-502.100.35~3/049B9A29-2EFC-32C0-8A7F-5F29C12B870C/AppleT8103PCIeC
326*d4514f0bSApple OSS Distributions    section '__TEXT' loaded at 0xfffffe001478c780
327*d4514f0bSApple OSS Distributions
328*d4514f0bSApple OSS DistributionsThere is no exception, lot of errors and no output. So what next?
329*d4514f0bSApple OSS DistributionsTry to narrow the problem down to an isolated piece of macro code:
330*d4514f0bSApple OSS Distributions
331*d4514f0bSApple OSS Distributions  1. Try to get values of globals through regular LLDB commands
332*d4514f0bSApple OSS Distributions  2. Use interactive mode and invoke functions with arguments directly.
333*d4514f0bSApple OSS Distributions
334*d4514f0bSApple OSS DistributionsAfter inspecting addkext macro code and calling few functions with arguments directly we can see that there is an
335*d4514f0bSApple OSS Distributionsexception in the end. It was just captured in try/catch block. So the simplified reproducer is:
336*d4514f0bSApple OSS Distributions
337*d4514f0bSApple OSS Distributions    (lldb) script
338*d4514f0bSApple OSS Distributions    >>> import lldb
339*d4514f0bSApple OSS Distributions    >>> import xnu
340*d4514f0bSApple OSS Distributions    >>> err = lldb.SBError()
341*d4514f0bSApple OSS Distributions    >>> data = xnu.LazyTarget.GetProcess().ReadMemory(0xfffffe0014c0f3f0, 0x000000000001b5d0, err)
342*d4514f0bSApple OSS Distributions    >>> m = macho.MemMacho(data, len(data))
343*d4514f0bSApple OSS Distributions    Traceback (most recent call last):
344*d4514f0bSApple OSS Distributions      File "<console>", line 1, in <module>
345*d4514f0bSApple OSS Distributions      File ".../lldbmacros/macho.py", line 91, in __init__
346*d4514f0bSApple OSS Distributions        self.load(fp)
347*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/MachO.py", line 133, in load
348*d4514f0bSApple OSS Distributions        self.load_header(fh, 0, size)
349*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/MachO.py", line 168, in load_header
350*d4514f0bSApple OSS Distributions        hdr = MachOHeader(self, fh, offset, size, magic, hdr, endian)
351*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/MachO.py", line 209, in __init__
352*d4514f0bSApple OSS Distributions        self.load(fh)
353*d4514f0bSApple OSS Distributions      File ".../lldbmacros/macho.py", line 23, in new_load
354*d4514f0bSApple OSS Distributions        _old_MachOHeader_load(s, fh)
355*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/MachO.py", line 287, in load
356*d4514f0bSApple OSS Distributions        fh.seek(seg.offset)
357*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/util.py", line 91, in seek
358*d4514f0bSApple OSS Distributions        self._checkwindow(seekto, "seek")
359*d4514f0bSApple OSS Distributions      File ".../site-packages/macholib/util.py", line 76, in _checkwindow
360*d4514f0bSApple OSS Distributions        raise IOError(
361*d4514f0bSApple OSS Distributions    OSError: seek to offset 9042440 is outside window [0, 112080]
362*d4514f0bSApple OSS Distributions
363*d4514f0bSApple OSS DistributionsClearly an external library is involved and execution flow jumps between dSYM and the library few times.
364*d4514f0bSApple OSS DistributionsLets try to look around with a debugger.
365*d4514f0bSApple OSS Distributions
366*d4514f0bSApple OSS Distributions    (lldb) script
367*d4514f0bSApple OSS Distributions	# Prepare data variable as described above.
368*d4514f0bSApple OSS Distributions
369*d4514f0bSApple OSS Distributions	# Run last statement with debugger.
370*d4514f0bSApple OSS Distributions	>>> import pdb
371*d4514f0bSApple OSS Distributions	>>> pdb.run('m = macho.MemMacho(data, len(data))', globals(), locals())
372*d4514f0bSApple OSS Distributions	> <string>(1)<module>()
373*d4514f0bSApple OSS Distributions
374*d4514f0bSApple OSS Distributions	# Show debugger's help
375*d4514f0bSApple OSS Distributions	(Pdb) help
376*d4514f0bSApple OSS Distributions
377*d4514f0bSApple OSS DistributionsIt is not possible to break on exception. Python uses them a lot so it is better to put a breakpoint to source
378*d4514f0bSApple OSS Distributionscode. This puts breakpoint on the IOError exception mentioned above.
379*d4514f0bSApple OSS Distributions
380*d4514f0bSApple OSS Distributions	(Pdb) break ~/Library/Python/3.8/lib/python/site-packages/macholib/util.py:76
381*d4514f0bSApple OSS Distributions    Breakpoint 4 at ~/Library/Python/3.8/lib/python/site-packages/macholib/util.py:76
382*d4514f0bSApple OSS Distributions
383*d4514f0bSApple OSS DistributionsYou can now single step or continue the execution as usuall for a debugger.
384*d4514f0bSApple OSS Distributions
385*d4514f0bSApple OSS Distributions    (Pdb) cont
386*d4514f0bSApple OSS Distributions    > /Users/tjedlicka/Library/Python/3.8/lib/python/site-packages/macholib/util.py(76)_checkwindow()
387*d4514f0bSApple OSS Distributions    -> raise IOError(
388*d4514f0bSApple OSS Distributions    (Pdb) bt
389*d4514f0bSApple OSS Distributions      /Volumes/.../Python3.framework/Versions/3.8/lib/python3.8/bdb.py(580)run()
390*d4514f0bSApple OSS Distributions    -> exec(cmd, globals, locals)
391*d4514f0bSApple OSS Distributions      <string>(1)<module>()
392*d4514f0bSApple OSS Distributions      /Volumes/...dSYM/Contents/Resources/Python/lldbmacros/macho.py(91)__init__()
393*d4514f0bSApple OSS Distributions    -> self.load(fp)
394*d4514f0bSApple OSS Distributions      /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/MachO.py(133)load()
395*d4514f0bSApple OSS Distributions    -> self.load_header(fh, 0, size)
396*d4514f0bSApple OSS Distributions      /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/MachO.py(168)load_header()
397*d4514f0bSApple OSS Distributions    -> hdr = MachOHeader(self, fh, offset, size, magic, hdr, endian)
398*d4514f0bSApple OSS Distributions      /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/MachO.py(209)__init__()
399*d4514f0bSApple OSS Distributions    -> self.load(fh)
400*d4514f0bSApple OSS Distributions      /Volumes/...dSYM/Contents/Resources/Python/lldbmacros/macho.py(23)new_load()
401*d4514f0bSApple OSS Distributions    -> _old_MachOHeader_load(s, fh)
402*d4514f0bSApple OSS Distributions      /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/MachO.py(287)load()
403*d4514f0bSApple OSS Distributions    -> fh.seek(seg.offset)
404*d4514f0bSApple OSS Distributions      /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/util.py(91)seek()
405*d4514f0bSApple OSS Distributions    -> self._checkwindow(seekto, "seek")
406*d4514f0bSApple OSS Distributions    > /Users/.../Library/Python/3.8/lib/python/site-packages/macholib/util.py(76)_checkwindow()
407*d4514f0bSApple OSS Distributions    -> raise IOError(
408*d4514f0bSApple OSS Distributions
409*d4514f0bSApple OSS Distributions
410*d4514f0bSApple OSS DistributionsNow we can move a frame above and inspect stopped target:
411*d4514f0bSApple OSS Distributions
412*d4514f0bSApple OSS Distributions    # Show current frame arguments
413*d4514f0bSApple OSS Distributions    (Pdb) up
414*d4514f0bSApple OSS Distributions    (Pdb) a
415*d4514f0bSApple OSS Distributions    self = <fileview [0, 112080] <macho.MemFile object at 0x1075cafd0>>
416*d4514f0bSApple OSS Distributions    offset = 9042440
417*d4514f0bSApple OSS Distributions    whence = 0
418*d4514f0bSApple OSS Distributions
419*d4514f0bSApple OSS Distributions    # globals, local or expressons
420*d4514f0bSApple OSS Distributions    (Pdb) p type(seg.offset)
421*d4514f0bSApple OSS Distributions    <class 'macholib.ptypes.p_uint32'>
422*d4514f0bSApple OSS Distributions    (Pdb) p hex(seg.offset)
423*d4514f0bSApple OSS Distributions    '0x89fa08'
424*d4514f0bSApple OSS Distributions
425*d4514f0bSApple OSS Distributions    # Find attributes of a Python object.
426*d4514f0bSApple OSS Distributions    (Pdb) p dir(section_cls)
427*d4514f0bSApple OSS Distributions    ['__class__', '__cmp__', ... ,'reserved3', 'sectname', 'segname', 'size', 'to_fileobj', 'to_mmap', 'to_str']
428*d4514f0bSApple OSS Distributions    (Pdb) p section_cls.sectname
429*d4514f0bSApple OSS Distributions    <property object at 0x1077bbef0>
430*d4514f0bSApple OSS Distributions
431*d4514f0bSApple OSS DistributionsUnfortunately everything looks correct but there is actually one ineteresting frame in the stack. The one which
432*d4514f0bSApple OSS Distributionsprovides the offset to the seek method. Lets see where we are in the source code.
433*d4514f0bSApple OSS Distributions
434*d4514f0bSApple OSS Distributions    (Pdb) up
435*d4514f0bSApple OSS Distributions    > /Users/tjedlicka/Library/Python/3.8/lib/python/site-packages/macholib/MachO.py(287)load()
436*d4514f0bSApple OSS Distributions    -> fh.seek(seg.offset)
437*d4514f0bSApple OSS Distributions    (Pdb) list
438*d4514f0bSApple OSS Distributions    282  	                        not_zerofill = (seg.flags & S_ZEROFILL) != S_ZEROFILL
439*d4514f0bSApple OSS Distributions    283  	                        if seg.offset > 0 and seg.size > 0 and not_zerofill:
440*d4514f0bSApple OSS Distributions    284  	                            low_offset = min(low_offset, seg.offset)
441*d4514f0bSApple OSS Distributions    285  	                        if not_zerofill:
442*d4514f0bSApple OSS Distributions    286  	                            c = fh.tell()
443*d4514f0bSApple OSS Distributions    287  ->	                            fh.seek(seg.offset)
444*d4514f0bSApple OSS Distributions    288  	                            sd = fh.read(seg.size)
445*d4514f0bSApple OSS Distributions    289  	                            seg.add_section_data(sd)
446*d4514f0bSApple OSS Distributions    290  	                            fh.seek(c)
447*d4514f0bSApple OSS Distributions    291  	                        segs.append(seg)
448*d4514f0bSApple OSS Distributions    292  	                # data is a list of segments
449*d4514f0bSApple OSS Distributions
450*d4514f0bSApple OSS DistributionsRunning debugger on working case and stepping through the load() method shows that this code is not present.
451*d4514f0bSApple OSS DistributionsThat means we are broken by a library update! Older versions of library do not load data for a section.
452