-
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathembed-symbol-table.py
68 lines (57 loc) · 2.33 KB
/
embed-symbol-table.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
#!/usr/bin/env python3
import argparse
import sys
import struct
START_MAKER = b"__SYMBOL_TABLE_START__"
END_MAKER = b"__SYMBOL_TABLE_END__"
SYMBOL_TABLE_MAGIC = 0xbeefbeef
SYMBOL_MAX_LEN = 55
def main():
parser = argparse.ArgumentParser()
parser.add_argument("symbols_file")
parser.add_argument("executable")
args = parser.parse_args()
# Locate the symbol table in the executable.
image = open(args.executable, "rb").read()
offset = image.find(START_MAKER)
offset_end = image.find(END_MAKER)
if offset < 0 or offset_end < 0:
sys.exit("embed-symbol-table.py: failed to locate the symbol table")
if image.find(START_MAKER, offset + 1) >= 0:
print(hex(offset), hex(image.find(START_MAKER, offset + 1)))
sys.exit(
"embed-symbol-table.py: found multiple empty symbol tables (perhaps because "
+ "START_MAKER is not sufficiently long to be unique?)")
# Parse the nm output and extract symbol names and theier addresses.
symbols = {}
for line in open(args.symbols_file).read().strip().split("\n"):
cols = line.split(" ", 1)
try:
addr = int(cols[0], 16)
except ValueError:
continue
name = cols[1]
symbols[addr] = name
symbols = sorted(symbols.items(), key=lambda s: s[0])
# Build a symbol table.
symbol_table = struct.pack("<IIQ", SYMBOL_TABLE_MAGIC, len(symbols), 0)
for addr, name in symbols:
if len(name) <= SYMBOL_MAX_LEN:
truncated_name = name[:55]
else:
prefix_len = SYMBOL_MAX_LEN // 2
suffix_len = SYMBOL_MAX_LEN - len("...") - prefix_len
truncated_name = name[:prefix_len] + "..." + name[-suffix_len:]
assert len(truncated_name) == SYMBOL_MAX_LEN
symbol_table += struct.pack("<Q56s", addr,
bytes(truncated_name, "ascii"))
max_size = offset_end - offset
if len(symbol_table) > max_size:
sys.exit(
f"embed-symbol-table.py: Too many symbols; please expand the symbol table area (max_size={max_size / 1024}KiB, created={len(symbol_table) / 1024}KiB)"
)
# Embed the symbol table.
image = image[:offset] + symbol_table + image[offset + len(symbol_table):]
open(args.executable, "wb").write(image)
if __name__ == "__main__":
main()